403Webshell
Server IP : 146.59.209.152  /  Your IP : 216.73.216.46
Web Server : Apache
System : Linux webm005.cluster131.gra.hosting.ovh.net 5.15.167-ovh-vps-grsec-zfs-classid #1 SMP Tue Sep 17 08:14:20 UTC 2024 x86_64
User : infrafs ( 43850)
PHP Version : 8.2.29
Disable Function : _dyuweyrj4,_dyuweyrj4r,dl
MySQL : OFF  |  cURL : ON  |  WGET : ON  |  Perl : ON  |  Python : ON  |  Sudo : OFF  |  Pkexec : OFF
Directory :  /home/i/n/f/infrafs/INFRABIKEIT/wp-content/plugins/

Upload File :
current_dir [ Writeable ] document_root [ Writeable ]

 

Command :


[ Back ]     

Current File : /home/i/n/f/infrafs/INFRABIKEIT/wp-content/plugins/vendor.tar
true/punycode/src/Punycode.php000064400000025217151330736600012452 0ustar00<?php
namespace TrueBV;

use TrueBV\Exception\DomainOutOfBoundsException;
use TrueBV\Exception\LabelOutOfBoundsException;

/**
 * Punycode implementation as described in RFC 3492
 *
 * @link http://tools.ietf.org/html/rfc3492
 */
class Punycode
{

    /**
     * Bootstring parameter values
     *
     */
    const BASE         = 36;
    const TMIN         = 1;
    const TMAX         = 26;
    const SKEW         = 38;
    const DAMP         = 700;
    const INITIAL_BIAS = 72;
    const INITIAL_N    = 128;
    const PREFIX       = 'xn--';
    const DELIMITER    = '-';

    /**
     * Encode table
     *
     * @param array
     */
    protected static $encodeTable = array(
        'a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l',
        'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x',
        'y', 'z', '0', '1', '2', '3', '4', '5', '6', '7', '8', '9',
    );

    /**
     * Decode table
     *
     * @param array
     */
    protected static $decodeTable = array(
        'a' =>  0, 'b' =>  1, 'c' =>  2, 'd' =>  3, 'e' =>  4, 'f' =>  5,
        'g' =>  6, 'h' =>  7, 'i' =>  8, 'j' =>  9, 'k' => 10, 'l' => 11,
        'm' => 12, 'n' => 13, 'o' => 14, 'p' => 15, 'q' => 16, 'r' => 17,
        's' => 18, 't' => 19, 'u' => 20, 'v' => 21, 'w' => 22, 'x' => 23,
        'y' => 24, 'z' => 25, '0' => 26, '1' => 27, '2' => 28, '3' => 29,
        '4' => 30, '5' => 31, '6' => 32, '7' => 33, '8' => 34, '9' => 35
    );

    /**
     * Character encoding
     *
     * @param string
     */
    protected $encoding;

    /**
     * Constructor
     *
     * @param string $encoding Character encoding
     */
    public function __construct($encoding = 'UTF-8')
    {
        $this->encoding = $encoding;
    }

    /**
     * Encode a domain to its Punycode version
     *
     * @param string $input Domain name in Unicode to be encoded
     * @return string Punycode representation in ASCII
     */
    public function encode($input)
    {
        $input = mb_strtolower($input, $this->encoding);
        $parts = explode('.', $input);
        foreach ($parts as &$part) {
            $length = strlen($part);
            if ($length < 1) {
                throw new LabelOutOfBoundsException(sprintf('The length of any one label is limited to between 1 and 63 octets, but %s given.', $length));
            }
            $part = $this->encodePart($part);
        }
        $output = implode('.', $parts);
        $length = strlen($output);
        if ($length > 255) {
            throw new DomainOutOfBoundsException(sprintf('A full domain name is limited to 255 octets (including the separators), %s given.', $length));
        }

        return $output;
    }

    /**
     * Encode a part of a domain name, such as tld, to its Punycode version
     *
     * @param string $input Part of a domain name
     * @return string Punycode representation of a domain part
     */
    protected function encodePart($input)
    {
        $codePoints = $this->listCodePoints($input);

        $n = static::INITIAL_N;
        $bias = static::INITIAL_BIAS;
        $delta = 0;
        $h = $b = count($codePoints['basic']);

        $output = '';
        foreach ($codePoints['basic'] as $code) {
            $output .= $this->codePointToChar($code);
        }
        if ($input === $output) {
            return $output;
        }
        if ($b > 0) {
            $output .= static::DELIMITER;
        }

        $codePoints['nonBasic'] = array_unique($codePoints['nonBasic']);
        sort($codePoints['nonBasic']);

        $i = 0;
        $length = mb_strlen($input, $this->encoding);
        while ($h < $length) {
            $m = $codePoints['nonBasic'][$i++];
            $delta = $delta + ($m - $n) * ($h + 1);
            $n = $m;

            foreach ($codePoints['all'] as $c) {
                if ($c < $n || $c < static::INITIAL_N) {
                    $delta++;
                }
                if ($c === $n) {
                    $q = $delta;
                    for ($k = static::BASE;; $k += static::BASE) {
                        $t = $this->calculateThreshold($k, $bias);
                        if ($q < $t) {
                            break;
                        }

                        $code = $t + (($q - $t) % (static::BASE - $t));
                        $output .= static::$encodeTable[$code];

                        $q = ($q - $t) / (static::BASE - $t);
                    }

                    $output .= static::$encodeTable[$q];
                    $bias = $this->adapt($delta, $h + 1, ($h === $b));
                    $delta = 0;
                    $h++;
                }
            }

            $delta++;
            $n++;
        }
        $out = static::PREFIX . $output;
        $length = strlen($out);
        if ($length > 63 || $length < 1) {
            throw new LabelOutOfBoundsException(sprintf('The length of any one label is limited to between 1 and 63 octets, but %s given.', $length));
        }

        return $out;
    }

    /**
     * Decode a Punycode domain name to its Unicode counterpart
     *
     * @param string $input Domain name in Punycode
     * @return string Unicode domain name
     */
    public function decode($input)
    {
        $input = strtolower($input);
        $parts = explode('.', $input);
        foreach ($parts as &$part) {
            $length = strlen($part);
            if ($length > 63 || $length < 1) {
                throw new LabelOutOfBoundsException(sprintf('The length of any one label is limited to between 1 and 63 octets, but %s given.', $length));
            }
            if (strpos($part, static::PREFIX) !== 0) {
                continue;
            }

            $part = substr($part, strlen(static::PREFIX));
            $part = $this->decodePart($part);
        }
        $output = implode('.', $parts);
        $length = strlen($output);
        if ($length > 255) {
            throw new DomainOutOfBoundsException(sprintf('A full domain name is limited to 255 octets (including the separators), %s given.', $length));
        }

        return $output;
    }

    /**
     * Decode a part of domain name, such as tld
     *
     * @param string $input Part of a domain name
     * @return string Unicode domain part
     */
    protected function decodePart($input)
    {
        $n = static::INITIAL_N;
        $i = 0;
        $bias = static::INITIAL_BIAS;
        $output = '';

        $pos = strrpos($input, static::DELIMITER);
        if ($pos !== false) {
            $output = substr($input, 0, $pos++);
        } else {
            $pos = 0;
        }

        $outputLength = strlen($output);
        $inputLength = strlen($input);
        while ($pos < $inputLength) {
            $oldi = $i;
            $w = 1;

            for ($k = static::BASE;; $k += static::BASE) {
                $digit = static::$decodeTable[$input[$pos++]];
                $i = $i + ($digit * $w);
                $t = $this->calculateThreshold($k, $bias);

                if ($digit < $t) {
                    break;
                }

                $w = $w * (static::BASE - $t);
            }

            $bias = $this->adapt($i - $oldi, ++$outputLength, ($oldi === 0));
            $n = $n + (int) ($i / $outputLength);
            $i = $i % ($outputLength);
            $output = mb_substr($output, 0, $i, $this->encoding) . $this->codePointToChar($n) . mb_substr($output, $i, $outputLength - 1, $this->encoding);

            $i++;
        }

        return $output;
    }

    /**
     * Calculate the bias threshold to fall between TMIN and TMAX
     *
     * @param integer $k
     * @param integer $bias
     * @return integer
     */
    protected function calculateThreshold($k, $bias)
    {
        if ($k <= $bias + static::TMIN) {
            return static::TMIN;
        } elseif ($k >= $bias + static::TMAX) {
            return static::TMAX;
        }
        return $k - $bias;
    }

    /**
     * Bias adaptation
     *
     * @param integer $delta
     * @param integer $numPoints
     * @param boolean $firstTime
     * @return integer
     */
    protected function adapt($delta, $numPoints, $firstTime)
    {
        $delta = (int) (
            ($firstTime)
                ? $delta / static::DAMP
                : $delta / 2
            );
        $delta += (int) ($delta / $numPoints);

        $k = 0;
        while ($delta > ((static::BASE - static::TMIN) * static::TMAX) / 2) {
            $delta = (int) ($delta / (static::BASE - static::TMIN));
            $k = $k + static::BASE;
        }
        $k = $k + (int) (((static::BASE - static::TMIN + 1) * $delta) / ($delta + static::SKEW));

        return $k;
    }

    /**
     * List code points for a given input
     *
     * @param string $input
     * @return array Multi-dimension array with basic, non-basic and aggregated code points
     */
    protected function listCodePoints($input)
    {
        $codePoints = array(
            'all'      => array(),
            'basic'    => array(),
            'nonBasic' => array(),
        );

        $length = mb_strlen($input, $this->encoding);
        for ($i = 0; $i < $length; $i++) {
            $char = mb_substr($input, $i, 1, $this->encoding);
            $code = $this->charToCodePoint($char);
            if ($code < 128) {
                $codePoints['all'][] = $codePoints['basic'][] = $code;
            } else {
                $codePoints['all'][] = $codePoints['nonBasic'][] = $code;
            }
        }

        return $codePoints;
    }

    /**
     * Convert a single or multi-byte character to its code point
     *
     * @param string $char
     * @return integer
     */
    protected function charToCodePoint($char)
    {
        $code = ord($char[0]);
        if ($code < 128) {
            return $code;
        } elseif ($code < 224) {
            return (($code - 192) * 64) + (ord($char[1]) - 128);
        } elseif ($code < 240) {
            return (($code - 224) * 4096) + ((ord($char[1]) - 128) * 64) + (ord($char[2]) - 128);
        } else {
            return (($code - 240) * 262144) + ((ord($char[1]) - 128) * 4096) + ((ord($char[2]) - 128) * 64) + (ord($char[3]) - 128);
        }
    }

    /**
     * Convert a code point to its single or multi-byte character
     *
     * @param integer $code
     * @return string
     */
    protected function codePointToChar($code)
    {
        if ($code <= 0x7F) {
            return chr($code);
        } elseif ($code <= 0x7FF) {
            return chr(($code >> 6) + 192) . chr(($code & 63) + 128);
        } elseif ($code <= 0xFFFF) {
            return chr(($code >> 12) + 224) . chr((($code >> 6) & 63) + 128) . chr(($code & 63) + 128);
        } else {
            return chr(($code >> 18) + 240) . chr((($code >> 12) & 63) + 128) . chr((($code >> 6) & 63) + 128) . chr(($code & 63) + 128);
        }
    }
}
true/punycode/src/Exception/LabelOutOfBoundsException.php000064400000000331151330736600017636 0ustar00<?php

namespace TrueBV\Exception;

/**
 * Class LabelOutOfBoundsException
 * @package TrueBV\Exception
 * @author  Sebastian Kroczek <sk@xbug.de>
 */
class LabelOutOfBoundsException extends OutOfBoundsException
{

}
true/punycode/src/Exception/OutOfBoundsException.php000064400000000314151330736600016677 0ustar00<?php

namespace TrueBV\Exception;

/**
 * Class OutOfBoundsException
 * @package TrueBV\Exception
 * @author  Sebastian Kroczek <sk@xbug.de>
 */
class OutOfBoundsException extends \RuntimeException
{

}
true/punycode/src/Exception/DomainOutOfBoundsException.php000064400000000333151330736600020030 0ustar00<?php

namespace TrueBV\Exception;

/**
 * Class DomainOutOfBoundsException
 * @package TrueBV\Exception
 * @author  Sebastian Kroczek <sk@xbug.de>
 */
class DomainOutOfBoundsException extends OutOfBoundsException
{

}
true/punycode/LICENSE000064400000002042151330736600010360 0ustar00Copyright (c) 2014 TrueServer B.V.

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.symfony/polyfill-iconv/Iconv.php000064400000054215151330736600013020 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Polyfill\Iconv;

/**
 * iconv implementation in pure PHP, UTF-8 centric.
 *
 * Implemented:
 * - iconv              - Convert string to requested character encoding
 * - iconv_mime_decode  - Decodes a MIME header field
 * - iconv_mime_decode_headers - Decodes multiple MIME header fields at once
 * - iconv_get_encoding - Retrieve internal configuration variables of iconv extension
 * - iconv_set_encoding - Set current setting for character encoding conversion
 * - iconv_mime_encode  - Composes a MIME header field
 * - iconv_strlen       - Returns the character count of string
 * - iconv_strpos       - Finds position of first occurrence of a needle within a haystack
 * - iconv_strrpos      - Finds the last occurrence of a needle within a haystack
 * - iconv_substr       - Cut out part of a string
 *
 * Charsets available for conversion are defined by files
 * in the charset/ directory and by Iconv::$alias below.
 * You're welcome to send back any addition you make.
 *
 * @author Nicolas Grekas <p@tchwork.com>
 *
 * @internal
 */
final class Iconv
{
    const ERROR_ILLEGAL_CHARACTER = 'iconv(): Detected an illegal character in input string';
    const ERROR_WRONG_CHARSET = 'iconv(): Wrong charset, conversion from `%s\' to `%s\' is not allowed';

    public static $inputEncoding = 'utf-8';
    public static $outputEncoding = 'utf-8';
    public static $internalEncoding = 'utf-8';

    private static $alias = array(
        'utf8' => 'utf-8',
        'ascii' => 'us-ascii',
        'tis-620' => 'iso-8859-11',
        'cp1250' => 'windows-1250',
        'cp1251' => 'windows-1251',
        'cp1252' => 'windows-1252',
        'cp1253' => 'windows-1253',
        'cp1254' => 'windows-1254',
        'cp1255' => 'windows-1255',
        'cp1256' => 'windows-1256',
        'cp1257' => 'windows-1257',
        'cp1258' => 'windows-1258',
        'shift-jis' => 'cp932',
        'shift_jis' => 'cp932',
        'latin1' => 'iso-8859-1',
        'latin2' => 'iso-8859-2',
        'latin3' => 'iso-8859-3',
        'latin4' => 'iso-8859-4',
        'latin5' => 'iso-8859-9',
        'latin6' => 'iso-8859-10',
        'latin7' => 'iso-8859-13',
        'latin8' => 'iso-8859-14',
        'latin9' => 'iso-8859-15',
        'latin10' => 'iso-8859-16',
        'iso8859-1' => 'iso-8859-1',
        'iso8859-2' => 'iso-8859-2',
        'iso8859-3' => 'iso-8859-3',
        'iso8859-4' => 'iso-8859-4',
        'iso8859-5' => 'iso-8859-5',
        'iso8859-6' => 'iso-8859-6',
        'iso8859-7' => 'iso-8859-7',
        'iso8859-8' => 'iso-8859-8',
        'iso8859-9' => 'iso-8859-9',
        'iso8859-10' => 'iso-8859-10',
        'iso8859-11' => 'iso-8859-11',
        'iso8859-12' => 'iso-8859-12',
        'iso8859-13' => 'iso-8859-13',
        'iso8859-14' => 'iso-8859-14',
        'iso8859-15' => 'iso-8859-15',
        'iso8859-16' => 'iso-8859-16',
        'iso_8859-1' => 'iso-8859-1',
        'iso_8859-2' => 'iso-8859-2',
        'iso_8859-3' => 'iso-8859-3',
        'iso_8859-4' => 'iso-8859-4',
        'iso_8859-5' => 'iso-8859-5',
        'iso_8859-6' => 'iso-8859-6',
        'iso_8859-7' => 'iso-8859-7',
        'iso_8859-8' => 'iso-8859-8',
        'iso_8859-9' => 'iso-8859-9',
        'iso_8859-10' => 'iso-8859-10',
        'iso_8859-11' => 'iso-8859-11',
        'iso_8859-12' => 'iso-8859-12',
        'iso_8859-13' => 'iso-8859-13',
        'iso_8859-14' => 'iso-8859-14',
        'iso_8859-15' => 'iso-8859-15',
        'iso_8859-16' => 'iso-8859-16',
        'iso88591' => 'iso-8859-1',
        'iso88592' => 'iso-8859-2',
        'iso88593' => 'iso-8859-3',
        'iso88594' => 'iso-8859-4',
        'iso88595' => 'iso-8859-5',
        'iso88596' => 'iso-8859-6',
        'iso88597' => 'iso-8859-7',
        'iso88598' => 'iso-8859-8',
        'iso88599' => 'iso-8859-9',
        'iso885910' => 'iso-8859-10',
        'iso885911' => 'iso-8859-11',
        'iso885912' => 'iso-8859-12',
        'iso885913' => 'iso-8859-13',
        'iso885914' => 'iso-8859-14',
        'iso885915' => 'iso-8859-15',
        'iso885916' => 'iso-8859-16',
    );
    private static $translitMap = array();
    private static $convertMap = array();
    private static $errorHandler;
    private static $lastError;

    private static $ulenMask = array("\xC0" => 2, "\xD0" => 2, "\xE0" => 3, "\xF0" => 4);
    private static $isValidUtf8;

    public static function iconv($inCharset, $outCharset, $str)
    {
        $str = (string) $str;
        if ('' === $str) {
            return '';
        }

        // Prepare for //IGNORE and //TRANSLIT

        $translit = $ignore = '';

        $outCharset = strtolower($outCharset);
        $inCharset = strtolower($inCharset);

        if ('' === $outCharset) {
            $outCharset = 'iso-8859-1';
        }
        if ('' === $inCharset) {
            $inCharset = 'iso-8859-1';
        }

        do {
            $loop = false;

            if ('//translit' === substr($outCharset, -10)) {
                $loop = $translit = true;
                $outCharset = substr($outCharset, 0, -10);
            }

            if ('//ignore' === substr($outCharset, -8)) {
                $loop = $ignore = true;
                $outCharset = substr($outCharset, 0, -8);
            }
        } while ($loop);

        do {
            $loop = false;

            if ('//translit' === substr($inCharset, -10)) {
                $loop = true;
                $inCharset = substr($inCharset, 0, -10);
            }

            if ('//ignore' === substr($inCharset, -8)) {
                $loop = true;
                $inCharset = substr($inCharset, 0, -8);
            }
        } while ($loop);

        if (isset(self::$alias[$inCharset])) {
            $inCharset = self::$alias[$inCharset];
        }
        if (isset(self::$alias[$outCharset])) {
            $outCharset = self::$alias[$outCharset];
        }

        // Load charset maps

        if (('utf-8' !== $inCharset && !self::loadMap('from.', $inCharset, $inMap))
          || ('utf-8' !== $outCharset && !self::loadMap('to.', $outCharset, $outMap))) {
            trigger_error(sprintf(self::ERROR_WRONG_CHARSET, $inCharset, $outCharset));

            return false;
        }

        if ('utf-8' !== $inCharset) {
            // Convert input to UTF-8
            $result = '';
            if (self::mapToUtf8($result, $inMap, $str, $ignore)) {
                $str = $result;
            } else {
                $str = false;
            }
            self::$isValidUtf8 = true;
        } else {
            self::$isValidUtf8 = preg_match('//u', $str);

            if (!self::$isValidUtf8 && !$ignore) {
                trigger_error(self::ERROR_ILLEGAL_CHARACTER);

                return false;
            }

            if ('utf-8' === $outCharset) {
                // UTF-8 validation
                $str = self::utf8ToUtf8($str, $ignore);
            }
        }

        if ('utf-8' !== $outCharset && false !== $str) {
            // Convert output to UTF-8
            $result = '';
            if (self::mapFromUtf8($result, $outMap, $str, $ignore, $translit)) {
                return $result;
            }

            return false;
        }

        return $str;
    }

    public static function iconv_mime_decode_headers($str, $mode = 0, $charset = null)
    {
        if (null === $charset) {
            $charset = self::$internalEncoding;
        }

        if (false !== strpos($str, "\r")) {
            $str = strtr(str_replace("\r\n", "\n", $str), "\r", "\n");
        }
        $str = explode("\n\n", $str, 2);

        $headers = array();

        $str = preg_split('/\n(?![ \t])/', $str[0]);
        foreach ($str as $str) {
            $str = self::iconv_mime_decode($str, $mode, $charset);
            if (false === $str) {
                return false;
            }
            $str = explode(':', $str, 2);

            if (2 === \count($str)) {
                if (isset($headers[$str[0]])) {
                    if (!\is_array($headers[$str[0]])) {
                        $headers[$str[0]] = array($headers[$str[0]]);
                    }
                    $headers[$str[0]][] = ltrim($str[1]);
                } else {
                    $headers[$str[0]] = ltrim($str[1]);
                }
            }
        }

        return $headers;
    }

    public static function iconv_mime_decode($str, $mode = 0, $charset = null)
    {
        if (null === $charset) {
            $charset = self::$internalEncoding;
        }
        if (ICONV_MIME_DECODE_CONTINUE_ON_ERROR & $mode) {
            $charset .= '//IGNORE';
        }

        if (false !== strpos($str, "\r")) {
            $str = strtr(str_replace("\r\n", "\n", $str), "\r", "\n");
        }
        $str = preg_split('/\n(?![ \t])/', rtrim($str), 2);
        $str = preg_replace('/[ \t]*\n[ \t]+/', ' ', rtrim($str[0]));
        $str = preg_split('/=\?([^?]+)\?([bqBQ])\?(.*?)\?=/', $str, -1, PREG_SPLIT_DELIM_CAPTURE);

        $result = self::iconv('utf-8', $charset, $str[0]);
        if (false === $result) {
            return false;
        }

        $i = 1;
        $len = \count($str);

        while ($i < $len) {
            $c = strtolower($str[$i]);
            if ((ICONV_MIME_DECODE_CONTINUE_ON_ERROR & $mode)
              && 'utf-8' !== $c
              && !isset(self::$alias[$c])
              && !self::loadMap('from.', $c, $d)) {
                $d = false;
            } elseif ('B' === strtoupper($str[$i + 1])) {
                $d = base64_decode($str[$i + 2]);
            } else {
                $d = rawurldecode(strtr(str_replace('%', '%25', $str[$i + 2]), '=_', '% '));
            }

            if (false !== $d) {
                if ('' !== $d) {
                    if ('' === $d = self::iconv($c, $charset, $d)) {
                        $str[$i + 3] = substr($str[$i + 3], 1);
                    } else {
                        $result .= $d;
                    }
                }
                $d = self::iconv('utf-8', $charset, $str[$i + 3]);
                if ('' !== trim($d)) {
                    $result .= $d;
                }
            } elseif (ICONV_MIME_DECODE_CONTINUE_ON_ERROR & $mode) {
                $result .= "=?{$str[$i]}?{$str[$i + 1]}?{$str[$i + 2]}?={$str[$i + 3]}";
            } else {
                $result = false;
                break;
            }

            $i += 4;
        }

        return $result;
    }

    public static function iconv_get_encoding($type = 'all')
    {
        switch ($type) {
            case 'input_encoding': return self::$inputEncoding;
            case 'output_encoding': return self::$outputEncoding;
            case 'internal_encoding': return self::$internalEncoding;
        }

        return array(
            'input_encoding' => self::$inputEncoding,
            'output_encoding' => self::$outputEncoding,
            'internal_encoding' => self::$internalEncoding,
        );
    }

    public static function iconv_set_encoding($type, $charset)
    {
        switch ($type) {
            case 'input_encoding': self::$inputEncoding = $charset; break;
            case 'output_encoding': self::$outputEncoding = $charset; break;
            case 'internal_encoding': self::$internalEncoding = $charset; break;

            default: return false;
        }

        return true;
    }

    public static function iconv_mime_encode($fieldName, $fieldValue, $pref = null)
    {
        if (!\is_array($pref)) {
            $pref = array();
        }

        $pref += array(
            'scheme' => 'B',
            'input-charset' => self::$internalEncoding,
            'output-charset' => self::$internalEncoding,
            'line-length' => 76,
            'line-break-chars' => "\r\n",
        );

        if (preg_match('/[\x80-\xFF]/', $fieldName)) {
            $fieldName = '';
        }

        $scheme = strtoupper(substr($pref['scheme'], 0, 1));
        $in = strtolower($pref['input-charset']);
        $out = strtolower($pref['output-charset']);

        if ('utf-8' !== $in && false === $fieldValue = self::iconv($in, 'utf-8', $fieldValue)) {
            return false;
        }

        preg_match_all('/./us', $fieldValue, $chars);

        $chars = isset($chars[0]) ? $chars[0] : array();

        $lineBreak = (int) $pref['line-length'];
        $lineStart = "=?{$pref['output-charset']}?{$scheme}?";
        $lineLength = \strlen($fieldName) + 2 + \strlen($lineStart) + 2;
        $lineOffset = \strlen($lineStart) + 3;
        $lineData = '';

        $fieldValue = array();

        $Q = 'Q' === $scheme;

        foreach ($chars as $c) {
            if ('utf-8' !== $out && false === $c = self::iconv('utf-8', $out, $c)) {
                return false;
            }

            $o = $Q
                ? $c = preg_replace_callback(
                    '/[=_\?\x00-\x1F\x80-\xFF]/',
                    array(__CLASS__, 'qpByteCallback'),
                    $c
                )
                : base64_encode($lineData.$c);

            if (isset($o[$lineBreak - $lineLength])) {
                if (!$Q) {
                    $lineData = base64_encode($lineData);
                }
                $fieldValue[] = $lineStart.$lineData.'?=';
                $lineLength = $lineOffset;
                $lineData = '';
            }

            $lineData .= $c;
            $Q && $lineLength += \strlen($c);
        }

        if ('' !== $lineData) {
            if (!$Q) {
                $lineData = base64_encode($lineData);
            }
            $fieldValue[] = $lineStart.$lineData.'?=';
        }

        return $fieldName.': '.implode($pref['line-break-chars'].' ', $fieldValue);
    }

    public static function iconv_strlen($s, $encoding = null)
    {
        static $hasXml = null;
        if (null === $hasXml) {
            $hasXml = \extension_loaded('xml');
        }

        if ($hasXml) {
            return self::strlen1($s, $encoding);
        }

        return self::strlen2($s, $encoding);
    }

    public static function strlen1($s, $encoding = null)
    {
        if (null === $encoding) {
            $encoding = self::$internalEncoding;
        }
        if (0 !== stripos($encoding, 'utf-8') && false === $s = self::iconv($encoding, 'utf-8', $s)) {
            return false;
        }

        return \strlen(utf8_decode($s));
    }

    public static function strlen2($s, $encoding = null)
    {
        if (null === $encoding) {
            $encoding = self::$internalEncoding;
        }
        if (0 !== stripos($encoding, 'utf-8') && false === $s = self::iconv($encoding, 'utf-8', $s)) {
            return false;
        }

        $ulenMask = self::$ulenMask;

        $i = 0;
        $j = 0;
        $len = \strlen($s);

        while ($i < $len) {
            $u = $s[$i] & "\xF0";
            $i += isset($ulenMask[$u]) ? $ulenMask[$u] : 1;
            ++$j;
        }

        return $j;
    }

    public static function iconv_strpos($haystack, $needle, $offset = 0, $encoding = null)
    {
        if (null === $encoding) {
            $encoding = self::$internalEncoding;
        }

        if (0 !== stripos($encoding, 'utf-8')) {
            if (false === $haystack = self::iconv($encoding, 'utf-8', $haystack)) {
                return false;
            }
            if (false === $needle = self::iconv($encoding, 'utf-8', $needle)) {
                return false;
            }
        }

        if ($offset = (int) $offset) {
            $haystack = self::iconv_substr($haystack, $offset, 2147483647, 'utf-8');
        }
        $pos = strpos($haystack, $needle);

        return false === $pos ? false : ($offset + ($pos ? self::iconv_strlen(substr($haystack, 0, $pos), 'utf-8') : 0));
    }

    public static function iconv_strrpos($haystack, $needle, $encoding = null)
    {
        if (null === $encoding) {
            $encoding = self::$internalEncoding;
        }

        if (0 !== stripos($encoding, 'utf-8')) {
            if (false === $haystack = self::iconv($encoding, 'utf-8', $haystack)) {
                return false;
            }
            if (false === $needle = self::iconv($encoding, 'utf-8', $needle)) {
                return false;
            }
        }

        $pos = isset($needle[0]) ? strrpos($haystack, $needle) : false;

        return false === $pos ? false : self::iconv_strlen($pos ? substr($haystack, 0, $pos) : $haystack, 'utf-8');
    }

    public static function iconv_substr($s, $start, $length = 2147483647, $encoding = null)
    {
        if (null === $encoding) {
            $encoding = self::$internalEncoding;
        }
        if (0 !== stripos($encoding, 'utf-8')) {
            $encoding = null;
        } elseif (false === $s = self::iconv($encoding, 'utf-8', $s)) {
            return false;
        }

        $s = (string) $s;
        $slen = self::iconv_strlen($s, 'utf-8');
        $start = (int) $start;

        if (0 > $start) {
            $start += $slen;
        }
        if (0 > $start) {
            return false;
        }
        if ($start >= $slen) {
            return false;
        }

        $rx = $slen - $start;

        if (0 > $length) {
            $length += $rx;
        }
        if (0 === $length) {
            return '';
        }
        if (0 > $length) {
            return false;
        }

        if ($length > $rx) {
            $length = $rx;
        }

        $rx = '/^'.($start ? self::pregOffset($start) : '').'('.self::pregOffset($length).')/u';

        $s = preg_match($rx, $s, $s) ? $s[1] : '';

        if (null === $encoding) {
            return $s;
        }

        return self::iconv('utf-8', $encoding, $s);
    }

    private static function loadMap($type, $charset, &$map)
    {
        if (!isset(self::$convertMap[$type.$charset])) {
            if (false === $map = self::getData($type.$charset)) {
                if ('to.' === $type && self::loadMap('from.', $charset, $map)) {
                    $map = array_flip($map);
                } else {
                    return false;
                }
            }

            self::$convertMap[$type.$charset] = $map;
        } else {
            $map = self::$convertMap[$type.$charset];
        }

        return true;
    }

    private static function utf8ToUtf8($str, $ignore)
    {
        $ulenMask = self::$ulenMask;
        $valid = self::$isValidUtf8;

        $u = $str;
        $i = $j = 0;
        $len = \strlen($str);

        while ($i < $len) {
            if ($str[$i] < "\x80") {
                $u[$j++] = $str[$i++];
            } else {
                $ulen = $str[$i] & "\xF0";
                $ulen = isset($ulenMask[$ulen]) ? $ulenMask[$ulen] : 1;
                $uchr = substr($str, $i, $ulen);

                if (1 === $ulen || !($valid || preg_match('/^.$/us', $uchr))) {
                    if ($ignore) {
                        ++$i;
                        continue;
                    }

                    trigger_error(self::ERROR_ILLEGAL_CHARACTER);

                    return false;
                } else {
                    $i += $ulen;
                }

                $u[$j++] = $uchr[0];

                isset($uchr[1]) && 0 !== ($u[$j++] = $uchr[1])
                    && isset($uchr[2]) && 0 !== ($u[$j++] = $uchr[2])
                    && isset($uchr[3]) && 0 !== ($u[$j++] = $uchr[3]);
            }
        }

        return substr($u, 0, $j);
    }

    private static function mapToUtf8(&$result, array $map, $str, $ignore)
    {
        $len = \strlen($str);
        for ($i = 0; $i < $len; ++$i) {
            if (isset($str[$i + 1], $map[$str[$i].$str[$i + 1]])) {
                $result .= $map[$str[$i].$str[++$i]];
            } elseif (isset($map[$str[$i]])) {
                $result .= $map[$str[$i]];
            } elseif (!$ignore) {
                trigger_error(self::ERROR_ILLEGAL_CHARACTER);

                return false;
            }
        }

        return true;
    }

    private static function mapFromUtf8(&$result, array $map, $str, $ignore, $translit)
    {
        $ulenMask = self::$ulenMask;
        $valid = self::$isValidUtf8;

        if ($translit && !self::$translitMap) {
            self::$translitMap = self::getData('translit');
        }

        $i = 0;
        $len = \strlen($str);

        while ($i < $len) {
            if ($str[$i] < "\x80") {
                $uchr = $str[$i++];
            } else {
                $ulen = $str[$i] & "\xF0";
                $ulen = isset($ulenMask[$ulen]) ? $ulenMask[$ulen] : 1;
                $uchr = substr($str, $i, $ulen);

                if ($ignore && (1 === $ulen || !($valid || preg_match('/^.$/us', $uchr)))) {
                    ++$i;
                    continue;
                } else {
                    $i += $ulen;
                }
            }

            if (isset($map[$uchr])) {
                $result .= $map[$uchr];
            } elseif ($translit) {
                if (isset(self::$translitMap[$uchr])) {
                    $uchr = self::$translitMap[$uchr];
                } elseif ($uchr >= "\xC3\x80") {
                    $uchr = \Normalizer::normalize($uchr, \Normalizer::NFD);

                    if ($uchr[0] < "\x80") {
                        $uchr = $uchr[0];
                    } elseif ($ignore) {
                        continue;
                    } else {
                        return false;
                    }
                } elseif ($ignore) {
                    continue;
                } else {
                    return false;
                }

                $str = $uchr.substr($str, $i);
                $len = \strlen($str);
                $i = 0;
            } elseif (!$ignore) {
                return false;
            }
        }

        return true;
    }

    private static function qpByteCallback(array $m)
    {
        return '='.strtoupper(dechex(\ord($m[0])));
    }

    private static function pregOffset($offset)
    {
        $rx = array();
        $offset = (int) $offset;

        while ($offset > 65535) {
            $rx[] = '.{65535}';
            $offset -= 65535;
        }

        return implode('', $rx).'.{'.$offset.'}';
    }

    private static function getData($file)
    {
        if (file_exists($file = __DIR__.'/Resources/charset/'.$file.'.php')) {
            return require $file;
        }

        return false;
    }
}
symfony/polyfill-iconv/LICENSE000064400000002051151330736600012225 0ustar00Copyright (c) 2015-2019 Fabien Potencier

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.
symfony/polyfill-iconv/Resources/charset/from.cp037.php000064400000007303151330736600017137 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => 'œ',
  '' => '	',
  '' => '†',
  '' => '',
  '' => '—',
  '	' => '',
  '
' => 'Ž',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '…',
  '' => '',
  '' => '‡',
  '' => '',
  '' => '',
  '' => '’',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => '€',
  '!' => '',
  '"' => '‚',
  '#' => 'ƒ',
  '$' => '„',
  '%' => '
',
  '&' => '',
  '\'' => '',
  '(' => 'ˆ',
  ')' => '‰',
  '*' => 'Š',
  '+' => '‹',
  ',' => 'Œ',
  '-' => '',
  '.' => '',
  '/' => '',
  0 => '',
  1 => '‘',
  2 => '',
  3 => '“',
  4 => '”',
  5 => '•',
  6 => '–',
  7 => '',
  8 => '˜',
  9 => '™',
  ':' => 'š',
  ';' => '›',
  '<' => '',
  '=' => '',
  '>' => 'ž',
  '?' => '',
  '@' => ' ',
  'A' => ' ',
  'B' => 'â',
  'C' => 'ä',
  'D' => 'à',
  'E' => 'á',
  'F' => 'ã',
  'G' => 'å',
  'H' => 'ç',
  'I' => 'ñ',
  'J' => '¢',
  'K' => '.',
  'L' => '<',
  'M' => '(',
  'N' => '+',
  'O' => '|',
  'P' => '&',
  'Q' => 'é',
  'R' => 'ê',
  'S' => 'ë',
  'T' => 'è',
  'U' => 'í',
  'V' => 'î',
  'W' => 'ï',
  'X' => 'ì',
  'Y' => 'ß',
  'Z' => '!',
  '[' => '$',
  '\\' => '*',
  ']' => ')',
  '^' => ';',
  '_' => '¬',
  '`' => '-',
  'a' => '/',
  'b' => 'Â',
  'c' => 'Ä',
  'd' => 'À',
  'e' => 'Á',
  'f' => 'Ã',
  'g' => 'Å',
  'h' => 'Ç',
  'i' => 'Ñ',
  'j' => '¦',
  'k' => ',',
  'l' => '%',
  'm' => '_',
  'n' => '>',
  'o' => '?',
  'p' => 'ø',
  'q' => 'É',
  'r' => 'Ê',
  's' => 'Ë',
  't' => 'È',
  'u' => 'Í',
  'v' => 'Î',
  'w' => 'Ï',
  'x' => 'Ì',
  'y' => '`',
  'z' => ':',
  '{' => '#',
  '|' => '@',
  '}' => '\'',
  '~' => '=',
  '' => '"',
  '�' => 'Ø',
  '�' => 'a',
  '�' => 'b',
  '�' => 'c',
  '�' => 'd',
  '�' => 'e',
  '�' => 'f',
  '�' => 'g',
  '�' => 'h',
  '�' => 'i',
  '�' => '«',
  '�' => '»',
  '�' => 'ð',
  '�' => 'ý',
  '�' => 'þ',
  '�' => '±',
  '�' => '°',
  '�' => 'j',
  '�' => 'k',
  '�' => 'l',
  '�' => 'm',
  '�' => 'n',
  '�' => 'o',
  '�' => 'p',
  '�' => 'q',
  '�' => 'r',
  '�' => 'ª',
  '�' => 'º',
  '�' => 'æ',
  '�' => '¸',
  '�' => 'Æ',
  '�' => '¤',
  '�' => 'µ',
  '�' => '~',
  '�' => 's',
  '�' => 't',
  '�' => 'u',
  '�' => 'v',
  '�' => 'w',
  '�' => 'x',
  '�' => 'y',
  '�' => 'z',
  '�' => '¡',
  '�' => '¿',
  '�' => 'Ð',
  '�' => 'Ý',
  '�' => 'Þ',
  '�' => '®',
  '�' => '^',
  '�' => '£',
  '�' => '¥',
  '�' => '·',
  '�' => '©',
  '�' => '§',
  '�' => '¶',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '[',
  '�' => ']',
  '�' => '¯',
  '�' => '¨',
  '�' => '´',
  '�' => '×',
  '�' => '{',
  '�' => 'A',
  '�' => 'B',
  '�' => 'C',
  '�' => 'D',
  '�' => 'E',
  '�' => 'F',
  '�' => 'G',
  '�' => 'H',
  '�' => 'I',
  '�' => '­',
  '�' => 'ô',
  '�' => 'ö',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'õ',
  '�' => '}',
  '�' => 'J',
  '�' => 'K',
  '�' => 'L',
  '�' => 'M',
  '�' => 'N',
  '�' => 'O',
  '�' => 'P',
  '�' => 'Q',
  '�' => 'R',
  '�' => '¹',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'ÿ',
  '�' => '\\',
  '�' => '÷',
  '�' => 'S',
  '�' => 'T',
  '�' => 'U',
  '�' => 'V',
  '�' => 'W',
  '�' => 'X',
  '�' => 'Y',
  '�' => 'Z',
  '�' => '²',
  '�' => 'Ô',
  '�' => 'Ö',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Õ',
  '�' => '0',
  '�' => '1',
  '�' => '2',
  '�' => '3',
  '�' => '4',
  '�' => '5',
  '�' => '6',
  '�' => '7',
  '�' => '8',
  '�' => '9',
  '�' => '³',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1256.php000064400000007330151330736600020370 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => 'پ',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'ٹ',
  '�' => '‹',
  '�' => 'Œ',
  '�' => 'چ',
  '�' => 'ژ',
  '�' => 'ڈ',
  '�' => 'گ',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => 'ک',
  '�' => '™',
  '�' => 'ڑ',
  '�' => '›',
  '�' => 'œ',
  '�' => '‌',
  '�' => '‍',
  '�' => 'ں',
  '�' => ' ',
  '�' => '،',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => 'ھ',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => '¹',
  '�' => '؛',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '؟',
  '�' => 'ہ',
  '�' => 'ء',
  '�' => 'آ',
  '�' => 'أ',
  '�' => 'ؤ',
  '�' => 'إ',
  '�' => 'ئ',
  '�' => 'ا',
  '�' => 'ب',
  '�' => 'ة',
  '�' => 'ت',
  '�' => 'ث',
  '�' => 'ج',
  '�' => 'ح',
  '�' => 'خ',
  '�' => 'د',
  '�' => 'ذ',
  '�' => 'ر',
  '�' => 'ز',
  '�' => 'س',
  '�' => 'ش',
  '�' => 'ص',
  '�' => 'ض',
  '�' => '×',
  '�' => 'ط',
  '�' => 'ظ',
  '�' => 'ع',
  '�' => 'غ',
  '�' => 'ـ',
  '�' => 'ف',
  '�' => 'ق',
  '�' => 'ك',
  '�' => 'à',
  '�' => 'ل',
  '�' => 'â',
  '�' => 'م',
  '�' => 'ن',
  '�' => 'ه',
  '�' => 'و',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ى',
  '�' => 'ي',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ً',
  '�' => 'ٌ',
  '�' => 'ٍ',
  '�' => 'َ',
  '�' => 'ô',
  '�' => 'ُ',
  '�' => 'ِ',
  '�' => '÷',
  '�' => 'ّ',
  '�' => 'ù',
  '�' => 'ْ',
  '�' => 'û',
  '�' => 'ü',
  '�' => '‎',
  '�' => '‏',
  '�' => 'ے',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1251.php000064400000007306151330736600020366 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ђ',
  '�' => 'Ѓ',
  '�' => '‚',
  '�' => 'ѓ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => '€',
  '�' => '‰',
  '�' => 'Љ',
  '�' => '‹',
  '�' => 'Њ',
  '�' => 'Ќ',
  '�' => 'Ћ',
  '�' => 'Џ',
  '�' => 'ђ',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '™',
  '�' => 'љ',
  '�' => '›',
  '�' => 'њ',
  '�' => 'ќ',
  '�' => 'ћ',
  '�' => 'џ',
  '�' => ' ',
  '�' => 'Ў',
  '�' => 'ў',
  '�' => 'Ј',
  '�' => '¤',
  '�' => 'Ґ',
  '�' => '¦',
  '�' => '§',
  '�' => 'Ё',
  '�' => '©',
  '�' => 'Є',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => 'Ї',
  '�' => '°',
  '�' => '±',
  '�' => 'І',
  '�' => 'і',
  '�' => 'ґ',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => 'ё',
  '�' => '№',
  '�' => 'є',
  '�' => '»',
  '�' => 'ј',
  '�' => 'Ѕ',
  '�' => 'ѕ',
  '�' => 'ї',
  '�' => 'А',
  '�' => 'Б',
  '�' => 'В',
  '�' => 'Г',
  '�' => 'Д',
  '�' => 'Е',
  '�' => 'Ж',
  '�' => 'З',
  '�' => 'И',
  '�' => 'Й',
  '�' => 'К',
  '�' => 'Л',
  '�' => 'М',
  '�' => 'Н',
  '�' => 'О',
  '�' => 'П',
  '�' => 'Р',
  '�' => 'С',
  '�' => 'Т',
  '�' => 'У',
  '�' => 'Ф',
  '�' => 'Х',
  '�' => 'Ц',
  '�' => 'Ч',
  '�' => 'Ш',
  '�' => 'Щ',
  '�' => 'Ъ',
  '�' => 'Ы',
  '�' => 'Ь',
  '�' => 'Э',
  '�' => 'Ю',
  '�' => 'Я',
  '�' => 'а',
  '�' => 'б',
  '�' => 'в',
  '�' => 'г',
  '�' => 'д',
  '�' => 'е',
  '�' => 'ж',
  '�' => 'з',
  '�' => 'и',
  '�' => 'й',
  '�' => 'к',
  '�' => 'л',
  '�' => 'м',
  '�' => 'н',
  '�' => 'о',
  '�' => 'п',
  '�' => 'р',
  '�' => 'с',
  '�' => 'т',
  '�' => 'у',
  '�' => 'ф',
  '�' => 'х',
  '�' => 'ц',
  '�' => 'ч',
  '�' => 'ш',
  '�' => 'щ',
  '�' => 'ъ',
  '�' => 'ы',
  '�' => 'ь',
  '�' => 'э',
  '�' => 'ю',
  '�' => 'я',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1258.php000064400000007116151330736600020374 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => '›',
  '�' => 'œ',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '¡',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => 'ª',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => '¹',
  '�' => 'º',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '¿',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ă',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => '̀',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Đ',
  '�' => 'Ñ',
  '�' => '̉',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Ơ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ø',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ư',
  '�' => '̃',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ă',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => '́',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'đ',
  '�' => 'ñ',
  '�' => '̣',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'ơ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ø',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ư',
  '�' => '₫',
  '�' => 'ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp500.php000064400000007303151330736600017132 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => 'œ',
  '' => '	',
  '' => '†',
  '' => '',
  '' => '—',
  '	' => '',
  '
' => 'Ž',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '…',
  '' => '',
  '' => '‡',
  '' => '',
  '' => '',
  '' => '’',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => '€',
  '!' => '',
  '"' => '‚',
  '#' => 'ƒ',
  '$' => '„',
  '%' => '
',
  '&' => '',
  '\'' => '',
  '(' => 'ˆ',
  ')' => '‰',
  '*' => 'Š',
  '+' => '‹',
  ',' => 'Œ',
  '-' => '',
  '.' => '',
  '/' => '',
  0 => '',
  1 => '‘',
  2 => '',
  3 => '“',
  4 => '”',
  5 => '•',
  6 => '–',
  7 => '',
  8 => '˜',
  9 => '™',
  ':' => 'š',
  ';' => '›',
  '<' => '',
  '=' => '',
  '>' => 'ž',
  '?' => '',
  '@' => ' ',
  'A' => ' ',
  'B' => 'â',
  'C' => 'ä',
  'D' => 'à',
  'E' => 'á',
  'F' => 'ã',
  'G' => 'å',
  'H' => 'ç',
  'I' => 'ñ',
  'J' => '[',
  'K' => '.',
  'L' => '<',
  'M' => '(',
  'N' => '+',
  'O' => '!',
  'P' => '&',
  'Q' => 'é',
  'R' => 'ê',
  'S' => 'ë',
  'T' => 'è',
  'U' => 'í',
  'V' => 'î',
  'W' => 'ï',
  'X' => 'ì',
  'Y' => 'ß',
  'Z' => ']',
  '[' => '$',
  '\\' => '*',
  ']' => ')',
  '^' => ';',
  '_' => '^',
  '`' => '-',
  'a' => '/',
  'b' => 'Â',
  'c' => 'Ä',
  'd' => 'À',
  'e' => 'Á',
  'f' => 'Ã',
  'g' => 'Å',
  'h' => 'Ç',
  'i' => 'Ñ',
  'j' => '¦',
  'k' => ',',
  'l' => '%',
  'm' => '_',
  'n' => '>',
  'o' => '?',
  'p' => 'ø',
  'q' => 'É',
  'r' => 'Ê',
  's' => 'Ë',
  't' => 'È',
  'u' => 'Í',
  'v' => 'Î',
  'w' => 'Ï',
  'x' => 'Ì',
  'y' => '`',
  'z' => ':',
  '{' => '#',
  '|' => '@',
  '}' => '\'',
  '~' => '=',
  '' => '"',
  '�' => 'Ø',
  '�' => 'a',
  '�' => 'b',
  '�' => 'c',
  '�' => 'd',
  '�' => 'e',
  '�' => 'f',
  '�' => 'g',
  '�' => 'h',
  '�' => 'i',
  '�' => '«',
  '�' => '»',
  '�' => 'ð',
  '�' => 'ý',
  '�' => 'þ',
  '�' => '±',
  '�' => '°',
  '�' => 'j',
  '�' => 'k',
  '�' => 'l',
  '�' => 'm',
  '�' => 'n',
  '�' => 'o',
  '�' => 'p',
  '�' => 'q',
  '�' => 'r',
  '�' => 'ª',
  '�' => 'º',
  '�' => 'æ',
  '�' => '¸',
  '�' => 'Æ',
  '�' => '¤',
  '�' => 'µ',
  '�' => '~',
  '�' => 's',
  '�' => 't',
  '�' => 'u',
  '�' => 'v',
  '�' => 'w',
  '�' => 'x',
  '�' => 'y',
  '�' => 'z',
  '�' => '¡',
  '�' => '¿',
  '�' => 'Ð',
  '�' => 'Ý',
  '�' => 'Þ',
  '�' => '®',
  '�' => '¢',
  '�' => '£',
  '�' => '¥',
  '�' => '·',
  '�' => '©',
  '�' => '§',
  '�' => '¶',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '¬',
  '�' => '|',
  '�' => '¯',
  '�' => '¨',
  '�' => '´',
  '�' => '×',
  '�' => '{',
  '�' => 'A',
  '�' => 'B',
  '�' => 'C',
  '�' => 'D',
  '�' => 'E',
  '�' => 'F',
  '�' => 'G',
  '�' => 'H',
  '�' => 'I',
  '�' => '­',
  '�' => 'ô',
  '�' => 'ö',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'õ',
  '�' => '}',
  '�' => 'J',
  '�' => 'K',
  '�' => 'L',
  '�' => 'M',
  '�' => 'N',
  '�' => 'O',
  '�' => 'P',
  '�' => 'Q',
  '�' => 'R',
  '�' => '¹',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'ÿ',
  '�' => '\\',
  '�' => '÷',
  '�' => 'S',
  '�' => 'T',
  '�' => 'U',
  '�' => 'V',
  '�' => 'W',
  '�' => 'X',
  '�' => 'Y',
  '�' => 'Z',
  '�' => '²',
  '�' => 'Ô',
  '�' => 'Ö',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Õ',
  '�' => '0',
  '�' => '1',
  '�' => '2',
  '�' => '3',
  '�' => '4',
  '�' => '5',
  '�' => '6',
  '�' => '7',
  '�' => '8',
  '�' => '9',
  '�' => '³',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp856.php000064400000006172151330736600017153 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'א',
  '�' => 'ב',
  '�' => 'ג',
  '�' => 'ד',
  '�' => 'ה',
  '�' => 'ו',
  '�' => 'ז',
  '�' => 'ח',
  '�' => 'ט',
  '�' => 'י',
  '�' => 'ך',
  '�' => 'כ',
  '�' => 'ל',
  '�' => 'ם',
  '�' => 'מ',
  '�' => 'ן',
  '�' => 'נ',
  '�' => 'ס',
  '�' => 'ע',
  '�' => 'ף',
  '�' => 'פ',
  '�' => 'ץ',
  '�' => 'צ',
  '�' => 'ק',
  '�' => 'ר',
  '�' => 'ש',
  '�' => 'ת',
  '�' => '£',
  '�' => '×',
  '�' => '®',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '©',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '¢',
  '�' => '¥',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '¤',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '¦',
  '�' => '▀',
  '�' => 'µ',
  '�' => '¯',
  '�' => '´',
  '�' => '­',
  '�' => '±',
  '�' => '‗',
  '�' => '¾',
  '�' => '¶',
  '�' => '§',
  '�' => '÷',
  '�' => '¸',
  '�' => '°',
  '�' => '¨',
  '�' => '·',
  '�' => '¹',
  '�' => '³',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp424.php000064400000006212151330736600017135 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => 'œ',
  '' => '	',
  '' => '†',
  '' => '',
  '' => '—',
  '	' => '',
  '
' => 'Ž',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '…',
  '' => '',
  '' => '‡',
  '' => '',
  '' => '',
  '' => '’',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => '€',
  '!' => '',
  '"' => '‚',
  '#' => 'ƒ',
  '$' => '„',
  '%' => '
',
  '&' => '',
  '\'' => '',
  '(' => 'ˆ',
  ')' => '‰',
  '*' => 'Š',
  '+' => '‹',
  ',' => 'Œ',
  '-' => '',
  '.' => '',
  '/' => '',
  0 => '',
  1 => '‘',
  2 => '',
  3 => '“',
  4 => '”',
  5 => '•',
  6 => '–',
  7 => '',
  8 => '˜',
  9 => '™',
  ':' => 'š',
  ';' => '›',
  '<' => '',
  '=' => '',
  '>' => 'ž',
  '?' => '',
  '@' => ' ',
  'A' => 'א',
  'B' => 'ב',
  'C' => 'ג',
  'D' => 'ד',
  'E' => 'ה',
  'F' => 'ו',
  'G' => 'ז',
  'H' => 'ח',
  'I' => 'ט',
  'J' => '¢',
  'K' => '.',
  'L' => '<',
  'M' => '(',
  'N' => '+',
  'O' => '|',
  'P' => '&',
  'Q' => 'י',
  'R' => 'ך',
  'S' => 'כ',
  'T' => 'ל',
  'U' => 'ם',
  'V' => 'מ',
  'W' => 'ן',
  'X' => 'נ',
  'Y' => 'ס',
  'Z' => '!',
  '[' => '$',
  '\\' => '*',
  ']' => ')',
  '^' => ';',
  '_' => '¬',
  '`' => '-',
  'a' => '/',
  'b' => 'ע',
  'c' => 'ף',
  'd' => 'פ',
  'e' => 'ץ',
  'f' => 'צ',
  'g' => 'ק',
  'h' => 'ר',
  'i' => 'ש',
  'j' => '¦',
  'k' => ',',
  'l' => '%',
  'm' => '_',
  'n' => '>',
  'o' => '?',
  'q' => 'ת',
  't' => ' ',
  'x' => '‗',
  'y' => '`',
  'z' => ':',
  '{' => '#',
  '|' => '@',
  '}' => '\'',
  '~' => '=',
  '' => '"',
  '�' => 'a',
  '�' => 'b',
  '�' => 'c',
  '�' => 'd',
  '�' => 'e',
  '�' => 'f',
  '�' => 'g',
  '�' => 'h',
  '�' => 'i',
  '�' => '«',
  '�' => '»',
  '�' => '±',
  '�' => '°',
  '�' => 'j',
  '�' => 'k',
  '�' => 'l',
  '�' => 'm',
  '�' => 'n',
  '�' => 'o',
  '�' => 'p',
  '�' => 'q',
  '�' => 'r',
  '�' => '¸',
  '�' => '¤',
  '�' => 'µ',
  '�' => '~',
  '�' => 's',
  '�' => 't',
  '�' => 'u',
  '�' => 'v',
  '�' => 'w',
  '�' => 'x',
  '�' => 'y',
  '�' => 'z',
  '�' => '®',
  '�' => '^',
  '�' => '£',
  '�' => '¥',
  '�' => '·',
  '�' => '©',
  '�' => '§',
  '�' => '¶',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '[',
  '�' => ']',
  '�' => '¯',
  '�' => '¨',
  '�' => '´',
  '�' => '×',
  '�' => '{',
  '�' => 'A',
  '�' => 'B',
  '�' => 'C',
  '�' => 'D',
  '�' => 'E',
  '�' => 'F',
  '�' => 'G',
  '�' => 'H',
  '�' => 'I',
  '�' => '­',
  '�' => '}',
  '�' => 'J',
  '�' => 'K',
  '�' => 'L',
  '�' => 'M',
  '�' => 'N',
  '�' => 'O',
  '�' => 'P',
  '�' => 'Q',
  '�' => 'R',
  '�' => '¹',
  '�' => '\\',
  '�' => '÷',
  '�' => 'S',
  '�' => 'T',
  '�' => 'U',
  '�' => 'V',
  '�' => 'W',
  '�' => 'X',
  '�' => 'Y',
  '�' => 'Z',
  '�' => '²',
  '�' => '0',
  '�' => '1',
  '�' => '2',
  '�' => '3',
  '�' => '4',
  '�' => '5',
  '�' => '6',
  '�' => '7',
  '�' => '8',
  '�' => '9',
  '�' => '³',
  '�' => 'Ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-11.php000064400000007242151330736600017731 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => 'ก',
  '�' => 'ข',
  '�' => 'ฃ',
  '�' => 'ค',
  '�' => 'ฅ',
  '�' => 'ฆ',
  '�' => 'ง',
  '�' => 'จ',
  '�' => 'ฉ',
  '�' => 'ช',
  '�' => 'ซ',
  '�' => 'ฌ',
  '�' => 'ญ',
  '�' => 'ฎ',
  '�' => 'ฏ',
  '�' => 'ฐ',
  '�' => 'ฑ',
  '�' => 'ฒ',
  '�' => 'ณ',
  '�' => 'ด',
  '�' => 'ต',
  '�' => 'ถ',
  '�' => 'ท',
  '�' => 'ธ',
  '�' => 'น',
  '�' => 'บ',
  '�' => 'ป',
  '�' => 'ผ',
  '�' => 'ฝ',
  '�' => 'พ',
  '�' => 'ฟ',
  '�' => 'ภ',
  '�' => 'ม',
  '�' => 'ย',
  '�' => 'ร',
  '�' => 'ฤ',
  '�' => 'ล',
  '�' => 'ฦ',
  '�' => 'ว',
  '�' => 'ศ',
  '�' => 'ษ',
  '�' => 'ส',
  '�' => 'ห',
  '�' => 'ฬ',
  '�' => 'อ',
  '�' => 'ฮ',
  '�' => 'ฯ',
  '�' => 'ะ',
  '�' => 'ั',
  '�' => 'า',
  '�' => 'ำ',
  '�' => 'ิ',
  '�' => 'ี',
  '�' => 'ึ',
  '�' => 'ื',
  '�' => 'ุ',
  '�' => 'ู',
  '�' => 'ฺ',
  '�' => '฿',
  '�' => 'เ',
  '�' => 'แ',
  '�' => 'โ',
  '�' => 'ใ',
  '�' => 'ไ',
  '�' => 'ๅ',
  '�' => 'ๆ',
  '�' => '็',
  '�' => '่',
  '�' => '้',
  '�' => '๊',
  '�' => '๋',
  '�' => '์',
  '�' => 'ํ',
  '�' => '๎',
  '�' => '๏',
  '�' => '๐',
  '�' => '๑',
  '�' => '๒',
  '�' => '๓',
  '�' => '๔',
  '�' => '๕',
  '�' => '๖',
  '�' => '๗',
  '�' => '๘',
  '�' => '๙',
  '�' => '๚',
  '�' => '๛',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp863.php000064400000007401151330736600017145 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ç',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'â',
  '�' => 'Â',
  '�' => 'à',
  '�' => '¶',
  '�' => 'ç',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'è',
  '�' => 'ï',
  '�' => 'î',
  '�' => '‗',
  '�' => 'À',
  '�' => '§',
  '�' => 'É',
  '�' => 'È',
  '�' => 'Ê',
  '�' => 'ô',
  '�' => 'Ë',
  '�' => 'Ï',
  '�' => 'û',
  '�' => 'ù',
  '�' => '¤',
  '�' => 'Ô',
  '�' => 'Ü',
  '�' => '¢',
  '�' => '£',
  '�' => 'Ù',
  '�' => 'Û',
  '�' => 'ƒ',
  '�' => '¦',
  '�' => '´',
  '�' => 'ó',
  '�' => 'ú',
  '�' => '¨',
  '�' => '¸',
  '�' => '³',
  '�' => '¯',
  '�' => 'Î',
  '�' => '⌐',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '¾',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '╡',
  '�' => '╢',
  '�' => '╖',
  '�' => '╕',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '╜',
  '�' => '╛',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╞',
  '�' => '╟',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '╧',
  '�' => '╨',
  '�' => '╤',
  '�' => '╥',
  '�' => '╙',
  '�' => '╘',
  '�' => '╒',
  '�' => '╓',
  '�' => '╫',
  '�' => '╪',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'α',
  '�' => 'ß',
  '�' => 'Γ',
  '�' => 'π',
  '�' => 'Σ',
  '�' => 'σ',
  '�' => 'µ',
  '�' => 'τ',
  '�' => 'Φ',
  '�' => 'Θ',
  '�' => 'Ω',
  '�' => 'δ',
  '�' => '∞',
  '�' => 'φ',
  '�' => 'ε',
  '�' => '∩',
  '�' => '≡',
  '�' => '±',
  '�' => '≥',
  '�' => '≤',
  '�' => '⌠',
  '�' => '⌡',
  '�' => '÷',
  '�' => '≈',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '√',
  '�' => 'ⁿ',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-16.php000064400000007306151330736600017737 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => 'Ą',
  '�' => 'ą',
  '�' => 'Ł',
  '�' => '€',
  '�' => '„',
  '�' => 'Š',
  '�' => '§',
  '�' => 'š',
  '�' => '©',
  '�' => 'Ș',
  '�' => '«',
  '�' => 'Ź',
  '�' => '­',
  '�' => 'ź',
  '�' => 'Ż',
  '�' => '°',
  '�' => '±',
  '�' => 'Č',
  '�' => 'ł',
  '�' => 'Ž',
  '�' => '”',
  '�' => '¶',
  '�' => '·',
  '�' => 'ž',
  '�' => 'č',
  '�' => 'ș',
  '�' => '»',
  '�' => 'Œ',
  '�' => 'œ',
  '�' => 'Ÿ',
  '�' => 'ż',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ă',
  '�' => 'Ä',
  '�' => 'Ć',
  '�' => 'Æ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'Ì',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Đ',
  '�' => 'Ń',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Ő',
  '�' => 'Ö',
  '�' => 'Ś',
  '�' => 'Ű',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ę',
  '�' => 'Ț',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ă',
  '�' => 'ä',
  '�' => 'ć',
  '�' => 'æ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ì',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'đ',
  '�' => 'ń',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'ő',
  '�' => 'ö',
  '�' => 'ś',
  '�' => 'ű',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ę',
  '�' => 'ț',
  '�' => 'ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp864.php000064400000007303151330736600017147 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '٪',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '°',
  '�' => '·',
  '�' => '∙',
  '�' => '√',
  '�' => '▒',
  '�' => '─',
  '�' => '│',
  '�' => '┼',
  '�' => '┤',
  '�' => '┬',
  '�' => '├',
  '�' => '┴',
  '�' => '┐',
  '�' => '┌',
  '�' => '└',
  '�' => '┘',
  '�' => 'β',
  '�' => '∞',
  '�' => 'φ',
  '�' => '±',
  '�' => '½',
  '�' => '¼',
  '�' => '≈',
  '�' => '«',
  '�' => '»',
  '�' => 'ﻷ',
  '�' => 'ﻸ',
  '�' => 'ﻻ',
  '�' => 'ﻼ',
  '�' => ' ',
  '�' => '­',
  '�' => 'ﺂ',
  '�' => '£',
  '�' => '¤',
  '�' => 'ﺄ',
  '�' => 'ﺎ',
  '�' => 'ﺏ',
  '�' => 'ﺕ',
  '�' => 'ﺙ',
  '�' => '،',
  '�' => 'ﺝ',
  '�' => 'ﺡ',
  '�' => 'ﺥ',
  '�' => '٠',
  '�' => '١',
  '�' => '٢',
  '�' => '٣',
  '�' => '٤',
  '�' => '٥',
  '�' => '٦',
  '�' => '٧',
  '�' => '٨',
  '�' => '٩',
  '�' => 'ﻑ',
  '�' => '؛',
  '�' => 'ﺱ',
  '�' => 'ﺵ',
  '�' => 'ﺹ',
  '�' => '؟',
  '�' => '¢',
  '�' => 'ﺀ',
  '�' => 'ﺁ',
  '�' => 'ﺃ',
  '�' => 'ﺅ',
  '�' => 'ﻊ',
  '�' => 'ﺋ',
  '�' => 'ﺍ',
  '�' => 'ﺑ',
  '�' => 'ﺓ',
  '�' => 'ﺗ',
  '�' => 'ﺛ',
  '�' => 'ﺟ',
  '�' => 'ﺣ',
  '�' => 'ﺧ',
  '�' => 'ﺩ',
  '�' => 'ﺫ',
  '�' => 'ﺭ',
  '�' => 'ﺯ',
  '�' => 'ﺳ',
  '�' => 'ﺷ',
  '�' => 'ﺻ',
  '�' => 'ﺿ',
  '�' => 'ﻁ',
  '�' => 'ﻅ',
  '�' => 'ﻋ',
  '�' => 'ﻏ',
  '�' => '¦',
  '�' => '¬',
  '�' => '÷',
  '�' => '×',
  '�' => 'ﻉ',
  '�' => 'ـ',
  '�' => 'ﻓ',
  '�' => 'ﻗ',
  '�' => 'ﻛ',
  '�' => 'ﻟ',
  '�' => 'ﻣ',
  '�' => 'ﻧ',
  '�' => 'ﻫ',
  '�' => 'ﻭ',
  '�' => 'ﻯ',
  '�' => 'ﻳ',
  '�' => 'ﺽ',
  '�' => 'ﻌ',
  '�' => 'ﻎ',
  '�' => 'ﻍ',
  '�' => 'ﻡ',
  '�' => 'ﹽ',
  '�' => 'ّ',
  '�' => 'ﻥ',
  '�' => 'ﻩ',
  '�' => 'ﻬ',
  '�' => 'ﻰ',
  '�' => 'ﻲ',
  '�' => 'ﻐ',
  '�' => 'ﻕ',
  '�' => 'ﻵ',
  '�' => 'ﻶ',
  '�' => 'ﻝ',
  '�' => 'ﻙ',
  '�' => 'ﻱ',
  '�' => '■',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.us-ascii.php000064400000003503151330736600020016 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp932.php000064400000405717151330736600017156 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '。',
  '�' => '「',
  '�' => '」',
  '�' => '、',
  '�' => '・',
  '�' => 'ヲ',
  '�' => 'ァ',
  '�' => 'ィ',
  '�' => 'ゥ',
  '�' => 'ェ',
  '�' => 'ォ',
  '�' => 'ャ',
  '�' => 'ュ',
  '�' => 'ョ',
  '�' => 'ッ',
  '�' => 'ー',
  '�' => 'ア',
  '�' => 'イ',
  '�' => 'ウ',
  '�' => 'エ',
  '�' => 'オ',
  '�' => 'カ',
  '�' => 'キ',
  '�' => 'ク',
  '�' => 'ケ',
  '�' => 'コ',
  '�' => 'サ',
  '�' => 'シ',
  '�' => 'ス',
  '�' => 'セ',
  '�' => 'ソ',
  '�' => 'タ',
  '�' => 'チ',
  '�' => 'ツ',
  '�' => 'テ',
  '�' => 'ト',
  '�' => 'ナ',
  '�' => 'ニ',
  '�' => 'ヌ',
  '�' => 'ネ',
  '�' => 'ノ',
  '�' => 'ハ',
  '�' => 'ヒ',
  '�' => 'フ',
  '�' => 'ヘ',
  '�' => 'ホ',
  '�' => 'マ',
  '�' => 'ミ',
  '�' => 'ム',
  '�' => 'メ',
  '�' => 'モ',
  '�' => 'ヤ',
  '�' => 'ユ',
  '�' => 'ヨ',
  '�' => 'ラ',
  '�' => 'リ',
  '�' => 'ル',
  '�' => 'レ',
  '�' => 'ロ',
  '�' => 'ワ',
  '�' => 'ン',
  '�' => '゙',
  '�' => '゚',
  '�@' => ' ',
  '�A' => '、',
  '�B' => '。',
  '�C' => ',',
  '�D' => '.',
  '�E' => '・',
  '�F' => ':',
  '�G' => ';',
  '�H' => '?',
  '�I' => '!',
  '�J' => '゛',
  '�K' => '゜',
  '�L' => '´',
  '�M' => '`',
  '�N' => '¨',
  '�O' => '^',
  '�P' => ' ̄',
  '�Q' => '_',
  '�R' => 'ヽ',
  '�S' => 'ヾ',
  '�T' => 'ゝ',
  '�U' => 'ゞ',
  '�V' => '〃',
  '�W' => '仝',
  '�X' => '々',
  '�Y' => '〆',
  '�Z' => '〇',
  '�[' => 'ー',
  '�\\' => '―',
  '�]' => '‐',
  '�^' => '/',
  '�_' => '\',
  '�`' => '~',
  '�a' => '∥',
  '�b' => '|',
  '�c' => '…',
  '�d' => '‥',
  '�e' => '‘',
  '�f' => '’',
  '�g' => '“',
  '�h' => '”',
  '�i' => '(',
  '�j' => ')',
  '�k' => '〔',
  '�l' => '〕',
  '�m' => '[',
  '�n' => ']',
  '�o' => '{',
  '�p' => '}',
  '�q' => '〈',
  '�r' => '〉',
  '�s' => '《',
  '�t' => '》',
  '�u' => '「',
  '�v' => '」',
  '�w' => '『',
  '�x' => '』',
  '�y' => '【',
  '�z' => '】',
  '�{' => '+',
  '�|' => '-',
  '�}' => '±',
  '�~' => '×',
  '��' => '÷',
  '��' => '=',
  '��' => '≠',
  '��' => '<',
  '��' => '>',
  '��' => '≦',
  '��' => '≧',
  '��' => '∞',
  '��' => '∴',
  '��' => '♂',
  '��' => '♀',
  '��' => '°',
  '��' => '′',
  '��' => '″',
  '��' => '℃',
  '��' => '¥',
  '��' => '$',
  '��' => '¢',
  '��' => '£',
  '��' => '%',
  '��' => '#',
  '��' => '&',
  '��' => '*',
  '��' => '@',
  '��' => '§',
  '��' => '☆',
  '��' => '★',
  '��' => '○',
  '��' => '●',
  '��' => '◎',
  '��' => '◇',
  '��' => '◆',
  '��' => '□',
  '��' => '■',
  '��' => '△',
  '��' => '▲',
  '��' => '▽',
  '��' => '▼',
  '��' => '※',
  '��' => '〒',
  '��' => '→',
  '��' => '←',
  '��' => '↑',
  '��' => '↓',
  '��' => '〓',
  '��' => '∈',
  '��' => '∋',
  '��' => '⊆',
  '��' => '⊇',
  '��' => '⊂',
  '��' => '⊃',
  '��' => '∪',
  '��' => '∩',
  '��' => '∧',
  '��' => '∨',
  '��' => '¬',
  '��' => '⇒',
  '��' => '⇔',
  '��' => '∀',
  '��' => '∃',
  '��' => '∠',
  '��' => '⊥',
  '��' => '⌒',
  '��' => '∂',
  '��' => '∇',
  '��' => '≡',
  '��' => '≒',
  '��' => '≪',
  '��' => '≫',
  '��' => '√',
  '��' => '∽',
  '��' => '∝',
  '��' => '∵',
  '��' => '∫',
  '��' => '∬',
  '��' => 'Å',
  '��' => '‰',
  '��' => '♯',
  '��' => '♭',
  '��' => '♪',
  '��' => '†',
  '��' => '‡',
  '��' => '¶',
  '��' => '◯',
  '�O' => '0',
  '�P' => '1',
  '�Q' => '2',
  '�R' => '3',
  '�S' => '4',
  '�T' => '5',
  '�U' => '6',
  '�V' => '7',
  '�W' => '8',
  '�X' => '9',
  '�`' => 'A',
  '�a' => 'B',
  '�b' => 'C',
  '�c' => 'D',
  '�d' => 'E',
  '�e' => 'F',
  '�f' => 'G',
  '�g' => 'H',
  '�h' => 'I',
  '�i' => 'J',
  '�j' => 'K',
  '�k' => 'L',
  '�l' => 'M',
  '�m' => 'N',
  '�n' => 'O',
  '�o' => 'P',
  '�p' => 'Q',
  '�q' => 'R',
  '�r' => 'S',
  '�s' => 'T',
  '�t' => 'U',
  '�u' => 'V',
  '�v' => 'W',
  '�w' => 'X',
  '�x' => 'Y',
  '�y' => 'Z',
  '��' => 'a',
  '��' => 'b',
  '��' => 'c',
  '��' => 'd',
  '��' => 'e',
  '��' => 'f',
  '��' => 'g',
  '��' => 'h',
  '��' => 'i',
  '��' => 'j',
  '��' => 'k',
  '��' => 'l',
  '��' => 'm',
  '��' => 'n',
  '��' => 'o',
  '��' => 'p',
  '��' => 'q',
  '��' => 'r',
  '��' => 's',
  '��' => 't',
  '��' => 'u',
  '��' => 'v',
  '��' => 'w',
  '��' => 'x',
  '��' => 'y',
  '��' => 'z',
  '��' => 'ぁ',
  '��' => 'あ',
  '��' => 'ぃ',
  '��' => 'い',
  '��' => 'ぅ',
  '��' => 'う',
  '��' => 'ぇ',
  '��' => 'え',
  '��' => 'ぉ',
  '��' => 'お',
  '��' => 'か',
  '��' => 'が',
  '��' => 'き',
  '��' => 'ぎ',
  '��' => 'く',
  '��' => 'ぐ',
  '��' => 'け',
  '��' => 'げ',
  '��' => 'こ',
  '��' => 'ご',
  '��' => 'さ',
  '��' => 'ざ',
  '��' => 'し',
  '��' => 'じ',
  '��' => 'す',
  '��' => 'ず',
  '��' => 'せ',
  '��' => 'ぜ',
  '��' => 'そ',
  '��' => 'ぞ',
  '��' => 'た',
  '��' => 'だ',
  '��' => 'ち',
  '��' => 'ぢ',
  '��' => 'っ',
  '��' => 'つ',
  '��' => 'づ',
  '��' => 'て',
  '��' => 'で',
  '��' => 'と',
  '��' => 'ど',
  '��' => 'な',
  '��' => 'に',
  '��' => 'ぬ',
  '��' => 'ね',
  '��' => 'の',
  '��' => 'は',
  '��' => 'ば',
  '��' => 'ぱ',
  '��' => 'ひ',
  '��' => 'び',
  '��' => 'ぴ',
  '��' => 'ふ',
  '��' => 'ぶ',
  '��' => 'ぷ',
  '��' => 'へ',
  '��' => 'べ',
  '��' => 'ぺ',
  '��' => 'ほ',
  '��' => 'ぼ',
  '��' => 'ぽ',
  '��' => 'ま',
  '��' => 'み',
  '��' => 'む',
  '��' => 'め',
  '��' => 'も',
  '��' => 'ゃ',
  '��' => 'や',
  '��' => 'ゅ',
  '��' => 'ゆ',
  '��' => 'ょ',
  '��' => 'よ',
  '��' => 'ら',
  '��' => 'り',
  '��' => 'る',
  '��' => 'れ',
  '��' => 'ろ',
  '��' => 'ゎ',
  '��' => 'わ',
  '��' => 'ゐ',
  '��' => 'ゑ',
  '��' => 'を',
  '��' => 'ん',
  '�@' => 'ァ',
  '�A' => 'ア',
  '�B' => 'ィ',
  '�C' => 'イ',
  '�D' => 'ゥ',
  '�E' => 'ウ',
  '�F' => 'ェ',
  '�G' => 'エ',
  '�H' => 'ォ',
  '�I' => 'オ',
  '�J' => 'カ',
  '�K' => 'ガ',
  '�L' => 'キ',
  '�M' => 'ギ',
  '�N' => 'ク',
  '�O' => 'グ',
  '�P' => 'ケ',
  '�Q' => 'ゲ',
  '�R' => 'コ',
  '�S' => 'ゴ',
  '�T' => 'サ',
  '�U' => 'ザ',
  '�V' => 'シ',
  '�W' => 'ジ',
  '�X' => 'ス',
  '�Y' => 'ズ',
  '�Z' => 'セ',
  '�[' => 'ゼ',
  '�\\' => 'ソ',
  '�]' => 'ゾ',
  '�^' => 'タ',
  '�_' => 'ダ',
  '�`' => 'チ',
  '�a' => 'ヂ',
  '�b' => 'ッ',
  '�c' => 'ツ',
  '�d' => 'ヅ',
  '�e' => 'テ',
  '�f' => 'デ',
  '�g' => 'ト',
  '�h' => 'ド',
  '�i' => 'ナ',
  '�j' => 'ニ',
  '�k' => 'ヌ',
  '�l' => 'ネ',
  '�m' => 'ノ',
  '�n' => 'ハ',
  '�o' => 'バ',
  '�p' => 'パ',
  '�q' => 'ヒ',
  '�r' => 'ビ',
  '�s' => 'ピ',
  '�t' => 'フ',
  '�u' => 'ブ',
  '�v' => 'プ',
  '�w' => 'ヘ',
  '�x' => 'ベ',
  '�y' => 'ペ',
  '�z' => 'ホ',
  '�{' => 'ボ',
  '�|' => 'ポ',
  '�}' => 'マ',
  '�~' => 'ミ',
  '��' => 'ム',
  '��' => 'メ',
  '��' => 'モ',
  '��' => 'ャ',
  '��' => 'ヤ',
  '��' => 'ュ',
  '��' => 'ユ',
  '��' => 'ョ',
  '��' => 'ヨ',
  '��' => 'ラ',
  '��' => 'リ',
  '��' => 'ル',
  '��' => 'レ',
  '��' => 'ロ',
  '��' => 'ヮ',
  '��' => 'ワ',
  '��' => 'ヰ',
  '��' => 'ヱ',
  '��' => 'ヲ',
  '��' => 'ン',
  '��' => 'ヴ',
  '��' => 'ヵ',
  '��' => 'ヶ',
  '��' => 'Α',
  '��' => 'Β',
  '��' => 'Γ',
  '��' => 'Δ',
  '��' => 'Ε',
  '��' => 'Ζ',
  '��' => 'Η',
  '��' => 'Θ',
  '��' => 'Ι',
  '��' => 'Κ',
  '��' => 'Λ',
  '��' => 'Μ',
  '��' => 'Ν',
  '��' => 'Ξ',
  '��' => 'Ο',
  '��' => 'Π',
  '��' => 'Ρ',
  '��' => 'Σ',
  '��' => 'Τ',
  '��' => 'Υ',
  '��' => 'Φ',
  '��' => 'Χ',
  '��' => 'Ψ',
  '��' => 'Ω',
  '��' => 'α',
  '��' => 'β',
  '��' => 'γ',
  '��' => 'δ',
  '��' => 'ε',
  '��' => 'ζ',
  '��' => 'η',
  '��' => 'θ',
  '��' => 'ι',
  '��' => 'κ',
  '��' => 'λ',
  '��' => 'μ',
  '��' => 'ν',
  '��' => 'ξ',
  '��' => 'ο',
  '��' => 'π',
  '��' => 'ρ',
  '��' => 'σ',
  '��' => 'τ',
  '��' => 'υ',
  '��' => 'φ',
  '��' => 'χ',
  '��' => 'ψ',
  '��' => 'ω',
  '�@' => 'А',
  '�A' => 'Б',
  '�B' => 'В',
  '�C' => 'Г',
  '�D' => 'Д',
  '�E' => 'Е',
  '�F' => 'Ё',
  '�G' => 'Ж',
  '�H' => 'З',
  '�I' => 'И',
  '�J' => 'Й',
  '�K' => 'К',
  '�L' => 'Л',
  '�M' => 'М',
  '�N' => 'Н',
  '�O' => 'О',
  '�P' => 'П',
  '�Q' => 'Р',
  '�R' => 'С',
  '�S' => 'Т',
  '�T' => 'У',
  '�U' => 'Ф',
  '�V' => 'Х',
  '�W' => 'Ц',
  '�X' => 'Ч',
  '�Y' => 'Ш',
  '�Z' => 'Щ',
  '�[' => 'Ъ',
  '�\\' => 'Ы',
  '�]' => 'Ь',
  '�^' => 'Э',
  '�_' => 'Ю',
  '�`' => 'Я',
  '�p' => 'а',
  '�q' => 'б',
  '�r' => 'в',
  '�s' => 'г',
  '�t' => 'д',
  '�u' => 'е',
  '�v' => 'ё',
  '�w' => 'ж',
  '�x' => 'з',
  '�y' => 'и',
  '�z' => 'й',
  '�{' => 'к',
  '�|' => 'л',
  '�}' => 'м',
  '�~' => 'н',
  '��' => 'о',
  '��' => 'п',
  '��' => 'р',
  '��' => 'с',
  '��' => 'т',
  '��' => 'у',
  '��' => 'ф',
  '��' => 'х',
  '��' => 'ц',
  '��' => 'ч',
  '��' => 'ш',
  '��' => 'щ',
  '��' => 'ъ',
  '��' => 'ы',
  '��' => 'ь',
  '��' => 'э',
  '��' => 'ю',
  '��' => 'я',
  '��' => '─',
  '��' => '│',
  '��' => '┌',
  '��' => '┐',
  '��' => '┘',
  '��' => '└',
  '��' => '├',
  '��' => '┬',
  '��' => '┤',
  '��' => '┴',
  '��' => '┼',
  '��' => '━',
  '��' => '┃',
  '��' => '┏',
  '��' => '┓',
  '��' => '┛',
  '��' => '┗',
  '��' => '┣',
  '��' => '┳',
  '��' => '┫',
  '��' => '┻',
  '��' => '╋',
  '��' => '┠',
  '��' => '┯',
  '��' => '┨',
  '��' => '┷',
  '��' => '┿',
  '��' => '┝',
  '��' => '┰',
  '��' => '┥',
  '��' => '┸',
  '��' => '╂',
  '�@' => '①',
  '�A' => '②',
  '�B' => '③',
  '�C' => '④',
  '�D' => '⑤',
  '�E' => '⑥',
  '�F' => '⑦',
  '�G' => '⑧',
  '�H' => '⑨',
  '�I' => '⑩',
  '�J' => '⑪',
  '�K' => '⑫',
  '�L' => '⑬',
  '�M' => '⑭',
  '�N' => '⑮',
  '�O' => '⑯',
  '�P' => '⑰',
  '�Q' => '⑱',
  '�R' => '⑲',
  '�S' => '⑳',
  '�T' => 'Ⅰ',
  '�U' => 'Ⅱ',
  '�V' => 'Ⅲ',
  '�W' => 'Ⅳ',
  '�X' => 'Ⅴ',
  '�Y' => 'Ⅵ',
  '�Z' => 'Ⅶ',
  '�[' => 'Ⅷ',
  '�\\' => 'Ⅸ',
  '�]' => 'Ⅹ',
  '�_' => '㍉',
  '�`' => '㌔',
  '�a' => '㌢',
  '�b' => '㍍',
  '�c' => '㌘',
  '�d' => '㌧',
  '�e' => '㌃',
  '�f' => '㌶',
  '�g' => '㍑',
  '�h' => '㍗',
  '�i' => '㌍',
  '�j' => '㌦',
  '�k' => '㌣',
  '�l' => '㌫',
  '�m' => '㍊',
  '�n' => '㌻',
  '�o' => '㎜',
  '�p' => '㎝',
  '�q' => '㎞',
  '�r' => '㎎',
  '�s' => '㎏',
  '�t' => '㏄',
  '�u' => '㎡',
  '�~' => '㍻',
  '��' => '〝',
  '��' => '〟',
  '��' => '№',
  '��' => '㏍',
  '��' => '℡',
  '��' => '㊤',
  '��' => '㊥',
  '��' => '㊦',
  '��' => '㊧',
  '��' => '㊨',
  '��' => '㈱',
  '��' => '㈲',
  '��' => '㈹',
  '��' => '㍾',
  '��' => '㍽',
  '��' => '㍼',
  '��' => '≒',
  '��' => '≡',
  '��' => '∫',
  '��' => '∮',
  '��' => '∑',
  '��' => '√',
  '��' => '⊥',
  '��' => '∠',
  '��' => '∟',
  '��' => '⊿',
  '��' => '∵',
  '��' => '∩',
  '��' => '∪',
  '��' => '亜',
  '��' => '唖',
  '��' => '娃',
  '��' => '阿',
  '��' => '哀',
  '��' => '愛',
  '��' => '挨',
  '��' => '姶',
  '��' => '逢',
  '��' => '葵',
  '��' => '茜',
  '��' => '穐',
  '��' => '悪',
  '��' => '握',
  '��' => '渥',
  '��' => '旭',
  '��' => '葦',
  '��' => '芦',
  '��' => '鯵',
  '��' => '梓',
  '��' => '圧',
  '��' => '斡',
  '��' => '扱',
  '��' => '宛',
  '��' => '姐',
  '��' => '虻',
  '��' => '飴',
  '��' => '絢',
  '��' => '綾',
  '��' => '鮎',
  '��' => '或',
  '��' => '粟',
  '��' => '袷',
  '��' => '安',
  '��' => '庵',
  '��' => '按',
  '��' => '暗',
  '��' => '案',
  '��' => '闇',
  '��' => '鞍',
  '��' => '杏',
  '��' => '以',
  '��' => '伊',
  '��' => '位',
  '��' => '依',
  '��' => '偉',
  '��' => '囲',
  '��' => '夷',
  '��' => '委',
  '��' => '威',
  '��' => '尉',
  '��' => '惟',
  '��' => '意',
  '��' => '慰',
  '��' => '易',
  '��' => '椅',
  '��' => '為',
  '��' => '畏',
  '��' => '異',
  '��' => '移',
  '��' => '維',
  '��' => '緯',
  '��' => '胃',
  '��' => '萎',
  '��' => '衣',
  '��' => '謂',
  '��' => '違',
  '��' => '遺',
  '��' => '医',
  '��' => '井',
  '��' => '亥',
  '��' => '域',
  '��' => '育',
  '��' => '郁',
  '��' => '磯',
  '��' => '一',
  '��' => '壱',
  '��' => '溢',
  '��' => '逸',
  '��' => '稲',
  '��' => '茨',
  '��' => '芋',
  '��' => '鰯',
  '��' => '允',
  '��' => '印',
  '��' => '咽',
  '��' => '員',
  '��' => '因',
  '��' => '姻',
  '��' => '引',
  '��' => '飲',
  '��' => '淫',
  '��' => '胤',
  '��' => '蔭',
  '�@' => '院',
  '�A' => '陰',
  '�B' => '隠',
  '�C' => '韻',
  '�D' => '吋',
  '�E' => '右',
  '�F' => '宇',
  '�G' => '烏',
  '�H' => '羽',
  '�I' => '迂',
  '�J' => '雨',
  '�K' => '卯',
  '�L' => '鵜',
  '�M' => '窺',
  '�N' => '丑',
  '�O' => '碓',
  '�P' => '臼',
  '�Q' => '渦',
  '�R' => '嘘',
  '�S' => '唄',
  '�T' => '欝',
  '�U' => '蔚',
  '�V' => '鰻',
  '�W' => '姥',
  '�X' => '厩',
  '�Y' => '浦',
  '�Z' => '瓜',
  '�[' => '閏',
  '�\\' => '噂',
  '�]' => '云',
  '�^' => '運',
  '�_' => '雲',
  '�`' => '荏',
  '�a' => '餌',
  '�b' => '叡',
  '�c' => '営',
  '�d' => '嬰',
  '�e' => '影',
  '�f' => '映',
  '�g' => '曳',
  '�h' => '栄',
  '�i' => '永',
  '�j' => '泳',
  '�k' => '洩',
  '�l' => '瑛',
  '�m' => '盈',
  '�n' => '穎',
  '�o' => '頴',
  '�p' => '英',
  '�q' => '衛',
  '�r' => '詠',
  '�s' => '鋭',
  '�t' => '液',
  '�u' => '疫',
  '�v' => '益',
  '�w' => '駅',
  '�x' => '悦',
  '�y' => '謁',
  '�z' => '越',
  '�{' => '閲',
  '�|' => '榎',
  '�}' => '厭',
  '�~' => '円',
  '��' => '園',
  '��' => '堰',
  '��' => '奄',
  '��' => '宴',
  '��' => '延',
  '��' => '怨',
  '��' => '掩',
  '��' => '援',
  '��' => '沿',
  '��' => '演',
  '��' => '炎',
  '��' => '焔',
  '��' => '煙',
  '��' => '燕',
  '��' => '猿',
  '��' => '縁',
  '��' => '艶',
  '��' => '苑',
  '��' => '薗',
  '��' => '遠',
  '��' => '鉛',
  '��' => '鴛',
  '��' => '塩',
  '��' => '於',
  '��' => '汚',
  '��' => '甥',
  '��' => '凹',
  '��' => '央',
  '��' => '奥',
  '��' => '往',
  '��' => '応',
  '��' => '押',
  '��' => '旺',
  '��' => '横',
  '��' => '欧',
  '��' => '殴',
  '��' => '王',
  '��' => '翁',
  '��' => '襖',
  '��' => '鴬',
  '��' => '鴎',
  '��' => '黄',
  '��' => '岡',
  '��' => '沖',
  '��' => '荻',
  '��' => '億',
  '��' => '屋',
  '��' => '憶',
  '��' => '臆',
  '��' => '桶',
  '��' => '牡',
  '��' => '乙',
  '��' => '俺',
  '��' => '卸',
  '��' => '恩',
  '��' => '温',
  '��' => '穏',
  '��' => '音',
  '��' => '下',
  '��' => '化',
  '��' => '仮',
  '��' => '何',
  '��' => '伽',
  '��' => '価',
  '��' => '佳',
  '��' => '加',
  '��' => '可',
  '��' => '嘉',
  '��' => '夏',
  '��' => '嫁',
  '��' => '家',
  '��' => '寡',
  '��' => '科',
  '��' => '暇',
  '��' => '果',
  '��' => '架',
  '��' => '歌',
  '��' => '河',
  '��' => '火',
  '��' => '珂',
  '��' => '禍',
  '��' => '禾',
  '��' => '稼',
  '��' => '箇',
  '��' => '花',
  '��' => '苛',
  '��' => '茄',
  '��' => '荷',
  '��' => '華',
  '��' => '菓',
  '��' => '蝦',
  '��' => '課',
  '��' => '嘩',
  '��' => '貨',
  '��' => '迦',
  '��' => '過',
  '��' => '霞',
  '��' => '蚊',
  '��' => '俄',
  '��' => '峨',
  '��' => '我',
  '��' => '牙',
  '��' => '画',
  '��' => '臥',
  '��' => '芽',
  '��' => '蛾',
  '��' => '賀',
  '��' => '雅',
  '��' => '餓',
  '��' => '駕',
  '��' => '介',
  '��' => '会',
  '��' => '解',
  '��' => '回',
  '��' => '塊',
  '��' => '壊',
  '��' => '廻',
  '��' => '快',
  '��' => '怪',
  '��' => '悔',
  '��' => '恢',
  '��' => '懐',
  '��' => '戒',
  '��' => '拐',
  '��' => '改',
  '�@' => '魁',
  '�A' => '晦',
  '�B' => '械',
  '�C' => '海',
  '�D' => '灰',
  '�E' => '界',
  '�F' => '皆',
  '�G' => '絵',
  '�H' => '芥',
  '�I' => '蟹',
  '�J' => '開',
  '�K' => '階',
  '�L' => '貝',
  '�M' => '凱',
  '�N' => '劾',
  '�O' => '外',
  '�P' => '咳',
  '�Q' => '害',
  '�R' => '崖',
  '�S' => '慨',
  '�T' => '概',
  '�U' => '涯',
  '�V' => '碍',
  '�W' => '蓋',
  '�X' => '街',
  '�Y' => '該',
  '�Z' => '鎧',
  '�[' => '骸',
  '�\\' => '浬',
  '�]' => '馨',
  '�^' => '蛙',
  '�_' => '垣',
  '�`' => '柿',
  '�a' => '蛎',
  '�b' => '鈎',
  '�c' => '劃',
  '�d' => '嚇',
  '�e' => '各',
  '�f' => '廓',
  '�g' => '拡',
  '�h' => '撹',
  '�i' => '格',
  '�j' => '核',
  '�k' => '殻',
  '�l' => '獲',
  '�m' => '確',
  '�n' => '穫',
  '�o' => '覚',
  '�p' => '角',
  '�q' => '赫',
  '�r' => '較',
  '�s' => '郭',
  '�t' => '閣',
  '�u' => '隔',
  '�v' => '革',
  '�w' => '学',
  '�x' => '岳',
  '�y' => '楽',
  '�z' => '額',
  '�{' => '顎',
  '�|' => '掛',
  '�}' => '笠',
  '�~' => '樫',
  '��' => '橿',
  '��' => '梶',
  '��' => '鰍',
  '��' => '潟',
  '��' => '割',
  '��' => '喝',
  '��' => '恰',
  '��' => '括',
  '��' => '活',
  '��' => '渇',
  '��' => '滑',
  '��' => '葛',
  '��' => '褐',
  '��' => '轄',
  '��' => '且',
  '��' => '鰹',
  '��' => '叶',
  '��' => '椛',
  '��' => '樺',
  '��' => '鞄',
  '��' => '株',
  '��' => '兜',
  '��' => '竃',
  '��' => '蒲',
  '��' => '釜',
  '��' => '鎌',
  '��' => '噛',
  '��' => '鴨',
  '��' => '栢',
  '��' => '茅',
  '��' => '萱',
  '��' => '粥',
  '��' => '刈',
  '��' => '苅',
  '��' => '瓦',
  '��' => '乾',
  '��' => '侃',
  '��' => '冠',
  '��' => '寒',
  '��' => '刊',
  '��' => '勘',
  '��' => '勧',
  '��' => '巻',
  '��' => '喚',
  '��' => '堪',
  '��' => '姦',
  '��' => '完',
  '��' => '官',
  '��' => '寛',
  '��' => '干',
  '��' => '幹',
  '��' => '患',
  '��' => '感',
  '��' => '慣',
  '��' => '憾',
  '��' => '換',
  '��' => '敢',
  '��' => '柑',
  '��' => '桓',
  '��' => '棺',
  '��' => '款',
  '��' => '歓',
  '��' => '汗',
  '��' => '漢',
  '��' => '澗',
  '��' => '潅',
  '��' => '環',
  '��' => '甘',
  '��' => '監',
  '��' => '看',
  '��' => '竿',
  '��' => '管',
  '��' => '簡',
  '��' => '緩',
  '��' => '缶',
  '��' => '翰',
  '��' => '肝',
  '��' => '艦',
  '��' => '莞',
  '��' => '観',
  '��' => '諌',
  '��' => '貫',
  '��' => '還',
  '��' => '鑑',
  '��' => '間',
  '��' => '閑',
  '��' => '関',
  '��' => '陥',
  '��' => '韓',
  '��' => '館',
  '��' => '舘',
  '��' => '丸',
  '��' => '含',
  '��' => '岸',
  '��' => '巌',
  '��' => '玩',
  '��' => '癌',
  '��' => '眼',
  '��' => '岩',
  '��' => '翫',
  '��' => '贋',
  '��' => '雁',
  '��' => '頑',
  '��' => '顔',
  '��' => '願',
  '��' => '企',
  '��' => '伎',
  '��' => '危',
  '��' => '喜',
  '��' => '器',
  '��' => '基',
  '��' => '奇',
  '��' => '嬉',
  '��' => '寄',
  '��' => '岐',
  '��' => '希',
  '��' => '幾',
  '��' => '忌',
  '��' => '揮',
  '��' => '机',
  '��' => '旗',
  '��' => '既',
  '��' => '期',
  '��' => '棋',
  '��' => '棄',
  '�@' => '機',
  '�A' => '帰',
  '�B' => '毅',
  '�C' => '気',
  '�D' => '汽',
  '�E' => '畿',
  '�F' => '祈',
  '�G' => '季',
  '�H' => '稀',
  '�I' => '紀',
  '�J' => '徽',
  '�K' => '規',
  '�L' => '記',
  '�M' => '貴',
  '�N' => '起',
  '�O' => '軌',
  '�P' => '輝',
  '�Q' => '飢',
  '�R' => '騎',
  '�S' => '鬼',
  '�T' => '亀',
  '�U' => '偽',
  '�V' => '儀',
  '�W' => '妓',
  '�X' => '宜',
  '�Y' => '戯',
  '�Z' => '技',
  '�[' => '擬',
  '�\\' => '欺',
  '�]' => '犠',
  '�^' => '疑',
  '�_' => '祇',
  '�`' => '義',
  '�a' => '蟻',
  '�b' => '誼',
  '�c' => '議',
  '�d' => '掬',
  '�e' => '菊',
  '�f' => '鞠',
  '�g' => '吉',
  '�h' => '吃',
  '�i' => '喫',
  '�j' => '桔',
  '�k' => '橘',
  '�l' => '詰',
  '�m' => '砧',
  '�n' => '杵',
  '�o' => '黍',
  '�p' => '却',
  '�q' => '客',
  '�r' => '脚',
  '�s' => '虐',
  '�t' => '逆',
  '�u' => '丘',
  '�v' => '久',
  '�w' => '仇',
  '�x' => '休',
  '�y' => '及',
  '�z' => '吸',
  '�{' => '宮',
  '�|' => '弓',
  '�}' => '急',
  '�~' => '救',
  '��' => '朽',
  '��' => '求',
  '��' => '汲',
  '��' => '泣',
  '��' => '灸',
  '��' => '球',
  '��' => '究',
  '��' => '窮',
  '��' => '笈',
  '��' => '級',
  '��' => '糾',
  '��' => '給',
  '��' => '旧',
  '��' => '牛',
  '��' => '去',
  '��' => '居',
  '��' => '巨',
  '��' => '拒',
  '��' => '拠',
  '��' => '挙',
  '��' => '渠',
  '��' => '虚',
  '��' => '許',
  '��' => '距',
  '��' => '鋸',
  '��' => '漁',
  '��' => '禦',
  '��' => '魚',
  '��' => '亨',
  '��' => '享',
  '��' => '京',
  '��' => '供',
  '��' => '侠',
  '��' => '僑',
  '��' => '兇',
  '��' => '競',
  '��' => '共',
  '��' => '凶',
  '��' => '協',
  '��' => '匡',
  '��' => '卿',
  '��' => '叫',
  '��' => '喬',
  '��' => '境',
  '��' => '峡',
  '��' => '強',
  '��' => '彊',
  '��' => '怯',
  '��' => '恐',
  '��' => '恭',
  '��' => '挟',
  '��' => '教',
  '��' => '橋',
  '��' => '況',
  '��' => '狂',
  '��' => '狭',
  '��' => '矯',
  '��' => '胸',
  '��' => '脅',
  '��' => '興',
  '��' => '蕎',
  '��' => '郷',
  '��' => '鏡',
  '��' => '響',
  '��' => '饗',
  '��' => '驚',
  '��' => '仰',
  '��' => '凝',
  '��' => '尭',
  '��' => '暁',
  '��' => '業',
  '��' => '局',
  '��' => '曲',
  '��' => '極',
  '��' => '玉',
  '��' => '桐',
  '��' => '粁',
  '��' => '僅',
  '��' => '勤',
  '��' => '均',
  '��' => '巾',
  '��' => '錦',
  '��' => '斤',
  '��' => '欣',
  '��' => '欽',
  '��' => '琴',
  '��' => '禁',
  '��' => '禽',
  '��' => '筋',
  '��' => '緊',
  '��' => '芹',
  '��' => '菌',
  '��' => '衿',
  '��' => '襟',
  '��' => '謹',
  '��' => '近',
  '��' => '金',
  '��' => '吟',
  '��' => '銀',
  '��' => '九',
  '��' => '倶',
  '��' => '句',
  '��' => '区',
  '��' => '狗',
  '��' => '玖',
  '��' => '矩',
  '��' => '苦',
  '��' => '躯',
  '��' => '駆',
  '��' => '駈',
  '��' => '駒',
  '��' => '具',
  '��' => '愚',
  '��' => '虞',
  '��' => '喰',
  '��' => '空',
  '��' => '偶',
  '��' => '寓',
  '��' => '遇',
  '��' => '隅',
  '��' => '串',
  '��' => '櫛',
  '��' => '釧',
  '��' => '屑',
  '��' => '屈',
  '�@' => '掘',
  '�A' => '窟',
  '�B' => '沓',
  '�C' => '靴',
  '�D' => '轡',
  '�E' => '窪',
  '�F' => '熊',
  '�G' => '隈',
  '�H' => '粂',
  '�I' => '栗',
  '�J' => '繰',
  '�K' => '桑',
  '�L' => '鍬',
  '�M' => '勲',
  '�N' => '君',
  '�O' => '薫',
  '�P' => '訓',
  '�Q' => '群',
  '�R' => '軍',
  '�S' => '郡',
  '�T' => '卦',
  '�U' => '袈',
  '�V' => '祁',
  '�W' => '係',
  '�X' => '傾',
  '�Y' => '刑',
  '�Z' => '兄',
  '�[' => '啓',
  '�\\' => '圭',
  '�]' => '珪',
  '�^' => '型',
  '�_' => '契',
  '�`' => '形',
  '�a' => '径',
  '�b' => '恵',
  '�c' => '慶',
  '�d' => '慧',
  '�e' => '憩',
  '�f' => '掲',
  '�g' => '携',
  '�h' => '敬',
  '�i' => '景',
  '�j' => '桂',
  '�k' => '渓',
  '�l' => '畦',
  '�m' => '稽',
  '�n' => '系',
  '�o' => '経',
  '�p' => '継',
  '�q' => '繋',
  '�r' => '罫',
  '�s' => '茎',
  '�t' => '荊',
  '�u' => '蛍',
  '�v' => '計',
  '�w' => '詣',
  '�x' => '警',
  '�y' => '軽',
  '�z' => '頚',
  '�{' => '鶏',
  '�|' => '芸',
  '�}' => '迎',
  '�~' => '鯨',
  '��' => '劇',
  '��' => '戟',
  '��' => '撃',
  '��' => '激',
  '��' => '隙',
  '��' => '桁',
  '��' => '傑',
  '��' => '欠',
  '��' => '決',
  '��' => '潔',
  '��' => '穴',
  '��' => '結',
  '��' => '血',
  '��' => '訣',
  '��' => '月',
  '��' => '件',
  '��' => '倹',
  '��' => '倦',
  '��' => '健',
  '��' => '兼',
  '��' => '券',
  '��' => '剣',
  '��' => '喧',
  '��' => '圏',
  '��' => '堅',
  '��' => '嫌',
  '��' => '建',
  '��' => '憲',
  '��' => '懸',
  '��' => '拳',
  '��' => '捲',
  '��' => '検',
  '��' => '権',
  '��' => '牽',
  '��' => '犬',
  '��' => '献',
  '��' => '研',
  '��' => '硯',
  '��' => '絹',
  '��' => '県',
  '��' => '肩',
  '��' => '見',
  '��' => '謙',
  '��' => '賢',
  '��' => '軒',
  '��' => '遣',
  '��' => '鍵',
  '��' => '険',
  '��' => '顕',
  '��' => '験',
  '��' => '鹸',
  '��' => '元',
  '��' => '原',
  '��' => '厳',
  '��' => '幻',
  '��' => '弦',
  '��' => '減',
  '��' => '源',
  '��' => '玄',
  '��' => '現',
  '��' => '絃',
  '��' => '舷',
  '��' => '言',
  '��' => '諺',
  '��' => '限',
  '��' => '乎',
  '��' => '個',
  '��' => '古',
  '��' => '呼',
  '��' => '固',
  '��' => '姑',
  '��' => '孤',
  '��' => '己',
  '��' => '庫',
  '��' => '弧',
  '��' => '戸',
  '��' => '故',
  '��' => '枯',
  '��' => '湖',
  '��' => '狐',
  '��' => '糊',
  '��' => '袴',
  '��' => '股',
  '��' => '胡',
  '��' => '菰',
  '��' => '虎',
  '��' => '誇',
  '��' => '跨',
  '��' => '鈷',
  '��' => '雇',
  '��' => '顧',
  '��' => '鼓',
  '��' => '五',
  '��' => '互',
  '��' => '伍',
  '��' => '午',
  '��' => '呉',
  '��' => '吾',
  '��' => '娯',
  '��' => '後',
  '��' => '御',
  '��' => '悟',
  '��' => '梧',
  '��' => '檎',
  '��' => '瑚',
  '��' => '碁',
  '��' => '語',
  '��' => '誤',
  '��' => '護',
  '��' => '醐',
  '��' => '乞',
  '��' => '鯉',
  '��' => '交',
  '��' => '佼',
  '��' => '侯',
  '��' => '候',
  '��' => '倖',
  '��' => '光',
  '��' => '公',
  '��' => '功',
  '��' => '効',
  '��' => '勾',
  '��' => '厚',
  '��' => '口',
  '��' => '向',
  '�@' => '后',
  '�A' => '喉',
  '�B' => '坑',
  '�C' => '垢',
  '�D' => '好',
  '�E' => '孔',
  '�F' => '孝',
  '�G' => '宏',
  '�H' => '工',
  '�I' => '巧',
  '�J' => '巷',
  '�K' => '幸',
  '�L' => '広',
  '�M' => '庚',
  '�N' => '康',
  '�O' => '弘',
  '�P' => '恒',
  '�Q' => '慌',
  '�R' => '抗',
  '�S' => '拘',
  '�T' => '控',
  '�U' => '攻',
  '�V' => '昂',
  '�W' => '晃',
  '�X' => '更',
  '�Y' => '杭',
  '�Z' => '校',
  '�[' => '梗',
  '�\\' => '構',
  '�]' => '江',
  '�^' => '洪',
  '�_' => '浩',
  '�`' => '港',
  '�a' => '溝',
  '�b' => '甲',
  '�c' => '皇',
  '�d' => '硬',
  '�e' => '稿',
  '�f' => '糠',
  '�g' => '紅',
  '�h' => '紘',
  '�i' => '絞',
  '�j' => '綱',
  '�k' => '耕',
  '�l' => '考',
  '�m' => '肯',
  '�n' => '肱',
  '�o' => '腔',
  '�p' => '膏',
  '�q' => '航',
  '�r' => '荒',
  '�s' => '行',
  '�t' => '衡',
  '�u' => '講',
  '�v' => '貢',
  '�w' => '購',
  '�x' => '郊',
  '�y' => '酵',
  '�z' => '鉱',
  '�{' => '砿',
  '�|' => '鋼',
  '�}' => '閤',
  '�~' => '降',
  '��' => '項',
  '��' => '香',
  '��' => '高',
  '��' => '鴻',
  '��' => '剛',
  '��' => '劫',
  '��' => '号',
  '��' => '合',
  '��' => '壕',
  '��' => '拷',
  '��' => '濠',
  '��' => '豪',
  '��' => '轟',
  '��' => '麹',
  '��' => '克',
  '��' => '刻',
  '��' => '告',
  '��' => '国',
  '��' => '穀',
  '��' => '酷',
  '��' => '鵠',
  '��' => '黒',
  '��' => '獄',
  '��' => '漉',
  '��' => '腰',
  '��' => '甑',
  '��' => '忽',
  '��' => '惚',
  '��' => '骨',
  '��' => '狛',
  '��' => '込',
  '��' => '此',
  '��' => '頃',
  '��' => '今',
  '��' => '困',
  '��' => '坤',
  '��' => '墾',
  '��' => '婚',
  '��' => '恨',
  '��' => '懇',
  '��' => '昏',
  '��' => '昆',
  '��' => '根',
  '��' => '梱',
  '��' => '混',
  '��' => '痕',
  '��' => '紺',
  '��' => '艮',
  '��' => '魂',
  '��' => '些',
  '��' => '佐',
  '��' => '叉',
  '��' => '唆',
  '��' => '嵯',
  '��' => '左',
  '��' => '差',
  '��' => '査',
  '��' => '沙',
  '��' => '瑳',
  '��' => '砂',
  '��' => '詐',
  '��' => '鎖',
  '��' => '裟',
  '��' => '坐',
  '��' => '座',
  '��' => '挫',
  '��' => '債',
  '��' => '催',
  '��' => '再',
  '��' => '最',
  '��' => '哉',
  '��' => '塞',
  '��' => '妻',
  '��' => '宰',
  '��' => '彩',
  '��' => '才',
  '��' => '採',
  '��' => '栽',
  '��' => '歳',
  '��' => '済',
  '��' => '災',
  '��' => '采',
  '��' => '犀',
  '��' => '砕',
  '��' => '砦',
  '��' => '祭',
  '��' => '斎',
  '��' => '細',
  '��' => '菜',
  '��' => '裁',
  '��' => '載',
  '��' => '際',
  '��' => '剤',
  '��' => '在',
  '��' => '材',
  '��' => '罪',
  '��' => '財',
  '��' => '冴',
  '��' => '坂',
  '��' => '阪',
  '��' => '堺',
  '��' => '榊',
  '��' => '肴',
  '��' => '咲',
  '��' => '崎',
  '��' => '埼',
  '��' => '碕',
  '��' => '鷺',
  '��' => '作',
  '��' => '削',
  '��' => '咋',
  '��' => '搾',
  '��' => '昨',
  '��' => '朔',
  '��' => '柵',
  '��' => '窄',
  '��' => '策',
  '��' => '索',
  '��' => '錯',
  '��' => '桜',
  '��' => '鮭',
  '��' => '笹',
  '��' => '匙',
  '��' => '冊',
  '��' => '刷',
  '�@' => '察',
  '�A' => '拶',
  '�B' => '撮',
  '�C' => '擦',
  '�D' => '札',
  '�E' => '殺',
  '�F' => '薩',
  '�G' => '雑',
  '�H' => '皐',
  '�I' => '鯖',
  '�J' => '捌',
  '�K' => '錆',
  '�L' => '鮫',
  '�M' => '皿',
  '�N' => '晒',
  '�O' => '三',
  '�P' => '傘',
  '�Q' => '参',
  '�R' => '山',
  '�S' => '惨',
  '�T' => '撒',
  '�U' => '散',
  '�V' => '桟',
  '�W' => '燦',
  '�X' => '珊',
  '�Y' => '産',
  '�Z' => '算',
  '�[' => '纂',
  '�\\' => '蚕',
  '�]' => '讃',
  '�^' => '賛',
  '�_' => '酸',
  '�`' => '餐',
  '�a' => '斬',
  '�b' => '暫',
  '�c' => '残',
  '�d' => '仕',
  '�e' => '仔',
  '�f' => '伺',
  '�g' => '使',
  '�h' => '刺',
  '�i' => '司',
  '�j' => '史',
  '�k' => '嗣',
  '�l' => '四',
  '�m' => '士',
  '�n' => '始',
  '�o' => '姉',
  '�p' => '姿',
  '�q' => '子',
  '�r' => '屍',
  '�s' => '市',
  '�t' => '師',
  '�u' => '志',
  '�v' => '思',
  '�w' => '指',
  '�x' => '支',
  '�y' => '孜',
  '�z' => '斯',
  '�{' => '施',
  '�|' => '旨',
  '�}' => '枝',
  '�~' => '止',
  '��' => '死',
  '��' => '氏',
  '��' => '獅',
  '��' => '祉',
  '��' => '私',
  '��' => '糸',
  '��' => '紙',
  '��' => '紫',
  '��' => '肢',
  '��' => '脂',
  '��' => '至',
  '��' => '視',
  '��' => '詞',
  '��' => '詩',
  '��' => '試',
  '��' => '誌',
  '��' => '諮',
  '��' => '資',
  '��' => '賜',
  '��' => '雌',
  '��' => '飼',
  '��' => '歯',
  '��' => '事',
  '��' => '似',
  '��' => '侍',
  '��' => '児',
  '��' => '字',
  '��' => '寺',
  '��' => '慈',
  '��' => '持',
  '��' => '時',
  '��' => '次',
  '��' => '滋',
  '��' => '治',
  '��' => '爾',
  '��' => '璽',
  '��' => '痔',
  '��' => '磁',
  '��' => '示',
  '��' => '而',
  '��' => '耳',
  '��' => '自',
  '��' => '蒔',
  '��' => '辞',
  '��' => '汐',
  '��' => '鹿',
  '��' => '式',
  '��' => '識',
  '��' => '鴫',
  '��' => '竺',
  '��' => '軸',
  '��' => '宍',
  '��' => '雫',
  '��' => '七',
  '��' => '叱',
  '��' => '執',
  '��' => '失',
  '��' => '嫉',
  '��' => '室',
  '��' => '悉',
  '��' => '湿',
  '��' => '漆',
  '��' => '疾',
  '��' => '質',
  '��' => '実',
  '��' => '蔀',
  '��' => '篠',
  '��' => '偲',
  '��' => '柴',
  '��' => '芝',
  '��' => '屡',
  '��' => '蕊',
  '��' => '縞',
  '��' => '舎',
  '��' => '写',
  '��' => '射',
  '��' => '捨',
  '��' => '赦',
  '��' => '斜',
  '��' => '煮',
  '��' => '社',
  '��' => '紗',
  '��' => '者',
  '��' => '謝',
  '��' => '車',
  '��' => '遮',
  '��' => '蛇',
  '��' => '邪',
  '��' => '借',
  '��' => '勺',
  '��' => '尺',
  '��' => '杓',
  '��' => '灼',
  '��' => '爵',
  '��' => '酌',
  '��' => '釈',
  '��' => '錫',
  '��' => '若',
  '��' => '寂',
  '��' => '弱',
  '��' => '惹',
  '��' => '主',
  '��' => '取',
  '��' => '守',
  '��' => '手',
  '��' => '朱',
  '��' => '殊',
  '��' => '狩',
  '��' => '珠',
  '��' => '種',
  '��' => '腫',
  '��' => '趣',
  '��' => '酒',
  '��' => '首',
  '��' => '儒',
  '��' => '受',
  '��' => '呪',
  '��' => '寿',
  '��' => '授',
  '��' => '樹',
  '��' => '綬',
  '��' => '需',
  '��' => '囚',
  '��' => '収',
  '��' => '周',
  '�@' => '宗',
  '�A' => '就',
  '�B' => '州',
  '�C' => '修',
  '�D' => '愁',
  '�E' => '拾',
  '�F' => '洲',
  '�G' => '秀',
  '�H' => '秋',
  '�I' => '終',
  '�J' => '繍',
  '�K' => '習',
  '�L' => '臭',
  '�M' => '舟',
  '�N' => '蒐',
  '�O' => '衆',
  '�P' => '襲',
  '�Q' => '讐',
  '�R' => '蹴',
  '�S' => '輯',
  '�T' => '週',
  '�U' => '酋',
  '�V' => '酬',
  '�W' => '集',
  '�X' => '醜',
  '�Y' => '什',
  '�Z' => '住',
  '�[' => '充',
  '�\\' => '十',
  '�]' => '従',
  '�^' => '戎',
  '�_' => '柔',
  '�`' => '汁',
  '�a' => '渋',
  '�b' => '獣',
  '�c' => '縦',
  '�d' => '重',
  '�e' => '銃',
  '�f' => '叔',
  '�g' => '夙',
  '�h' => '宿',
  '�i' => '淑',
  '�j' => '祝',
  '�k' => '縮',
  '�l' => '粛',
  '�m' => '塾',
  '�n' => '熟',
  '�o' => '出',
  '�p' => '術',
  '�q' => '述',
  '�r' => '俊',
  '�s' => '峻',
  '�t' => '春',
  '�u' => '瞬',
  '�v' => '竣',
  '�w' => '舜',
  '�x' => '駿',
  '�y' => '准',
  '�z' => '循',
  '�{' => '旬',
  '�|' => '楯',
  '�}' => '殉',
  '�~' => '淳',
  '��' => '準',
  '��' => '潤',
  '��' => '盾',
  '��' => '純',
  '��' => '巡',
  '��' => '遵',
  '��' => '醇',
  '��' => '順',
  '��' => '処',
  '��' => '初',
  '��' => '所',
  '��' => '暑',
  '��' => '曙',
  '��' => '渚',
  '��' => '庶',
  '��' => '緒',
  '��' => '署',
  '��' => '書',
  '��' => '薯',
  '��' => '藷',
  '��' => '諸',
  '��' => '助',
  '��' => '叙',
  '��' => '女',
  '��' => '序',
  '��' => '徐',
  '��' => '恕',
  '��' => '鋤',
  '��' => '除',
  '��' => '傷',
  '��' => '償',
  '��' => '勝',
  '��' => '匠',
  '��' => '升',
  '��' => '召',
  '��' => '哨',
  '��' => '商',
  '��' => '唱',
  '��' => '嘗',
  '��' => '奨',
  '��' => '妾',
  '��' => '娼',
  '��' => '宵',
  '��' => '将',
  '��' => '小',
  '��' => '少',
  '��' => '尚',
  '��' => '庄',
  '��' => '床',
  '��' => '廠',
  '��' => '彰',
  '��' => '承',
  '��' => '抄',
  '��' => '招',
  '��' => '掌',
  '��' => '捷',
  '��' => '昇',
  '��' => '昌',
  '��' => '昭',
  '��' => '晶',
  '��' => '松',
  '��' => '梢',
  '��' => '樟',
  '��' => '樵',
  '��' => '沼',
  '��' => '消',
  '��' => '渉',
  '��' => '湘',
  '��' => '焼',
  '��' => '焦',
  '��' => '照',
  '��' => '症',
  '��' => '省',
  '��' => '硝',
  '��' => '礁',
  '��' => '祥',
  '��' => '称',
  '��' => '章',
  '��' => '笑',
  '��' => '粧',
  '��' => '紹',
  '��' => '肖',
  '��' => '菖',
  '��' => '蒋',
  '��' => '蕉',
  '��' => '衝',
  '��' => '裳',
  '��' => '訟',
  '��' => '証',
  '��' => '詔',
  '��' => '詳',
  '��' => '象',
  '��' => '賞',
  '��' => '醤',
  '��' => '鉦',
  '��' => '鍾',
  '��' => '鐘',
  '��' => '障',
  '��' => '鞘',
  '��' => '上',
  '��' => '丈',
  '��' => '丞',
  '��' => '乗',
  '��' => '冗',
  '��' => '剰',
  '��' => '城',
  '��' => '場',
  '��' => '壌',
  '��' => '嬢',
  '��' => '常',
  '��' => '情',
  '��' => '擾',
  '��' => '条',
  '��' => '杖',
  '��' => '浄',
  '��' => '状',
  '��' => '畳',
  '��' => '穣',
  '��' => '蒸',
  '��' => '譲',
  '��' => '醸',
  '��' => '錠',
  '��' => '嘱',
  '��' => '埴',
  '��' => '飾',
  '�@' => '拭',
  '�A' => '植',
  '�B' => '殖',
  '�C' => '燭',
  '�D' => '織',
  '�E' => '職',
  '�F' => '色',
  '�G' => '触',
  '�H' => '食',
  '�I' => '蝕',
  '�J' => '辱',
  '�K' => '尻',
  '�L' => '伸',
  '�M' => '信',
  '�N' => '侵',
  '�O' => '唇',
  '�P' => '娠',
  '�Q' => '寝',
  '�R' => '審',
  '�S' => '心',
  '�T' => '慎',
  '�U' => '振',
  '�V' => '新',
  '�W' => '晋',
  '�X' => '森',
  '�Y' => '榛',
  '�Z' => '浸',
  '�[' => '深',
  '�\\' => '申',
  '�]' => '疹',
  '�^' => '真',
  '�_' => '神',
  '�`' => '秦',
  '�a' => '紳',
  '�b' => '臣',
  '�c' => '芯',
  '�d' => '薪',
  '�e' => '親',
  '�f' => '診',
  '�g' => '身',
  '�h' => '辛',
  '�i' => '進',
  '�j' => '針',
  '�k' => '震',
  '�l' => '人',
  '�m' => '仁',
  '�n' => '刃',
  '�o' => '塵',
  '�p' => '壬',
  '�q' => '尋',
  '�r' => '甚',
  '�s' => '尽',
  '�t' => '腎',
  '�u' => '訊',
  '�v' => '迅',
  '�w' => '陣',
  '�x' => '靭',
  '�y' => '笥',
  '�z' => '諏',
  '�{' => '須',
  '�|' => '酢',
  '�}' => '図',
  '�~' => '厨',
  '��' => '逗',
  '��' => '吹',
  '��' => '垂',
  '��' => '帥',
  '��' => '推',
  '��' => '水',
  '��' => '炊',
  '��' => '睡',
  '��' => '粋',
  '��' => '翠',
  '��' => '衰',
  '��' => '遂',
  '��' => '酔',
  '��' => '錐',
  '��' => '錘',
  '��' => '随',
  '��' => '瑞',
  '��' => '髄',
  '��' => '崇',
  '��' => '嵩',
  '��' => '数',
  '��' => '枢',
  '��' => '趨',
  '��' => '雛',
  '��' => '据',
  '��' => '杉',
  '��' => '椙',
  '��' => '菅',
  '��' => '頗',
  '��' => '雀',
  '��' => '裾',
  '��' => '澄',
  '��' => '摺',
  '��' => '寸',
  '��' => '世',
  '��' => '瀬',
  '��' => '畝',
  '��' => '是',
  '��' => '凄',
  '��' => '制',
  '��' => '勢',
  '��' => '姓',
  '��' => '征',
  '��' => '性',
  '��' => '成',
  '��' => '政',
  '��' => '整',
  '��' => '星',
  '��' => '晴',
  '��' => '棲',
  '��' => '栖',
  '��' => '正',
  '��' => '清',
  '��' => '牲',
  '��' => '生',
  '��' => '盛',
  '��' => '精',
  '��' => '聖',
  '��' => '声',
  '��' => '製',
  '��' => '西',
  '��' => '誠',
  '��' => '誓',
  '��' => '請',
  '��' => '逝',
  '��' => '醒',
  '��' => '青',
  '��' => '静',
  '��' => '斉',
  '��' => '税',
  '��' => '脆',
  '��' => '隻',
  '��' => '席',
  '��' => '惜',
  '��' => '戚',
  '��' => '斥',
  '��' => '昔',
  '��' => '析',
  '��' => '石',
  '��' => '積',
  '��' => '籍',
  '��' => '績',
  '��' => '脊',
  '��' => '責',
  '��' => '赤',
  '��' => '跡',
  '��' => '蹟',
  '��' => '碩',
  '��' => '切',
  '��' => '拙',
  '��' => '接',
  '��' => '摂',
  '��' => '折',
  '��' => '設',
  '��' => '窃',
  '��' => '節',
  '��' => '説',
  '��' => '雪',
  '��' => '絶',
  '��' => '舌',
  '��' => '蝉',
  '��' => '仙',
  '��' => '先',
  '��' => '千',
  '��' => '占',
  '��' => '宣',
  '��' => '専',
  '��' => '尖',
  '��' => '川',
  '��' => '戦',
  '��' => '扇',
  '��' => '撰',
  '��' => '栓',
  '��' => '栴',
  '��' => '泉',
  '��' => '浅',
  '��' => '洗',
  '��' => '染',
  '��' => '潜',
  '��' => '煎',
  '��' => '煽',
  '��' => '旋',
  '��' => '穿',
  '��' => '箭',
  '��' => '線',
  '�@' => '繊',
  '�A' => '羨',
  '�B' => '腺',
  '�C' => '舛',
  '�D' => '船',
  '�E' => '薦',
  '�F' => '詮',
  '�G' => '賎',
  '�H' => '践',
  '�I' => '選',
  '�J' => '遷',
  '�K' => '銭',
  '�L' => '銑',
  '�M' => '閃',
  '�N' => '鮮',
  '�O' => '前',
  '�P' => '善',
  '�Q' => '漸',
  '�R' => '然',
  '�S' => '全',
  '�T' => '禅',
  '�U' => '繕',
  '�V' => '膳',
  '�W' => '糎',
  '�X' => '噌',
  '�Y' => '塑',
  '�Z' => '岨',
  '�[' => '措',
  '�\\' => '曾',
  '�]' => '曽',
  '�^' => '楚',
  '�_' => '狙',
  '�`' => '疏',
  '�a' => '疎',
  '�b' => '礎',
  '�c' => '祖',
  '�d' => '租',
  '�e' => '粗',
  '�f' => '素',
  '�g' => '組',
  '�h' => '蘇',
  '�i' => '訴',
  '�j' => '阻',
  '�k' => '遡',
  '�l' => '鼠',
  '�m' => '僧',
  '�n' => '創',
  '�o' => '双',
  '�p' => '叢',
  '�q' => '倉',
  '�r' => '喪',
  '�s' => '壮',
  '�t' => '奏',
  '�u' => '爽',
  '�v' => '宋',
  '�w' => '層',
  '�x' => '匝',
  '�y' => '惣',
  '�z' => '想',
  '�{' => '捜',
  '�|' => '掃',
  '�}' => '挿',
  '�~' => '掻',
  '��' => '操',
  '��' => '早',
  '��' => '曹',
  '��' => '巣',
  '��' => '槍',
  '��' => '槽',
  '��' => '漕',
  '��' => '燥',
  '��' => '争',
  '��' => '痩',
  '��' => '相',
  '��' => '窓',
  '��' => '糟',
  '��' => '総',
  '��' => '綜',
  '��' => '聡',
  '��' => '草',
  '��' => '荘',
  '��' => '葬',
  '��' => '蒼',
  '��' => '藻',
  '��' => '装',
  '��' => '走',
  '��' => '送',
  '��' => '遭',
  '��' => '鎗',
  '��' => '霜',
  '��' => '騒',
  '��' => '像',
  '��' => '増',
  '��' => '憎',
  '��' => '臓',
  '��' => '蔵',
  '��' => '贈',
  '��' => '造',
  '��' => '促',
  '��' => '側',
  '��' => '則',
  '��' => '即',
  '��' => '息',
  '��' => '捉',
  '��' => '束',
  '��' => '測',
  '��' => '足',
  '��' => '速',
  '��' => '俗',
  '��' => '属',
  '��' => '賊',
  '��' => '族',
  '��' => '続',
  '��' => '卒',
  '��' => '袖',
  '��' => '其',
  '��' => '揃',
  '��' => '存',
  '��' => '孫',
  '��' => '尊',
  '��' => '損',
  '��' => '村',
  '��' => '遜',
  '��' => '他',
  '��' => '多',
  '��' => '太',
  '��' => '汰',
  '��' => '詑',
  '��' => '唾',
  '��' => '堕',
  '��' => '妥',
  '��' => '惰',
  '��' => '打',
  '��' => '柁',
  '��' => '舵',
  '��' => '楕',
  '��' => '陀',
  '��' => '駄',
  '��' => '騨',
  '��' => '体',
  '��' => '堆',
  '��' => '対',
  '��' => '耐',
  '��' => '岱',
  '��' => '帯',
  '��' => '待',
  '��' => '怠',
  '��' => '態',
  '��' => '戴',
  '��' => '替',
  '��' => '泰',
  '��' => '滞',
  '��' => '胎',
  '��' => '腿',
  '��' => '苔',
  '��' => '袋',
  '��' => '貸',
  '��' => '退',
  '��' => '逮',
  '��' => '隊',
  '��' => '黛',
  '��' => '鯛',
  '��' => '代',
  '��' => '台',
  '��' => '大',
  '��' => '第',
  '��' => '醍',
  '��' => '題',
  '��' => '鷹',
  '��' => '滝',
  '��' => '瀧',
  '��' => '卓',
  '��' => '啄',
  '��' => '宅',
  '��' => '托',
  '��' => '択',
  '��' => '拓',
  '��' => '沢',
  '��' => '濯',
  '��' => '琢',
  '��' => '託',
  '��' => '鐸',
  '��' => '濁',
  '��' => '諾',
  '��' => '茸',
  '��' => '凧',
  '��' => '蛸',
  '��' => '只',
  '�@' => '叩',
  '�A' => '但',
  '�B' => '達',
  '�C' => '辰',
  '�D' => '奪',
  '�E' => '脱',
  '�F' => '巽',
  '�G' => '竪',
  '�H' => '辿',
  '�I' => '棚',
  '�J' => '谷',
  '�K' => '狸',
  '�L' => '鱈',
  '�M' => '樽',
  '�N' => '誰',
  '�O' => '丹',
  '�P' => '単',
  '�Q' => '嘆',
  '�R' => '坦',
  '�S' => '担',
  '�T' => '探',
  '�U' => '旦',
  '�V' => '歎',
  '�W' => '淡',
  '�X' => '湛',
  '�Y' => '炭',
  '�Z' => '短',
  '�[' => '端',
  '�\\' => '箪',
  '�]' => '綻',
  '�^' => '耽',
  '�_' => '胆',
  '�`' => '蛋',
  '�a' => '誕',
  '�b' => '鍛',
  '�c' => '団',
  '�d' => '壇',
  '�e' => '弾',
  '�f' => '断',
  '�g' => '暖',
  '�h' => '檀',
  '�i' => '段',
  '�j' => '男',
  '�k' => '談',
  '�l' => '値',
  '�m' => '知',
  '�n' => '地',
  '�o' => '弛',
  '�p' => '恥',
  '�q' => '智',
  '�r' => '池',
  '�s' => '痴',
  '�t' => '稚',
  '�u' => '置',
  '�v' => '致',
  '�w' => '蜘',
  '�x' => '遅',
  '�y' => '馳',
  '�z' => '築',
  '�{' => '畜',
  '�|' => '竹',
  '�}' => '筑',
  '�~' => '蓄',
  '��' => '逐',
  '��' => '秩',
  '��' => '窒',
  '��' => '茶',
  '��' => '嫡',
  '��' => '着',
  '��' => '中',
  '��' => '仲',
  '��' => '宙',
  '��' => '忠',
  '��' => '抽',
  '��' => '昼',
  '��' => '柱',
  '��' => '注',
  '��' => '虫',
  '��' => '衷',
  '��' => '註',
  '��' => '酎',
  '��' => '鋳',
  '��' => '駐',
  '��' => '樗',
  '��' => '瀦',
  '��' => '猪',
  '��' => '苧',
  '��' => '著',
  '��' => '貯',
  '��' => '丁',
  '��' => '兆',
  '��' => '凋',
  '��' => '喋',
  '��' => '寵',
  '��' => '帖',
  '��' => '帳',
  '��' => '庁',
  '��' => '弔',
  '��' => '張',
  '��' => '彫',
  '��' => '徴',
  '��' => '懲',
  '��' => '挑',
  '��' => '暢',
  '��' => '朝',
  '��' => '潮',
  '��' => '牒',
  '��' => '町',
  '��' => '眺',
  '��' => '聴',
  '��' => '脹',
  '��' => '腸',
  '��' => '蝶',
  '��' => '調',
  '��' => '諜',
  '��' => '超',
  '��' => '跳',
  '��' => '銚',
  '��' => '長',
  '��' => '頂',
  '��' => '鳥',
  '��' => '勅',
  '��' => '捗',
  '��' => '直',
  '��' => '朕',
  '��' => '沈',
  '��' => '珍',
  '��' => '賃',
  '��' => '鎮',
  '��' => '陳',
  '��' => '津',
  '��' => '墜',
  '��' => '椎',
  '��' => '槌',
  '��' => '追',
  '��' => '鎚',
  '��' => '痛',
  '��' => '通',
  '��' => '塚',
  '��' => '栂',
  '��' => '掴',
  '��' => '槻',
  '��' => '佃',
  '��' => '漬',
  '��' => '柘',
  '��' => '辻',
  '��' => '蔦',
  '��' => '綴',
  '��' => '鍔',
  '��' => '椿',
  '��' => '潰',
  '��' => '坪',
  '��' => '壷',
  '��' => '嬬',
  '��' => '紬',
  '��' => '爪',
  '��' => '吊',
  '��' => '釣',
  '��' => '鶴',
  '��' => '亭',
  '��' => '低',
  '��' => '停',
  '��' => '偵',
  '��' => '剃',
  '��' => '貞',
  '��' => '呈',
  '��' => '堤',
  '��' => '定',
  '��' => '帝',
  '��' => '底',
  '��' => '庭',
  '��' => '廷',
  '��' => '弟',
  '��' => '悌',
  '��' => '抵',
  '��' => '挺',
  '��' => '提',
  '��' => '梯',
  '��' => '汀',
  '��' => '碇',
  '��' => '禎',
  '��' => '程',
  '��' => '締',
  '��' => '艇',
  '��' => '訂',
  '��' => '諦',
  '��' => '蹄',
  '��' => '逓',
  '�@' => '邸',
  '�A' => '鄭',
  '�B' => '釘',
  '�C' => '鼎',
  '�D' => '泥',
  '�E' => '摘',
  '�F' => '擢',
  '�G' => '敵',
  '�H' => '滴',
  '�I' => '的',
  '�J' => '笛',
  '�K' => '適',
  '�L' => '鏑',
  '�M' => '溺',
  '�N' => '哲',
  '�O' => '徹',
  '�P' => '撤',
  '�Q' => '轍',
  '�R' => '迭',
  '�S' => '鉄',
  '�T' => '典',
  '�U' => '填',
  '�V' => '天',
  '�W' => '展',
  '�X' => '店',
  '�Y' => '添',
  '�Z' => '纏',
  '�[' => '甜',
  '�\\' => '貼',
  '�]' => '転',
  '�^' => '顛',
  '�_' => '点',
  '�`' => '伝',
  '�a' => '殿',
  '�b' => '澱',
  '�c' => '田',
  '�d' => '電',
  '�e' => '兎',
  '�f' => '吐',
  '�g' => '堵',
  '�h' => '塗',
  '�i' => '妬',
  '�j' => '屠',
  '�k' => '徒',
  '�l' => '斗',
  '�m' => '杜',
  '�n' => '渡',
  '�o' => '登',
  '�p' => '菟',
  '�q' => '賭',
  '�r' => '途',
  '�s' => '都',
  '�t' => '鍍',
  '�u' => '砥',
  '�v' => '砺',
  '�w' => '努',
  '�x' => '度',
  '�y' => '土',
  '�z' => '奴',
  '�{' => '怒',
  '�|' => '倒',
  '�}' => '党',
  '�~' => '冬',
  '��' => '凍',
  '��' => '刀',
  '��' => '唐',
  '��' => '塔',
  '��' => '塘',
  '��' => '套',
  '��' => '宕',
  '��' => '島',
  '��' => '嶋',
  '��' => '悼',
  '��' => '投',
  '��' => '搭',
  '��' => '東',
  '��' => '桃',
  '��' => '梼',
  '��' => '棟',
  '��' => '盗',
  '��' => '淘',
  '��' => '湯',
  '��' => '涛',
  '��' => '灯',
  '��' => '燈',
  '��' => '当',
  '��' => '痘',
  '��' => '祷',
  '��' => '等',
  '��' => '答',
  '��' => '筒',
  '��' => '糖',
  '��' => '統',
  '��' => '到',
  '��' => '董',
  '��' => '蕩',
  '��' => '藤',
  '��' => '討',
  '��' => '謄',
  '��' => '豆',
  '��' => '踏',
  '��' => '逃',
  '��' => '透',
  '��' => '鐙',
  '��' => '陶',
  '��' => '頭',
  '��' => '騰',
  '��' => '闘',
  '��' => '働',
  '��' => '動',
  '��' => '同',
  '��' => '堂',
  '��' => '導',
  '��' => '憧',
  '��' => '撞',
  '��' => '洞',
  '��' => '瞳',
  '��' => '童',
  '��' => '胴',
  '��' => '萄',
  '��' => '道',
  '��' => '銅',
  '��' => '峠',
  '��' => '鴇',
  '��' => '匿',
  '��' => '得',
  '��' => '徳',
  '��' => '涜',
  '��' => '特',
  '��' => '督',
  '��' => '禿',
  '��' => '篤',
  '��' => '毒',
  '��' => '独',
  '��' => '読',
  '��' => '栃',
  '��' => '橡',
  '��' => '凸',
  '��' => '突',
  '��' => '椴',
  '��' => '届',
  '��' => '鳶',
  '��' => '苫',
  '��' => '寅',
  '��' => '酉',
  '��' => '瀞',
  '��' => '噸',
  '��' => '屯',
  '��' => '惇',
  '��' => '敦',
  '��' => '沌',
  '��' => '豚',
  '��' => '遁',
  '��' => '頓',
  '��' => '呑',
  '��' => '曇',
  '��' => '鈍',
  '��' => '奈',
  '��' => '那',
  '��' => '内',
  '��' => '乍',
  '��' => '凪',
  '��' => '薙',
  '��' => '謎',
  '��' => '灘',
  '��' => '捺',
  '��' => '鍋',
  '��' => '楢',
  '��' => '馴',
  '��' => '縄',
  '��' => '畷',
  '��' => '南',
  '��' => '楠',
  '��' => '軟',
  '��' => '難',
  '��' => '汝',
  '��' => '二',
  '��' => '尼',
  '��' => '弐',
  '��' => '迩',
  '��' => '匂',
  '��' => '賑',
  '��' => '肉',
  '��' => '虹',
  '��' => '廿',
  '��' => '日',
  '��' => '乳',
  '��' => '入',
  '�@' => '如',
  '�A' => '尿',
  '�B' => '韮',
  '�C' => '任',
  '�D' => '妊',
  '�E' => '忍',
  '�F' => '認',
  '�G' => '濡',
  '�H' => '禰',
  '�I' => '祢',
  '�J' => '寧',
  '�K' => '葱',
  '�L' => '猫',
  '�M' => '熱',
  '�N' => '年',
  '�O' => '念',
  '�P' => '捻',
  '�Q' => '撚',
  '�R' => '燃',
  '�S' => '粘',
  '�T' => '乃',
  '�U' => '廼',
  '�V' => '之',
  '�W' => '埜',
  '�X' => '嚢',
  '�Y' => '悩',
  '�Z' => '濃',
  '�[' => '納',
  '�\\' => '能',
  '�]' => '脳',
  '�^' => '膿',
  '�_' => '農',
  '�`' => '覗',
  '�a' => '蚤',
  '�b' => '巴',
  '�c' => '把',
  '�d' => '播',
  '�e' => '覇',
  '�f' => '杷',
  '�g' => '波',
  '�h' => '派',
  '�i' => '琶',
  '�j' => '破',
  '�k' => '婆',
  '�l' => '罵',
  '�m' => '芭',
  '�n' => '馬',
  '�o' => '俳',
  '�p' => '廃',
  '�q' => '拝',
  '�r' => '排',
  '�s' => '敗',
  '�t' => '杯',
  '�u' => '盃',
  '�v' => '牌',
  '�w' => '背',
  '�x' => '肺',
  '�y' => '輩',
  '�z' => '配',
  '�{' => '倍',
  '�|' => '培',
  '�}' => '媒',
  '�~' => '梅',
  '��' => '楳',
  '��' => '煤',
  '��' => '狽',
  '��' => '買',
  '��' => '売',
  '��' => '賠',
  '��' => '陪',
  '��' => '這',
  '��' => '蝿',
  '��' => '秤',
  '��' => '矧',
  '��' => '萩',
  '��' => '伯',
  '��' => '剥',
  '��' => '博',
  '��' => '拍',
  '��' => '柏',
  '��' => '泊',
  '��' => '白',
  '��' => '箔',
  '��' => '粕',
  '��' => '舶',
  '��' => '薄',
  '��' => '迫',
  '��' => '曝',
  '��' => '漠',
  '��' => '爆',
  '��' => '縛',
  '��' => '莫',
  '��' => '駁',
  '��' => '麦',
  '��' => '函',
  '��' => '箱',
  '��' => '硲',
  '��' => '箸',
  '��' => '肇',
  '��' => '筈',
  '��' => '櫨',
  '��' => '幡',
  '��' => '肌',
  '��' => '畑',
  '��' => '畠',
  '��' => '八',
  '��' => '鉢',
  '��' => '溌',
  '��' => '発',
  '��' => '醗',
  '��' => '髪',
  '��' => '伐',
  '��' => '罰',
  '��' => '抜',
  '��' => '筏',
  '��' => '閥',
  '��' => '鳩',
  '��' => '噺',
  '��' => '塙',
  '��' => '蛤',
  '��' => '隼',
  '��' => '伴',
  '��' => '判',
  '��' => '半',
  '��' => '反',
  '��' => '叛',
  '��' => '帆',
  '��' => '搬',
  '��' => '斑',
  '��' => '板',
  '��' => '氾',
  '��' => '汎',
  '��' => '版',
  '��' => '犯',
  '��' => '班',
  '��' => '畔',
  '��' => '繁',
  '��' => '般',
  '��' => '藩',
  '��' => '販',
  '��' => '範',
  '��' => '釆',
  '��' => '煩',
  '��' => '頒',
  '��' => '飯',
  '��' => '挽',
  '��' => '晩',
  '��' => '番',
  '��' => '盤',
  '��' => '磐',
  '��' => '蕃',
  '��' => '蛮',
  '��' => '匪',
  '��' => '卑',
  '��' => '否',
  '��' => '妃',
  '��' => '庇',
  '��' => '彼',
  '��' => '悲',
  '��' => '扉',
  '��' => '批',
  '��' => '披',
  '��' => '斐',
  '��' => '比',
  '��' => '泌',
  '��' => '疲',
  '��' => '皮',
  '��' => '碑',
  '��' => '秘',
  '��' => '緋',
  '��' => '罷',
  '��' => '肥',
  '��' => '被',
  '��' => '誹',
  '��' => '費',
  '��' => '避',
  '��' => '非',
  '��' => '飛',
  '��' => '樋',
  '��' => '簸',
  '��' => '備',
  '��' => '尾',
  '��' => '微',
  '��' => '枇',
  '��' => '毘',
  '��' => '琵',
  '��' => '眉',
  '��' => '美',
  '�@' => '鼻',
  '�A' => '柊',
  '�B' => '稗',
  '�C' => '匹',
  '�D' => '疋',
  '�E' => '髭',
  '�F' => '彦',
  '�G' => '膝',
  '�H' => '菱',
  '�I' => '肘',
  '�J' => '弼',
  '�K' => '必',
  '�L' => '畢',
  '�M' => '筆',
  '�N' => '逼',
  '�O' => '桧',
  '�P' => '姫',
  '�Q' => '媛',
  '�R' => '紐',
  '�S' => '百',
  '�T' => '謬',
  '�U' => '俵',
  '�V' => '彪',
  '�W' => '標',
  '�X' => '氷',
  '�Y' => '漂',
  '�Z' => '瓢',
  '�[' => '票',
  '�\\' => '表',
  '�]' => '評',
  '�^' => '豹',
  '�_' => '廟',
  '�`' => '描',
  '�a' => '病',
  '�b' => '秒',
  '�c' => '苗',
  '�d' => '錨',
  '�e' => '鋲',
  '�f' => '蒜',
  '�g' => '蛭',
  '�h' => '鰭',
  '�i' => '品',
  '�j' => '彬',
  '�k' => '斌',
  '�l' => '浜',
  '�m' => '瀕',
  '�n' => '貧',
  '�o' => '賓',
  '�p' => '頻',
  '�q' => '敏',
  '�r' => '瓶',
  '�s' => '不',
  '�t' => '付',
  '�u' => '埠',
  '�v' => '夫',
  '�w' => '婦',
  '�x' => '富',
  '�y' => '冨',
  '�z' => '布',
  '�{' => '府',
  '�|' => '怖',
  '�}' => '扶',
  '�~' => '敷',
  '��' => '斧',
  '��' => '普',
  '��' => '浮',
  '��' => '父',
  '��' => '符',
  '��' => '腐',
  '��' => '膚',
  '��' => '芙',
  '��' => '譜',
  '��' => '負',
  '��' => '賦',
  '��' => '赴',
  '��' => '阜',
  '��' => '附',
  '��' => '侮',
  '��' => '撫',
  '��' => '武',
  '��' => '舞',
  '��' => '葡',
  '��' => '蕪',
  '��' => '部',
  '��' => '封',
  '��' => '楓',
  '��' => '風',
  '��' => '葺',
  '��' => '蕗',
  '��' => '伏',
  '��' => '副',
  '��' => '復',
  '��' => '幅',
  '��' => '服',
  '��' => '福',
  '��' => '腹',
  '��' => '複',
  '��' => '覆',
  '��' => '淵',
  '��' => '弗',
  '��' => '払',
  '��' => '沸',
  '��' => '仏',
  '��' => '物',
  '��' => '鮒',
  '��' => '分',
  '��' => '吻',
  '��' => '噴',
  '��' => '墳',
  '��' => '憤',
  '��' => '扮',
  '��' => '焚',
  '��' => '奮',
  '��' => '粉',
  '��' => '糞',
  '��' => '紛',
  '��' => '雰',
  '��' => '文',
  '��' => '聞',
  '��' => '丙',
  '��' => '併',
  '��' => '兵',
  '��' => '塀',
  '��' => '幣',
  '��' => '平',
  '��' => '弊',
  '��' => '柄',
  '��' => '並',
  '��' => '蔽',
  '��' => '閉',
  '��' => '陛',
  '��' => '米',
  '��' => '頁',
  '��' => '僻',
  '��' => '壁',
  '��' => '癖',
  '��' => '碧',
  '��' => '別',
  '��' => '瞥',
  '��' => '蔑',
  '��' => '箆',
  '��' => '偏',
  '��' => '変',
  '��' => '片',
  '��' => '篇',
  '��' => '編',
  '��' => '辺',
  '��' => '返',
  '��' => '遍',
  '��' => '便',
  '��' => '勉',
  '��' => '娩',
  '��' => '弁',
  '��' => '鞭',
  '��' => '保',
  '��' => '舗',
  '��' => '鋪',
  '��' => '圃',
  '��' => '捕',
  '��' => '歩',
  '��' => '甫',
  '��' => '補',
  '��' => '輔',
  '��' => '穂',
  '��' => '募',
  '��' => '墓',
  '��' => '慕',
  '��' => '戊',
  '��' => '暮',
  '��' => '母',
  '��' => '簿',
  '��' => '菩',
  '��' => '倣',
  '��' => '俸',
  '��' => '包',
  '��' => '呆',
  '��' => '報',
  '��' => '奉',
  '��' => '宝',
  '��' => '峰',
  '��' => '峯',
  '��' => '崩',
  '��' => '庖',
  '��' => '抱',
  '��' => '捧',
  '��' => '放',
  '��' => '方',
  '��' => '朋',
  '�@' => '法',
  '�A' => '泡',
  '�B' => '烹',
  '�C' => '砲',
  '�D' => '縫',
  '�E' => '胞',
  '�F' => '芳',
  '�G' => '萌',
  '�H' => '蓬',
  '�I' => '蜂',
  '�J' => '褒',
  '�K' => '訪',
  '�L' => '豊',
  '�M' => '邦',
  '�N' => '鋒',
  '�O' => '飽',
  '�P' => '鳳',
  '�Q' => '鵬',
  '�R' => '乏',
  '�S' => '亡',
  '�T' => '傍',
  '�U' => '剖',
  '�V' => '坊',
  '�W' => '妨',
  '�X' => '帽',
  '�Y' => '忘',
  '�Z' => '忙',
  '�[' => '房',
  '�\\' => '暴',
  '�]' => '望',
  '�^' => '某',
  '�_' => '棒',
  '�`' => '冒',
  '�a' => '紡',
  '�b' => '肪',
  '�c' => '膨',
  '�d' => '謀',
  '�e' => '貌',
  '�f' => '貿',
  '�g' => '鉾',
  '�h' => '防',
  '�i' => '吠',
  '�j' => '頬',
  '�k' => '北',
  '�l' => '僕',
  '�m' => '卜',
  '�n' => '墨',
  '�o' => '撲',
  '�p' => '朴',
  '�q' => '牧',
  '�r' => '睦',
  '�s' => '穆',
  '�t' => '釦',
  '�u' => '勃',
  '�v' => '没',
  '�w' => '殆',
  '�x' => '堀',
  '�y' => '幌',
  '�z' => '奔',
  '�{' => '本',
  '�|' => '翻',
  '�}' => '凡',
  '�~' => '盆',
  '��' => '摩',
  '��' => '磨',
  '��' => '魔',
  '��' => '麻',
  '��' => '埋',
  '��' => '妹',
  '��' => '昧',
  '��' => '枚',
  '��' => '毎',
  '��' => '哩',
  '��' => '槙',
  '��' => '幕',
  '��' => '膜',
  '��' => '枕',
  '��' => '鮪',
  '��' => '柾',
  '��' => '鱒',
  '��' => '桝',
  '��' => '亦',
  '��' => '俣',
  '��' => '又',
  '��' => '抹',
  '��' => '末',
  '��' => '沫',
  '��' => '迄',
  '��' => '侭',
  '��' => '繭',
  '��' => '麿',
  '��' => '万',
  '��' => '慢',
  '��' => '満',
  '��' => '漫',
  '��' => '蔓',
  '��' => '味',
  '��' => '未',
  '��' => '魅',
  '��' => '巳',
  '��' => '箕',
  '��' => '岬',
  '��' => '密',
  '��' => '蜜',
  '��' => '湊',
  '��' => '蓑',
  '��' => '稔',
  '��' => '脈',
  '��' => '妙',
  '��' => '粍',
  '��' => '民',
  '��' => '眠',
  '��' => '務',
  '��' => '夢',
  '��' => '無',
  '��' => '牟',
  '��' => '矛',
  '��' => '霧',
  '��' => '鵡',
  '��' => '椋',
  '��' => '婿',
  '��' => '娘',
  '��' => '冥',
  '��' => '名',
  '��' => '命',
  '��' => '明',
  '��' => '盟',
  '��' => '迷',
  '��' => '銘',
  '��' => '鳴',
  '��' => '姪',
  '��' => '牝',
  '��' => '滅',
  '��' => '免',
  '��' => '棉',
  '��' => '綿',
  '��' => '緬',
  '��' => '面',
  '��' => '麺',
  '��' => '摸',
  '��' => '模',
  '��' => '茂',
  '��' => '妄',
  '��' => '孟',
  '��' => '毛',
  '��' => '猛',
  '��' => '盲',
  '��' => '網',
  '��' => '耗',
  '��' => '蒙',
  '��' => '儲',
  '��' => '木',
  '��' => '黙',
  '��' => '目',
  '��' => '杢',
  '��' => '勿',
  '��' => '餅',
  '��' => '尤',
  '��' => '戻',
  '��' => '籾',
  '��' => '貰',
  '��' => '問',
  '��' => '悶',
  '��' => '紋',
  '��' => '門',
  '��' => '匁',
  '��' => '也',
  '��' => '冶',
  '��' => '夜',
  '��' => '爺',
  '��' => '耶',
  '��' => '野',
  '��' => '弥',
  '��' => '矢',
  '��' => '厄',
  '��' => '役',
  '��' => '約',
  '��' => '薬',
  '��' => '訳',
  '��' => '躍',
  '��' => '靖',
  '��' => '柳',
  '��' => '薮',
  '��' => '鑓',
  '��' => '愉',
  '��' => '愈',
  '��' => '油',
  '��' => '癒',
  '�@' => '諭',
  '�A' => '輸',
  '�B' => '唯',
  '�C' => '佑',
  '�D' => '優',
  '�E' => '勇',
  '�F' => '友',
  '�G' => '宥',
  '�H' => '幽',
  '�I' => '悠',
  '�J' => '憂',
  '�K' => '揖',
  '�L' => '有',
  '�M' => '柚',
  '�N' => '湧',
  '�O' => '涌',
  '�P' => '猶',
  '�Q' => '猷',
  '�R' => '由',
  '�S' => '祐',
  '�T' => '裕',
  '�U' => '誘',
  '�V' => '遊',
  '�W' => '邑',
  '�X' => '郵',
  '�Y' => '雄',
  '�Z' => '融',
  '�[' => '夕',
  '�\\' => '予',
  '�]' => '余',
  '�^' => '与',
  '�_' => '誉',
  '�`' => '輿',
  '�a' => '預',
  '�b' => '傭',
  '�c' => '幼',
  '�d' => '妖',
  '�e' => '容',
  '�f' => '庸',
  '�g' => '揚',
  '�h' => '揺',
  '�i' => '擁',
  '�j' => '曜',
  '�k' => '楊',
  '�l' => '様',
  '�m' => '洋',
  '�n' => '溶',
  '�o' => '熔',
  '�p' => '用',
  '�q' => '窯',
  '�r' => '羊',
  '�s' => '耀',
  '�t' => '葉',
  '�u' => '蓉',
  '�v' => '要',
  '�w' => '謡',
  '�x' => '踊',
  '�y' => '遥',
  '�z' => '陽',
  '�{' => '養',
  '�|' => '慾',
  '�}' => '抑',
  '�~' => '欲',
  '��' => '沃',
  '��' => '浴',
  '��' => '翌',
  '��' => '翼',
  '��' => '淀',
  '��' => '羅',
  '��' => '螺',
  '��' => '裸',
  '��' => '来',
  '��' => '莱',
  '��' => '頼',
  '��' => '雷',
  '��' => '洛',
  '��' => '絡',
  '��' => '落',
  '��' => '酪',
  '��' => '乱',
  '��' => '卵',
  '��' => '嵐',
  '��' => '欄',
  '��' => '濫',
  '��' => '藍',
  '��' => '蘭',
  '��' => '覧',
  '��' => '利',
  '��' => '吏',
  '��' => '履',
  '��' => '李',
  '��' => '梨',
  '��' => '理',
  '��' => '璃',
  '��' => '痢',
  '��' => '裏',
  '��' => '裡',
  '��' => '里',
  '��' => '離',
  '��' => '陸',
  '��' => '律',
  '��' => '率',
  '��' => '立',
  '��' => '葎',
  '��' => '掠',
  '��' => '略',
  '��' => '劉',
  '��' => '流',
  '��' => '溜',
  '��' => '琉',
  '��' => '留',
  '��' => '硫',
  '��' => '粒',
  '��' => '隆',
  '��' => '竜',
  '��' => '龍',
  '��' => '侶',
  '��' => '慮',
  '��' => '旅',
  '��' => '虜',
  '��' => '了',
  '��' => '亮',
  '��' => '僚',
  '��' => '両',
  '��' => '凌',
  '��' => '寮',
  '��' => '料',
  '��' => '梁',
  '��' => '涼',
  '��' => '猟',
  '��' => '療',
  '��' => '瞭',
  '��' => '稜',
  '��' => '糧',
  '��' => '良',
  '��' => '諒',
  '��' => '遼',
  '��' => '量',
  '��' => '陵',
  '��' => '領',
  '��' => '力',
  '��' => '緑',
  '��' => '倫',
  '��' => '厘',
  '��' => '林',
  '��' => '淋',
  '��' => '燐',
  '��' => '琳',
  '��' => '臨',
  '��' => '輪',
  '��' => '隣',
  '��' => '鱗',
  '��' => '麟',
  '��' => '瑠',
  '��' => '塁',
  '��' => '涙',
  '��' => '累',
  '��' => '類',
  '��' => '令',
  '��' => '伶',
  '��' => '例',
  '��' => '冷',
  '��' => '励',
  '��' => '嶺',
  '��' => '怜',
  '��' => '玲',
  '��' => '礼',
  '��' => '苓',
  '��' => '鈴',
  '��' => '隷',
  '��' => '零',
  '��' => '霊',
  '��' => '麗',
  '��' => '齢',
  '��' => '暦',
  '��' => '歴',
  '��' => '列',
  '��' => '劣',
  '��' => '烈',
  '��' => '裂',
  '��' => '廉',
  '��' => '恋',
  '��' => '憐',
  '��' => '漣',
  '��' => '煉',
  '��' => '簾',
  '��' => '練',
  '��' => '聯',
  '�@' => '蓮',
  '�A' => '連',
  '�B' => '錬',
  '�C' => '呂',
  '�D' => '魯',
  '�E' => '櫓',
  '�F' => '炉',
  '�G' => '賂',
  '�H' => '路',
  '�I' => '露',
  '�J' => '労',
  '�K' => '婁',
  '�L' => '廊',
  '�M' => '弄',
  '�N' => '朗',
  '�O' => '楼',
  '�P' => '榔',
  '�Q' => '浪',
  '�R' => '漏',
  '�S' => '牢',
  '�T' => '狼',
  '�U' => '篭',
  '�V' => '老',
  '�W' => '聾',
  '�X' => '蝋',
  '�Y' => '郎',
  '�Z' => '六',
  '�[' => '麓',
  '�\\' => '禄',
  '�]' => '肋',
  '�^' => '録',
  '�_' => '論',
  '�`' => '倭',
  '�a' => '和',
  '�b' => '話',
  '�c' => '歪',
  '�d' => '賄',
  '�e' => '脇',
  '�f' => '惑',
  '�g' => '枠',
  '�h' => '鷲',
  '�i' => '亙',
  '�j' => '亘',
  '�k' => '鰐',
  '�l' => '詫',
  '�m' => '藁',
  '�n' => '蕨',
  '�o' => '椀',
  '�p' => '湾',
  '�q' => '碗',
  '�r' => '腕',
  '��' => '弌',
  '��' => '丐',
  '��' => '丕',
  '��' => '个',
  '��' => '丱',
  '��' => '丶',
  '��' => '丼',
  '��' => '丿',
  '��' => '乂',
  '��' => '乖',
  '��' => '乘',
  '��' => '亂',
  '��' => '亅',
  '��' => '豫',
  '��' => '亊',
  '��' => '舒',
  '��' => '弍',
  '��' => '于',
  '��' => '亞',
  '��' => '亟',
  '��' => '亠',
  '��' => '亢',
  '��' => '亰',
  '��' => '亳',
  '��' => '亶',
  '��' => '从',
  '��' => '仍',
  '��' => '仄',
  '��' => '仆',
  '��' => '仂',
  '��' => '仗',
  '��' => '仞',
  '��' => '仭',
  '��' => '仟',
  '��' => '价',
  '��' => '伉',
  '��' => '佚',
  '��' => '估',
  '��' => '佛',
  '��' => '佝',
  '��' => '佗',
  '��' => '佇',
  '��' => '佶',
  '��' => '侈',
  '��' => '侏',
  '��' => '侘',
  '��' => '佻',
  '��' => '佩',
  '��' => '佰',
  '��' => '侑',
  '��' => '佯',
  '��' => '來',
  '��' => '侖',
  '��' => '儘',
  '��' => '俔',
  '��' => '俟',
  '��' => '俎',
  '��' => '俘',
  '��' => '俛',
  '��' => '俑',
  '��' => '俚',
  '��' => '俐',
  '��' => '俤',
  '��' => '俥',
  '��' => '倚',
  '��' => '倨',
  '��' => '倔',
  '��' => '倪',
  '��' => '倥',
  '��' => '倅',
  '��' => '伜',
  '��' => '俶',
  '��' => '倡',
  '��' => '倩',
  '��' => '倬',
  '��' => '俾',
  '��' => '俯',
  '��' => '們',
  '��' => '倆',
  '��' => '偃',
  '��' => '假',
  '��' => '會',
  '��' => '偕',
  '��' => '偐',
  '��' => '偈',
  '��' => '做',
  '��' => '偖',
  '��' => '偬',
  '��' => '偸',
  '��' => '傀',
  '��' => '傚',
  '��' => '傅',
  '��' => '傴',
  '��' => '傲',
  '�@' => '僉',
  '�A' => '僊',
  '�B' => '傳',
  '�C' => '僂',
  '�D' => '僖',
  '�E' => '僞',
  '�F' => '僥',
  '�G' => '僭',
  '�H' => '僣',
  '�I' => '僮',
  '�J' => '價',
  '�K' => '僵',
  '�L' => '儉',
  '�M' => '儁',
  '�N' => '儂',
  '�O' => '儖',
  '�P' => '儕',
  '�Q' => '儔',
  '�R' => '儚',
  '�S' => '儡',
  '�T' => '儺',
  '�U' => '儷',
  '�V' => '儼',
  '�W' => '儻',
  '�X' => '儿',
  '�Y' => '兀',
  '�Z' => '兒',
  '�[' => '兌',
  '�\\' => '兔',
  '�]' => '兢',
  '�^' => '竸',
  '�_' => '兩',
  '�`' => '兪',
  '�a' => '兮',
  '�b' => '冀',
  '�c' => '冂',
  '�d' => '囘',
  '�e' => '册',
  '�f' => '冉',
  '�g' => '冏',
  '�h' => '冑',
  '�i' => '冓',
  '�j' => '冕',
  '�k' => '冖',
  '�l' => '冤',
  '�m' => '冦',
  '�n' => '冢',
  '�o' => '冩',
  '�p' => '冪',
  '�q' => '冫',
  '�r' => '决',
  '�s' => '冱',
  '�t' => '冲',
  '�u' => '冰',
  '�v' => '况',
  '�w' => '冽',
  '�x' => '凅',
  '�y' => '凉',
  '�z' => '凛',
  '�{' => '几',
  '�|' => '處',
  '�}' => '凩',
  '�~' => '凭',
  '��' => '凰',
  '��' => '凵',
  '��' => '凾',
  '��' => '刄',
  '��' => '刋',
  '��' => '刔',
  '��' => '刎',
  '��' => '刧',
  '��' => '刪',
  '��' => '刮',
  '��' => '刳',
  '��' => '刹',
  '��' => '剏',
  '��' => '剄',
  '��' => '剋',
  '��' => '剌',
  '��' => '剞',
  '��' => '剔',
  '��' => '剪',
  '��' => '剴',
  '��' => '剩',
  '��' => '剳',
  '��' => '剿',
  '��' => '剽',
  '��' => '劍',
  '��' => '劔',
  '��' => '劒',
  '��' => '剱',
  '��' => '劈',
  '��' => '劑',
  '��' => '辨',
  '��' => '辧',
  '��' => '劬',
  '��' => '劭',
  '��' => '劼',
  '��' => '劵',
  '��' => '勁',
  '��' => '勍',
  '��' => '勗',
  '��' => '勞',
  '��' => '勣',
  '��' => '勦',
  '��' => '飭',
  '��' => '勠',
  '��' => '勳',
  '��' => '勵',
  '��' => '勸',
  '��' => '勹',
  '��' => '匆',
  '��' => '匈',
  '��' => '甸',
  '��' => '匍',
  '��' => '匐',
  '��' => '匏',
  '��' => '匕',
  '��' => '匚',
  '��' => '匣',
  '��' => '匯',
  '��' => '匱',
  '��' => '匳',
  '��' => '匸',
  '��' => '區',
  '��' => '卆',
  '��' => '卅',
  '��' => '丗',
  '��' => '卉',
  '��' => '卍',
  '��' => '凖',
  '��' => '卞',
  '��' => '卩',
  '��' => '卮',
  '��' => '夘',
  '��' => '卻',
  '��' => '卷',
  '��' => '厂',
  '��' => '厖',
  '��' => '厠',
  '��' => '厦',
  '��' => '厥',
  '��' => '厮',
  '��' => '厰',
  '��' => '厶',
  '��' => '參',
  '��' => '簒',
  '��' => '雙',
  '��' => '叟',
  '��' => '曼',
  '��' => '燮',
  '��' => '叮',
  '��' => '叨',
  '��' => '叭',
  '��' => '叺',
  '��' => '吁',
  '��' => '吽',
  '��' => '呀',
  '��' => '听',
  '��' => '吭',
  '��' => '吼',
  '��' => '吮',
  '��' => '吶',
  '��' => '吩',
  '��' => '吝',
  '��' => '呎',
  '��' => '咏',
  '��' => '呵',
  '��' => '咎',
  '��' => '呟',
  '��' => '呱',
  '��' => '呷',
  '��' => '呰',
  '��' => '咒',
  '��' => '呻',
  '��' => '咀',
  '��' => '呶',
  '��' => '咄',
  '��' => '咐',
  '��' => '咆',
  '��' => '哇',
  '��' => '咢',
  '��' => '咸',
  '��' => '咥',
  '��' => '咬',
  '��' => '哄',
  '��' => '哈',
  '��' => '咨',
  '�@' => '咫',
  '�A' => '哂',
  '�B' => '咤',
  '�C' => '咾',
  '�D' => '咼',
  '�E' => '哘',
  '�F' => '哥',
  '�G' => '哦',
  '�H' => '唏',
  '�I' => '唔',
  '�J' => '哽',
  '�K' => '哮',
  '�L' => '哭',
  '�M' => '哺',
  '�N' => '哢',
  '�O' => '唹',
  '�P' => '啀',
  '�Q' => '啣',
  '�R' => '啌',
  '�S' => '售',
  '�T' => '啜',
  '�U' => '啅',
  '�V' => '啖',
  '�W' => '啗',
  '�X' => '唸',
  '�Y' => '唳',
  '�Z' => '啝',
  '�[' => '喙',
  '�\\' => '喀',
  '�]' => '咯',
  '�^' => '喊',
  '�_' => '喟',
  '�`' => '啻',
  '�a' => '啾',
  '�b' => '喘',
  '�c' => '喞',
  '�d' => '單',
  '�e' => '啼',
  '�f' => '喃',
  '�g' => '喩',
  '�h' => '喇',
  '�i' => '喨',
  '�j' => '嗚',
  '�k' => '嗅',
  '�l' => '嗟',
  '�m' => '嗄',
  '�n' => '嗜',
  '�o' => '嗤',
  '�p' => '嗔',
  '�q' => '嘔',
  '�r' => '嗷',
  '�s' => '嘖',
  '�t' => '嗾',
  '�u' => '嗽',
  '�v' => '嘛',
  '�w' => '嗹',
  '�x' => '噎',
  '�y' => '噐',
  '�z' => '營',
  '�{' => '嘴',
  '�|' => '嘶',
  '�}' => '嘲',
  '�~' => '嘸',
  '��' => '噫',
  '��' => '噤',
  '��' => '嘯',
  '��' => '噬',
  '��' => '噪',
  '��' => '嚆',
  '��' => '嚀',
  '��' => '嚊',
  '��' => '嚠',
  '��' => '嚔',
  '��' => '嚏',
  '��' => '嚥',
  '��' => '嚮',
  '��' => '嚶',
  '��' => '嚴',
  '��' => '囂',
  '��' => '嚼',
  '��' => '囁',
  '��' => '囃',
  '��' => '囀',
  '��' => '囈',
  '��' => '囎',
  '��' => '囑',
  '��' => '囓',
  '��' => '囗',
  '��' => '囮',
  '��' => '囹',
  '��' => '圀',
  '��' => '囿',
  '��' => '圄',
  '��' => '圉',
  '��' => '圈',
  '��' => '國',
  '��' => '圍',
  '��' => '圓',
  '��' => '團',
  '��' => '圖',
  '��' => '嗇',
  '��' => '圜',
  '��' => '圦',
  '��' => '圷',
  '��' => '圸',
  '��' => '坎',
  '��' => '圻',
  '��' => '址',
  '��' => '坏',
  '��' => '坩',
  '��' => '埀',
  '��' => '垈',
  '��' => '坡',
  '��' => '坿',
  '��' => '垉',
  '��' => '垓',
  '��' => '垠',
  '��' => '垳',
  '��' => '垤',
  '��' => '垪',
  '��' => '垰',
  '��' => '埃',
  '��' => '埆',
  '��' => '埔',
  '��' => '埒',
  '��' => '埓',
  '��' => '堊',
  '��' => '埖',
  '��' => '埣',
  '��' => '堋',
  '��' => '堙',
  '��' => '堝',
  '��' => '塲',
  '��' => '堡',
  '��' => '塢',
  '��' => '塋',
  '��' => '塰',
  '��' => '毀',
  '��' => '塒',
  '��' => '堽',
  '��' => '塹',
  '��' => '墅',
  '��' => '墹',
  '��' => '墟',
  '��' => '墫',
  '��' => '墺',
  '��' => '壞',
  '��' => '墻',
  '��' => '墸',
  '��' => '墮',
  '��' => '壅',
  '��' => '壓',
  '��' => '壑',
  '��' => '壗',
  '��' => '壙',
  '��' => '壘',
  '��' => '壥',
  '��' => '壜',
  '��' => '壤',
  '��' => '壟',
  '��' => '壯',
  '��' => '壺',
  '��' => '壹',
  '��' => '壻',
  '��' => '壼',
  '��' => '壽',
  '��' => '夂',
  '��' => '夊',
  '��' => '夐',
  '��' => '夛',
  '��' => '梦',
  '��' => '夥',
  '��' => '夬',
  '��' => '夭',
  '��' => '夲',
  '��' => '夸',
  '��' => '夾',
  '��' => '竒',
  '��' => '奕',
  '��' => '奐',
  '��' => '奎',
  '��' => '奚',
  '��' => '奘',
  '��' => '奢',
  '��' => '奠',
  '��' => '奧',
  '��' => '奬',
  '��' => '奩',
  '�@' => '奸',
  '�A' => '妁',
  '�B' => '妝',
  '�C' => '佞',
  '�D' => '侫',
  '�E' => '妣',
  '�F' => '妲',
  '�G' => '姆',
  '�H' => '姨',
  '�I' => '姜',
  '�J' => '妍',
  '�K' => '姙',
  '�L' => '姚',
  '�M' => '娥',
  '�N' => '娟',
  '�O' => '娑',
  '�P' => '娜',
  '�Q' => '娉',
  '�R' => '娚',
  '�S' => '婀',
  '�T' => '婬',
  '�U' => '婉',
  '�V' => '娵',
  '�W' => '娶',
  '�X' => '婢',
  '�Y' => '婪',
  '�Z' => '媚',
  '�[' => '媼',
  '�\\' => '媾',
  '�]' => '嫋',
  '�^' => '嫂',
  '�_' => '媽',
  '�`' => '嫣',
  '�a' => '嫗',
  '�b' => '嫦',
  '�c' => '嫩',
  '�d' => '嫖',
  '�e' => '嫺',
  '�f' => '嫻',
  '�g' => '嬌',
  '�h' => '嬋',
  '�i' => '嬖',
  '�j' => '嬲',
  '�k' => '嫐',
  '�l' => '嬪',
  '�m' => '嬶',
  '�n' => '嬾',
  '�o' => '孃',
  '�p' => '孅',
  '�q' => '孀',
  '�r' => '孑',
  '�s' => '孕',
  '�t' => '孚',
  '�u' => '孛',
  '�v' => '孥',
  '�w' => '孩',
  '�x' => '孰',
  '�y' => '孳',
  '�z' => '孵',
  '�{' => '學',
  '�|' => '斈',
  '�}' => '孺',
  '�~' => '宀',
  '��' => '它',
  '��' => '宦',
  '��' => '宸',
  '��' => '寃',
  '��' => '寇',
  '��' => '寉',
  '��' => '寔',
  '��' => '寐',
  '��' => '寤',
  '��' => '實',
  '��' => '寢',
  '��' => '寞',
  '��' => '寥',
  '��' => '寫',
  '��' => '寰',
  '��' => '寶',
  '��' => '寳',
  '��' => '尅',
  '��' => '將',
  '��' => '專',
  '��' => '對',
  '��' => '尓',
  '��' => '尠',
  '��' => '尢',
  '��' => '尨',
  '��' => '尸',
  '��' => '尹',
  '��' => '屁',
  '��' => '屆',
  '��' => '屎',
  '��' => '屓',
  '��' => '屐',
  '��' => '屏',
  '��' => '孱',
  '��' => '屬',
  '��' => '屮',
  '��' => '乢',
  '��' => '屶',
  '��' => '屹',
  '��' => '岌',
  '��' => '岑',
  '��' => '岔',
  '��' => '妛',
  '��' => '岫',
  '��' => '岻',
  '��' => '岶',
  '��' => '岼',
  '��' => '岷',
  '��' => '峅',
  '��' => '岾',
  '��' => '峇',
  '��' => '峙',
  '��' => '峩',
  '��' => '峽',
  '��' => '峺',
  '��' => '峭',
  '��' => '嶌',
  '��' => '峪',
  '��' => '崋',
  '��' => '崕',
  '��' => '崗',
  '��' => '嵜',
  '��' => '崟',
  '��' => '崛',
  '��' => '崑',
  '��' => '崔',
  '��' => '崢',
  '��' => '崚',
  '��' => '崙',
  '��' => '崘',
  '��' => '嵌',
  '��' => '嵒',
  '��' => '嵎',
  '��' => '嵋',
  '��' => '嵬',
  '��' => '嵳',
  '��' => '嵶',
  '��' => '嶇',
  '��' => '嶄',
  '��' => '嶂',
  '��' => '嶢',
  '��' => '嶝',
  '��' => '嶬',
  '��' => '嶮',
  '��' => '嶽',
  '��' => '嶐',
  '��' => '嶷',
  '��' => '嶼',
  '��' => '巉',
  '��' => '巍',
  '��' => '巓',
  '��' => '巒',
  '��' => '巖',
  '��' => '巛',
  '��' => '巫',
  '��' => '已',
  '��' => '巵',
  '��' => '帋',
  '��' => '帚',
  '��' => '帙',
  '��' => '帑',
  '��' => '帛',
  '��' => '帶',
  '��' => '帷',
  '��' => '幄',
  '��' => '幃',
  '��' => '幀',
  '��' => '幎',
  '��' => '幗',
  '��' => '幔',
  '��' => '幟',
  '��' => '幢',
  '��' => '幤',
  '��' => '幇',
  '��' => '幵',
  '��' => '并',
  '��' => '幺',
  '��' => '麼',
  '��' => '广',
  '��' => '庠',
  '��' => '廁',
  '��' => '廂',
  '��' => '廈',
  '��' => '廐',
  '��' => '廏',
  '�@' => '廖',
  '�A' => '廣',
  '�B' => '廝',
  '�C' => '廚',
  '�D' => '廛',
  '�E' => '廢',
  '�F' => '廡',
  '�G' => '廨',
  '�H' => '廩',
  '�I' => '廬',
  '�J' => '廱',
  '�K' => '廳',
  '�L' => '廰',
  '�M' => '廴',
  '�N' => '廸',
  '�O' => '廾',
  '�P' => '弃',
  '�Q' => '弉',
  '�R' => '彝',
  '�S' => '彜',
  '�T' => '弋',
  '�U' => '弑',
  '�V' => '弖',
  '�W' => '弩',
  '�X' => '弭',
  '�Y' => '弸',
  '�Z' => '彁',
  '�[' => '彈',
  '�\\' => '彌',
  '�]' => '彎',
  '�^' => '弯',
  '�_' => '彑',
  '�`' => '彖',
  '�a' => '彗',
  '�b' => '彙',
  '�c' => '彡',
  '�d' => '彭',
  '�e' => '彳',
  '�f' => '彷',
  '�g' => '徃',
  '�h' => '徂',
  '�i' => '彿',
  '�j' => '徊',
  '�k' => '很',
  '�l' => '徑',
  '�m' => '徇',
  '�n' => '從',
  '�o' => '徙',
  '�p' => '徘',
  '�q' => '徠',
  '�r' => '徨',
  '�s' => '徭',
  '�t' => '徼',
  '�u' => '忖',
  '�v' => '忻',
  '�w' => '忤',
  '�x' => '忸',
  '�y' => '忱',
  '�z' => '忝',
  '�{' => '悳',
  '�|' => '忿',
  '�}' => '怡',
  '�~' => '恠',
  '��' => '怙',
  '��' => '怐',
  '��' => '怩',
  '��' => '怎',
  '��' => '怱',
  '��' => '怛',
  '��' => '怕',
  '��' => '怫',
  '��' => '怦',
  '��' => '怏',
  '��' => '怺',
  '��' => '恚',
  '��' => '恁',
  '��' => '恪',
  '��' => '恷',
  '��' => '恟',
  '��' => '恊',
  '��' => '恆',
  '��' => '恍',
  '��' => '恣',
  '��' => '恃',
  '��' => '恤',
  '��' => '恂',
  '��' => '恬',
  '��' => '恫',
  '��' => '恙',
  '��' => '悁',
  '��' => '悍',
  '��' => '惧',
  '��' => '悃',
  '��' => '悚',
  '��' => '悄',
  '��' => '悛',
  '��' => '悖',
  '��' => '悗',
  '��' => '悒',
  '��' => '悧',
  '��' => '悋',
  '��' => '惡',
  '��' => '悸',
  '��' => '惠',
  '��' => '惓',
  '��' => '悴',
  '��' => '忰',
  '��' => '悽',
  '��' => '惆',
  '��' => '悵',
  '��' => '惘',
  '��' => '慍',
  '��' => '愕',
  '��' => '愆',
  '��' => '惶',
  '��' => '惷',
  '��' => '愀',
  '��' => '惴',
  '��' => '惺',
  '��' => '愃',
  '��' => '愡',
  '��' => '惻',
  '��' => '惱',
  '��' => '愍',
  '��' => '愎',
  '��' => '慇',
  '��' => '愾',
  '��' => '愨',
  '��' => '愧',
  '��' => '慊',
  '��' => '愿',
  '��' => '愼',
  '��' => '愬',
  '��' => '愴',
  '��' => '愽',
  '��' => '慂',
  '��' => '慄',
  '��' => '慳',
  '��' => '慷',
  '��' => '慘',
  '��' => '慙',
  '��' => '慚',
  '��' => '慫',
  '��' => '慴',
  '��' => '慯',
  '��' => '慥',
  '��' => '慱',
  '��' => '慟',
  '��' => '慝',
  '��' => '慓',
  '��' => '慵',
  '��' => '憙',
  '��' => '憖',
  '��' => '憇',
  '��' => '憬',
  '��' => '憔',
  '��' => '憚',
  '��' => '憊',
  '��' => '憑',
  '��' => '憫',
  '��' => '憮',
  '��' => '懌',
  '��' => '懊',
  '��' => '應',
  '��' => '懷',
  '��' => '懈',
  '��' => '懃',
  '��' => '懆',
  '��' => '憺',
  '��' => '懋',
  '��' => '罹',
  '��' => '懍',
  '��' => '懦',
  '��' => '懣',
  '��' => '懶',
  '��' => '懺',
  '��' => '懴',
  '��' => '懿',
  '��' => '懽',
  '��' => '懼',
  '��' => '懾',
  '��' => '戀',
  '��' => '戈',
  '��' => '戉',
  '��' => '戍',
  '��' => '戌',
  '��' => '戔',
  '��' => '戛',
  '�@' => '戞',
  '�A' => '戡',
  '�B' => '截',
  '�C' => '戮',
  '�D' => '戰',
  '�E' => '戲',
  '�F' => '戳',
  '�G' => '扁',
  '�H' => '扎',
  '�I' => '扞',
  '�J' => '扣',
  '�K' => '扛',
  '�L' => '扠',
  '�M' => '扨',
  '�N' => '扼',
  '�O' => '抂',
  '�P' => '抉',
  '�Q' => '找',
  '�R' => '抒',
  '�S' => '抓',
  '�T' => '抖',
  '�U' => '拔',
  '�V' => '抃',
  '�W' => '抔',
  '�X' => '拗',
  '�Y' => '拑',
  '�Z' => '抻',
  '�[' => '拏',
  '�\\' => '拿',
  '�]' => '拆',
  '�^' => '擔',
  '�_' => '拈',
  '�`' => '拜',
  '�a' => '拌',
  '�b' => '拊',
  '�c' => '拂',
  '�d' => '拇',
  '�e' => '抛',
  '�f' => '拉',
  '�g' => '挌',
  '�h' => '拮',
  '�i' => '拱',
  '�j' => '挧',
  '�k' => '挂',
  '�l' => '挈',
  '�m' => '拯',
  '�n' => '拵',
  '�o' => '捐',
  '�p' => '挾',
  '�q' => '捍',
  '�r' => '搜',
  '�s' => '捏',
  '�t' => '掖',
  '�u' => '掎',
  '�v' => '掀',
  '�w' => '掫',
  '�x' => '捶',
  '�y' => '掣',
  '�z' => '掏',
  '�{' => '掉',
  '�|' => '掟',
  '�}' => '掵',
  '�~' => '捫',
  '��' => '捩',
  '��' => '掾',
  '��' => '揩',
  '��' => '揀',
  '��' => '揆',
  '��' => '揣',
  '��' => '揉',
  '��' => '插',
  '��' => '揶',
  '��' => '揄',
  '��' => '搖',
  '��' => '搴',
  '��' => '搆',
  '��' => '搓',
  '��' => '搦',
  '��' => '搶',
  '��' => '攝',
  '��' => '搗',
  '��' => '搨',
  '��' => '搏',
  '��' => '摧',
  '��' => '摯',
  '��' => '摶',
  '��' => '摎',
  '��' => '攪',
  '��' => '撕',
  '��' => '撓',
  '��' => '撥',
  '��' => '撩',
  '��' => '撈',
  '��' => '撼',
  '��' => '據',
  '��' => '擒',
  '��' => '擅',
  '��' => '擇',
  '��' => '撻',
  '��' => '擘',
  '��' => '擂',
  '��' => '擱',
  '��' => '擧',
  '��' => '舉',
  '��' => '擠',
  '��' => '擡',
  '��' => '抬',
  '��' => '擣',
  '��' => '擯',
  '��' => '攬',
  '��' => '擶',
  '��' => '擴',
  '��' => '擲',
  '��' => '擺',
  '��' => '攀',
  '��' => '擽',
  '��' => '攘',
  '��' => '攜',
  '��' => '攅',
  '��' => '攤',
  '��' => '攣',
  '��' => '攫',
  '��' => '攴',
  '��' => '攵',
  '��' => '攷',
  '��' => '收',
  '��' => '攸',
  '��' => '畋',
  '��' => '效',
  '��' => '敖',
  '��' => '敕',
  '��' => '敍',
  '��' => '敘',
  '��' => '敞',
  '��' => '敝',
  '��' => '敲',
  '��' => '數',
  '��' => '斂',
  '��' => '斃',
  '��' => '變',
  '��' => '斛',
  '��' => '斟',
  '��' => '斫',
  '��' => '斷',
  '��' => '旃',
  '��' => '旆',
  '��' => '旁',
  '��' => '旄',
  '��' => '旌',
  '��' => '旒',
  '��' => '旛',
  '��' => '旙',
  '��' => '无',
  '��' => '旡',
  '��' => '旱',
  '��' => '杲',
  '��' => '昊',
  '��' => '昃',
  '��' => '旻',
  '��' => '杳',
  '��' => '昵',
  '��' => '昶',
  '��' => '昴',
  '��' => '昜',
  '��' => '晏',
  '��' => '晄',
  '��' => '晉',
  '��' => '晁',
  '��' => '晞',
  '��' => '晝',
  '��' => '晤',
  '��' => '晧',
  '��' => '晨',
  '��' => '晟',
  '��' => '晢',
  '��' => '晰',
  '��' => '暃',
  '��' => '暈',
  '��' => '暎',
  '��' => '暉',
  '��' => '暄',
  '��' => '暘',
  '��' => '暝',
  '��' => '曁',
  '��' => '暹',
  '��' => '曉',
  '��' => '暾',
  '��' => '暼',
  '�@' => '曄',
  '�A' => '暸',
  '�B' => '曖',
  '�C' => '曚',
  '�D' => '曠',
  '�E' => '昿',
  '�F' => '曦',
  '�G' => '曩',
  '�H' => '曰',
  '�I' => '曵',
  '�J' => '曷',
  '�K' => '朏',
  '�L' => '朖',
  '�M' => '朞',
  '�N' => '朦',
  '�O' => '朧',
  '�P' => '霸',
  '�Q' => '朮',
  '�R' => '朿',
  '�S' => '朶',
  '�T' => '杁',
  '�U' => '朸',
  '�V' => '朷',
  '�W' => '杆',
  '�X' => '杞',
  '�Y' => '杠',
  '�Z' => '杙',
  '�[' => '杣',
  '�\\' => '杤',
  '�]' => '枉',
  '�^' => '杰',
  '�_' => '枩',
  '�`' => '杼',
  '�a' => '杪',
  '�b' => '枌',
  '�c' => '枋',
  '�d' => '枦',
  '�e' => '枡',
  '�f' => '枅',
  '�g' => '枷',
  '�h' => '柯',
  '�i' => '枴',
  '�j' => '柬',
  '�k' => '枳',
  '�l' => '柩',
  '�m' => '枸',
  '�n' => '柤',
  '�o' => '柞',
  '�p' => '柝',
  '�q' => '柢',
  '�r' => '柮',
  '�s' => '枹',
  '�t' => '柎',
  '�u' => '柆',
  '�v' => '柧',
  '�w' => '檜',
  '�x' => '栞',
  '�y' => '框',
  '�z' => '栩',
  '�{' => '桀',
  '�|' => '桍',
  '�}' => '栲',
  '�~' => '桎',
  '��' => '梳',
  '��' => '栫',
  '��' => '桙',
  '��' => '档',
  '��' => '桷',
  '��' => '桿',
  '��' => '梟',
  '��' => '梏',
  '��' => '梭',
  '��' => '梔',
  '��' => '條',
  '��' => '梛',
  '��' => '梃',
  '��' => '檮',
  '��' => '梹',
  '��' => '桴',
  '��' => '梵',
  '��' => '梠',
  '��' => '梺',
  '��' => '椏',
  '��' => '梍',
  '��' => '桾',
  '��' => '椁',
  '��' => '棊',
  '��' => '椈',
  '��' => '棘',
  '��' => '椢',
  '��' => '椦',
  '��' => '棡',
  '��' => '椌',
  '��' => '棍',
  '��' => '棔',
  '��' => '棧',
  '��' => '棕',
  '��' => '椶',
  '��' => '椒',
  '��' => '椄',
  '��' => '棗',
  '��' => '棣',
  '��' => '椥',
  '��' => '棹',
  '��' => '棠',
  '��' => '棯',
  '��' => '椨',
  '��' => '椪',
  '��' => '椚',
  '��' => '椣',
  '��' => '椡',
  '��' => '棆',
  '��' => '楹',
  '��' => '楷',
  '��' => '楜',
  '��' => '楸',
  '��' => '楫',
  '��' => '楔',
  '��' => '楾',
  '��' => '楮',
  '��' => '椹',
  '��' => '楴',
  '��' => '椽',
  '��' => '楙',
  '��' => '椰',
  '��' => '楡',
  '��' => '楞',
  '��' => '楝',
  '��' => '榁',
  '��' => '楪',
  '��' => '榲',
  '��' => '榮',
  '��' => '槐',
  '��' => '榿',
  '��' => '槁',
  '��' => '槓',
  '��' => '榾',
  '��' => '槎',
  '��' => '寨',
  '��' => '槊',
  '��' => '槝',
  '��' => '榻',
  '��' => '槃',
  '��' => '榧',
  '��' => '樮',
  '��' => '榑',
  '��' => '榠',
  '��' => '榜',
  '��' => '榕',
  '��' => '榴',
  '��' => '槞',
  '��' => '槨',
  '��' => '樂',
  '��' => '樛',
  '��' => '槿',
  '��' => '權',
  '��' => '槹',
  '��' => '槲',
  '��' => '槧',
  '��' => '樅',
  '��' => '榱',
  '��' => '樞',
  '��' => '槭',
  '��' => '樔',
  '��' => '槫',
  '��' => '樊',
  '��' => '樒',
  '��' => '櫁',
  '��' => '樣',
  '��' => '樓',
  '��' => '橄',
  '��' => '樌',
  '��' => '橲',
  '��' => '樶',
  '��' => '橸',
  '��' => '橇',
  '��' => '橢',
  '��' => '橙',
  '��' => '橦',
  '��' => '橈',
  '��' => '樸',
  '��' => '樢',
  '��' => '檐',
  '��' => '檍',
  '��' => '檠',
  '��' => '檄',
  '��' => '檢',
  '��' => '檣',
  '�@' => '檗',
  '�A' => '蘗',
  '�B' => '檻',
  '�C' => '櫃',
  '�D' => '櫂',
  '�E' => '檸',
  '�F' => '檳',
  '�G' => '檬',
  '�H' => '櫞',
  '�I' => '櫑',
  '�J' => '櫟',
  '�K' => '檪',
  '�L' => '櫚',
  '�M' => '櫪',
  '�N' => '櫻',
  '�O' => '欅',
  '�P' => '蘖',
  '�Q' => '櫺',
  '�R' => '欒',
  '�S' => '欖',
  '�T' => '鬱',
  '�U' => '欟',
  '�V' => '欸',
  '�W' => '欷',
  '�X' => '盜',
  '�Y' => '欹',
  '�Z' => '飮',
  '�[' => '歇',
  '�\\' => '歃',
  '�]' => '歉',
  '�^' => '歐',
  '�_' => '歙',
  '�`' => '歔',
  '�a' => '歛',
  '�b' => '歟',
  '�c' => '歡',
  '�d' => '歸',
  '�e' => '歹',
  '�f' => '歿',
  '�g' => '殀',
  '�h' => '殄',
  '�i' => '殃',
  '�j' => '殍',
  '�k' => '殘',
  '�l' => '殕',
  '�m' => '殞',
  '�n' => '殤',
  '�o' => '殪',
  '�p' => '殫',
  '�q' => '殯',
  '�r' => '殲',
  '�s' => '殱',
  '�t' => '殳',
  '�u' => '殷',
  '�v' => '殼',
  '�w' => '毆',
  '�x' => '毋',
  '�y' => '毓',
  '�z' => '毟',
  '�{' => '毬',
  '�|' => '毫',
  '�}' => '毳',
  '�~' => '毯',
  '��' => '麾',
  '��' => '氈',
  '��' => '氓',
  '��' => '气',
  '��' => '氛',
  '��' => '氤',
  '��' => '氣',
  '��' => '汞',
  '��' => '汕',
  '��' => '汢',
  '��' => '汪',
  '��' => '沂',
  '��' => '沍',
  '��' => '沚',
  '��' => '沁',
  '��' => '沛',
  '��' => '汾',
  '��' => '汨',
  '��' => '汳',
  '��' => '沒',
  '��' => '沐',
  '��' => '泄',
  '��' => '泱',
  '��' => '泓',
  '��' => '沽',
  '��' => '泗',
  '��' => '泅',
  '��' => '泝',
  '��' => '沮',
  '��' => '沱',
  '��' => '沾',
  '��' => '沺',
  '��' => '泛',
  '��' => '泯',
  '��' => '泙',
  '��' => '泪',
  '��' => '洟',
  '��' => '衍',
  '��' => '洶',
  '��' => '洫',
  '��' => '洽',
  '��' => '洸',
  '��' => '洙',
  '��' => '洵',
  '��' => '洳',
  '��' => '洒',
  '��' => '洌',
  '��' => '浣',
  '��' => '涓',
  '��' => '浤',
  '��' => '浚',
  '��' => '浹',
  '��' => '浙',
  '��' => '涎',
  '��' => '涕',
  '��' => '濤',
  '��' => '涅',
  '��' => '淹',
  '��' => '渕',
  '��' => '渊',
  '��' => '涵',
  '��' => '淇',
  '��' => '淦',
  '��' => '涸',
  '��' => '淆',
  '��' => '淬',
  '��' => '淞',
  '��' => '淌',
  '��' => '淨',
  '��' => '淒',
  '��' => '淅',
  '��' => '淺',
  '��' => '淙',
  '��' => '淤',
  '��' => '淕',
  '��' => '淪',
  '��' => '淮',
  '��' => '渭',
  '��' => '湮',
  '��' => '渮',
  '��' => '渙',
  '��' => '湲',
  '��' => '湟',
  '��' => '渾',
  '��' => '渣',
  '��' => '湫',
  '��' => '渫',
  '��' => '湶',
  '��' => '湍',
  '��' => '渟',
  '��' => '湃',
  '��' => '渺',
  '��' => '湎',
  '��' => '渤',
  '��' => '滿',
  '��' => '渝',
  '��' => '游',
  '��' => '溂',
  '��' => '溪',
  '��' => '溘',
  '��' => '滉',
  '��' => '溷',
  '��' => '滓',
  '��' => '溽',
  '��' => '溯',
  '��' => '滄',
  '��' => '溲',
  '��' => '滔',
  '��' => '滕',
  '��' => '溏',
  '��' => '溥',
  '��' => '滂',
  '��' => '溟',
  '��' => '潁',
  '��' => '漑',
  '��' => '灌',
  '��' => '滬',
  '��' => '滸',
  '��' => '滾',
  '��' => '漿',
  '��' => '滲',
  '��' => '漱',
  '��' => '滯',
  '��' => '漲',
  '��' => '滌',
  '�@' => '漾',
  '�A' => '漓',
  '�B' => '滷',
  '�C' => '澆',
  '�D' => '潺',
  '�E' => '潸',
  '�F' => '澁',
  '�G' => '澀',
  '�H' => '潯',
  '�I' => '潛',
  '�J' => '濳',
  '�K' => '潭',
  '�L' => '澂',
  '�M' => '潼',
  '�N' => '潘',
  '�O' => '澎',
  '�P' => '澑',
  '�Q' => '濂',
  '�R' => '潦',
  '�S' => '澳',
  '�T' => '澣',
  '�U' => '澡',
  '�V' => '澤',
  '�W' => '澹',
  '�X' => '濆',
  '�Y' => '澪',
  '�Z' => '濟',
  '�[' => '濕',
  '�\\' => '濬',
  '�]' => '濔',
  '�^' => '濘',
  '�_' => '濱',
  '�`' => '濮',
  '�a' => '濛',
  '�b' => '瀉',
  '�c' => '瀋',
  '�d' => '濺',
  '�e' => '瀑',
  '�f' => '瀁',
  '�g' => '瀏',
  '�h' => '濾',
  '�i' => '瀛',
  '�j' => '瀚',
  '�k' => '潴',
  '�l' => '瀝',
  '�m' => '瀘',
  '�n' => '瀟',
  '�o' => '瀰',
  '�p' => '瀾',
  '�q' => '瀲',
  '�r' => '灑',
  '�s' => '灣',
  '�t' => '炙',
  '�u' => '炒',
  '�v' => '炯',
  '�w' => '烱',
  '�x' => '炬',
  '�y' => '炸',
  '�z' => '炳',
  '�{' => '炮',
  '�|' => '烟',
  '�}' => '烋',
  '�~' => '烝',
  '�' => '烙',
  '�' => '焉',
  '�' => '烽',
  '�' => '焜',
  '�' => '焙',
  '�' => '煥',
  '�' => '煕',
  '�' => '熈',
  '�' => '煦',
  '�' => '煢',
  '�' => '煌',
  '�' => '煖',
  '�' => '煬',
  '�' => '熏',
  '�' => '燻',
  '�' => '熄',
  '�' => '熕',
  '�' => '熨',
  '�' => '熬',
  '�' => '燗',
  '�' => '熹',
  '�' => '熾',
  '�' => '燒',
  '�' => '燉',
  '�' => '燔',
  '�' => '燎',
  '�' => '燠',
  '�' => '燬',
  '�' => '燧',
  '�' => '燵',
  '�' => '燼',
  '�' => '燹',
  '�' => '燿',
  '�' => '爍',
  '�' => '爐',
  '�' => '爛',
  '�' => '爨',
  '�' => '爭',
  '�' => '爬',
  '�' => '爰',
  '�' => '爲',
  '�' => '爻',
  '�' => '爼',
  '�' => '爿',
  '�' => '牀',
  '�' => '牆',
  '�' => '牋',
  '�' => '牘',
  '�' => '牴',
  '�' => '牾',
  '�' => '犂',
  '�' => '犁',
  '�' => '犇',
  '�' => '犒',
  '�' => '犖',
  '�' => '犢',
  '�' => '犧',
  '�' => '犹',
  '�' => '犲',
  '�' => '狃',
  '�' => '狆',
  '�' => '狄',
  '�' => '狎',
  '�' => '狒',
  '�' => '狢',
  '�' => '狠',
  '��' => '狡',
  '��' => '狹',
  '��' => '狷',
  '��' => '倏',
  '��' => '猗',
  '��' => '猊',
  '��' => '猜',
  '��' => '猖',
  '��' => '猝',
  '��' => '猴',
  '��' => '猯',
  '��' => '猩',
  '��' => '猥',
  '��' => '猾',
  '��' => '獎',
  '��' => '獏',
  '��' => '默',
  '��' => '獗',
  '��' => '獪',
  '��' => '獨',
  '��' => '獰',
  '��' => '獸',
  '��' => '獵',
  '��' => '獻',
  '��' => '獺',
  '��' => '珈',
  '��' => '玳',
  '��' => '珎',
  '��' => '玻',
  '��' => '珀',
  '��' => '珥',
  '��' => '珮',
  '��' => '珞',
  '��' => '璢',
  '��' => '琅',
  '��' => '瑯',
  '��' => '琥',
  '��' => '珸',
  '��' => '琲',
  '��' => '琺',
  '��' => '瑕',
  '��' => '琿',
  '��' => '瑟',
  '��' => '瑙',
  '��' => '瑁',
  '��' => '瑜',
  '��' => '瑩',
  '��' => '瑰',
  '��' => '瑣',
  '��' => '瑪',
  '��' => '瑶',
  '�' => '瑾',
  '�' => '璋',
  '�' => '璞',
  '�' => '璧',
  '�' => '瓊',
  '�' => '瓏',
  '�' => '瓔',
  '�' => '珱',
  '�@' => '瓠',
  '�A' => '瓣',
  '�B' => '瓧',
  '�C' => '瓩',
  '�D' => '瓮',
  '�E' => '瓲',
  '�F' => '瓰',
  '�G' => '瓱',
  '�H' => '瓸',
  '�I' => '瓷',
  '�J' => '甄',
  '�K' => '甃',
  '�L' => '甅',
  '�M' => '甌',
  '�N' => '甎',
  '�O' => '甍',
  '�P' => '甕',
  '�Q' => '甓',
  '�R' => '甞',
  '�S' => '甦',
  '�T' => '甬',
  '�U' => '甼',
  '�V' => '畄',
  '�W' => '畍',
  '�X' => '畊',
  '�Y' => '畉',
  '�Z' => '畛',
  '�[' => '畆',
  '�\\' => '畚',
  '�]' => '畩',
  '�^' => '畤',
  '�_' => '畧',
  '�`' => '畫',
  '�a' => '畭',
  '�b' => '畸',
  '�c' => '當',
  '�d' => '疆',
  '�e' => '疇',
  '�f' => '畴',
  '�g' => '疊',
  '�h' => '疉',
  '�i' => '疂',
  '�j' => '疔',
  '�k' => '疚',
  '�l' => '疝',
  '�m' => '疥',
  '�n' => '疣',
  '�o' => '痂',
  '�p' => '疳',
  '�q' => '痃',
  '�r' => '疵',
  '�s' => '疽',
  '�t' => '疸',
  '�u' => '疼',
  '�v' => '疱',
  '�w' => '痍',
  '�x' => '痊',
  '�y' => '痒',
  '�z' => '痙',
  '�{' => '痣',
  '�|' => '痞',
  '�}' => '痾',
  '�~' => '痿',
  '�' => '痼',
  '�' => '瘁',
  '�' => '痰',
  '�' => '痺',
  '�' => '痲',
  '�' => '痳',
  '�' => '瘋',
  '�' => '瘍',
  '�' => '瘉',
  '�' => '瘟',
  '�' => '瘧',
  '�' => '瘠',
  '�' => '瘡',
  '�' => '瘢',
  '�' => '瘤',
  '�' => '瘴',
  '�' => '瘰',
  '�' => '瘻',
  '�' => '癇',
  '�' => '癈',
  '�' => '癆',
  '�' => '癜',
  '�' => '癘',
  '�' => '癡',
  '�' => '癢',
  '�' => '癨',
  '�' => '癩',
  '�' => '癪',
  '�' => '癧',
  '�' => '癬',
  '�' => '癰',
  '�' => '癲',
  '�' => '癶',
  '�' => '癸',
  '�' => '發',
  '�' => '皀',
  '�' => '皃',
  '�' => '皈',
  '�' => '皋',
  '�' => '皎',
  '�' => '皖',
  '�' => '皓',
  '�' => '皙',
  '�' => '皚',
  '�' => '皰',
  '�' => '皴',
  '�' => '皸',
  '�' => '皹',
  '�' => '皺',
  '�' => '盂',
  '�' => '盍',
  '�' => '盖',
  '�' => '盒',
  '�' => '盞',
  '�' => '盡',
  '�' => '盥',
  '�' => '盧',
  '�' => '盪',
  '�' => '蘯',
  '�' => '盻',
  '�' => '眈',
  '�' => '眇',
  '�' => '眄',
  '�' => '眩',
  '�' => '眤',
  '�' => '眞',
  '��' => '眥',
  '��' => '眦',
  '��' => '眛',
  '��' => '眷',
  '��' => '眸',
  '��' => '睇',
  '��' => '睚',
  '��' => '睨',
  '��' => '睫',
  '��' => '睛',
  '��' => '睥',
  '��' => '睿',
  '��' => '睾',
  '��' => '睹',
  '��' => '瞎',
  '��' => '瞋',
  '��' => '瞑',
  '��' => '瞠',
  '��' => '瞞',
  '��' => '瞰',
  '��' => '瞶',
  '��' => '瞹',
  '��' => '瞿',
  '��' => '瞼',
  '��' => '瞽',
  '��' => '瞻',
  '��' => '矇',
  '��' => '矍',
  '��' => '矗',
  '��' => '矚',
  '��' => '矜',
  '��' => '矣',
  '��' => '矮',
  '��' => '矼',
  '��' => '砌',
  '��' => '砒',
  '��' => '礦',
  '��' => '砠',
  '��' => '礪',
  '��' => '硅',
  '��' => '碎',
  '��' => '硴',
  '��' => '碆',
  '��' => '硼',
  '��' => '碚',
  '��' => '碌',
  '��' => '碣',
  '��' => '碵',
  '��' => '碪',
  '��' => '碯',
  '��' => '磑',
  '�' => '磆',
  '�' => '磋',
  '�' => '磔',
  '�' => '碾',
  '�' => '碼',
  '�' => '磅',
  '�' => '磊',
  '�' => '磬',
  '�@' => '磧',
  '�A' => '磚',
  '�B' => '磽',
  '�C' => '磴',
  '�D' => '礇',
  '�E' => '礒',
  '�F' => '礑',
  '�G' => '礙',
  '�H' => '礬',
  '�I' => '礫',
  '�J' => '祀',
  '�K' => '祠',
  '�L' => '祗',
  '�M' => '祟',
  '�N' => '祚',
  '�O' => '祕',
  '�P' => '祓',
  '�Q' => '祺',
  '�R' => '祿',
  '�S' => '禊',
  '�T' => '禝',
  '�U' => '禧',
  '�V' => '齋',
  '�W' => '禪',
  '�X' => '禮',
  '�Y' => '禳',
  '�Z' => '禹',
  '�[' => '禺',
  '�\\' => '秉',
  '�]' => '秕',
  '�^' => '秧',
  '�_' => '秬',
  '�`' => '秡',
  '�a' => '秣',
  '�b' => '稈',
  '�c' => '稍',
  '�d' => '稘',
  '�e' => '稙',
  '�f' => '稠',
  '�g' => '稟',
  '�h' => '禀',
  '�i' => '稱',
  '�j' => '稻',
  '�k' => '稾',
  '�l' => '稷',
  '�m' => '穃',
  '�n' => '穗',
  '�o' => '穉',
  '�p' => '穡',
  '�q' => '穢',
  '�r' => '穩',
  '�s' => '龝',
  '�t' => '穰',
  '�u' => '穹',
  '�v' => '穽',
  '�w' => '窈',
  '�x' => '窗',
  '�y' => '窕',
  '�z' => '窘',
  '�{' => '窖',
  '�|' => '窩',
  '�}' => '竈',
  '�~' => '窰',
  '�' => '窶',
  '�' => '竅',
  '�' => '竄',
  '�' => '窿',
  '�' => '邃',
  '�' => '竇',
  '�' => '竊',
  '�' => '竍',
  '�' => '竏',
  '�' => '竕',
  '�' => '竓',
  '�' => '站',
  '�' => '竚',
  '�' => '竝',
  '�' => '竡',
  '�' => '竢',
  '�' => '竦',
  '�' => '竭',
  '�' => '竰',
  '�' => '笂',
  '�' => '笏',
  '�' => '笊',
  '�' => '笆',
  '�' => '笳',
  '�' => '笘',
  '�' => '笙',
  '�' => '笞',
  '�' => '笵',
  '�' => '笨',
  '�' => '笶',
  '�' => '筐',
  '�' => '筺',
  '�' => '笄',
  '�' => '筍',
  '�' => '笋',
  '�' => '筌',
  '�' => '筅',
  '�' => '筵',
  '�' => '筥',
  '�' => '筴',
  '�' => '筧',
  '�' => '筰',
  '�' => '筱',
  '�' => '筬',
  '�' => '筮',
  '�' => '箝',
  '�' => '箘',
  '�' => '箟',
  '�' => '箍',
  '�' => '箜',
  '�' => '箚',
  '�' => '箋',
  '�' => '箒',
  '�' => '箏',
  '�' => '筝',
  '�' => '箙',
  '�' => '篋',
  '�' => '篁',
  '�' => '篌',
  '�' => '篏',
  '�' => '箴',
  '�' => '篆',
  '�' => '篝',
  '�' => '篩',
  '�' => '簑',
  '�' => '簔',
  '��' => '篦',
  '��' => '篥',
  '��' => '籠',
  '��' => '簀',
  '��' => '簇',
  '��' => '簓',
  '��' => '篳',
  '��' => '篷',
  '��' => '簗',
  '��' => '簍',
  '��' => '篶',
  '��' => '簣',
  '��' => '簧',
  '��' => '簪',
  '��' => '簟',
  '��' => '簷',
  '��' => '簫',
  '��' => '簽',
  '��' => '籌',
  '��' => '籃',
  '��' => '籔',
  '��' => '籏',
  '��' => '籀',
  '��' => '籐',
  '��' => '籘',
  '��' => '籟',
  '��' => '籤',
  '��' => '籖',
  '��' => '籥',
  '��' => '籬',
  '��' => '籵',
  '��' => '粃',
  '��' => '粐',
  '��' => '粤',
  '��' => '粭',
  '��' => '粢',
  '��' => '粫',
  '��' => '粡',
  '��' => '粨',
  '��' => '粳',
  '��' => '粲',
  '��' => '粱',
  '��' => '粮',
  '��' => '粹',
  '��' => '粽',
  '��' => '糀',
  '��' => '糅',
  '��' => '糂',
  '��' => '糘',
  '��' => '糒',
  '��' => '糜',
  '�' => '糢',
  '�' => '鬻',
  '�' => '糯',
  '�' => '糲',
  '�' => '糴',
  '�' => '糶',
  '�' => '糺',
  '�' => '紆',
  '�@' => '紂',
  '�A' => '紜',
  '�B' => '紕',
  '�C' => '紊',
  '�D' => '絅',
  '�E' => '絋',
  '�F' => '紮',
  '�G' => '紲',
  '�H' => '紿',
  '�I' => '紵',
  '�J' => '絆',
  '�K' => '絳',
  '�L' => '絖',
  '�M' => '絎',
  '�N' => '絲',
  '�O' => '絨',
  '�P' => '絮',
  '�Q' => '絏',
  '�R' => '絣',
  '�S' => '經',
  '�T' => '綉',
  '�U' => '絛',
  '�V' => '綏',
  '�W' => '絽',
  '�X' => '綛',
  '�Y' => '綺',
  '�Z' => '綮',
  '�[' => '綣',
  '�\\' => '綵',
  '�]' => '緇',
  '�^' => '綽',
  '�_' => '綫',
  '�`' => '總',
  '�a' => '綢',
  '�b' => '綯',
  '�c' => '緜',
  '�d' => '綸',
  '�e' => '綟',
  '�f' => '綰',
  '�g' => '緘',
  '�h' => '緝',
  '�i' => '緤',
  '�j' => '緞',
  '�k' => '緻',
  '�l' => '緲',
  '�m' => '緡',
  '�n' => '縅',
  '�o' => '縊',
  '�p' => '縣',
  '�q' => '縡',
  '�r' => '縒',
  '�s' => '縱',
  '�t' => '縟',
  '�u' => '縉',
  '�v' => '縋',
  '�w' => '縢',
  '�x' => '繆',
  '�y' => '繦',
  '�z' => '縻',
  '�{' => '縵',
  '�|' => '縹',
  '�}' => '繃',
  '�~' => '縷',
  '�' => '縲',
  '�' => '縺',
  '�' => '繧',
  '�' => '繝',
  '�' => '繖',
  '�' => '繞',
  '�' => '繙',
  '�' => '繚',
  '�' => '繹',
  '�' => '繪',
  '�' => '繩',
  '�' => '繼',
  '�' => '繻',
  '�' => '纃',
  '�' => '緕',
  '�' => '繽',
  '�' => '辮',
  '�' => '繿',
  '�' => '纈',
  '�' => '纉',
  '�' => '續',
  '�' => '纒',
  '�' => '纐',
  '�' => '纓',
  '�' => '纔',
  '�' => '纖',
  '�' => '纎',
  '�' => '纛',
  '�' => '纜',
  '�' => '缸',
  '�' => '缺',
  '�' => '罅',
  '�' => '罌',
  '�' => '罍',
  '�' => '罎',
  '�' => '罐',
  '�' => '网',
  '�' => '罕',
  '�' => '罔',
  '�' => '罘',
  '�' => '罟',
  '�' => '罠',
  '�' => '罨',
  '�' => '罩',
  '�' => '罧',
  '�' => '罸',
  '�' => '羂',
  '�' => '羆',
  '�' => '羃',
  '�' => '羈',
  '�' => '羇',
  '�' => '羌',
  '�' => '羔',
  '�' => '羞',
  '�' => '羝',
  '�' => '羚',
  '�' => '羣',
  '�' => '羯',
  '�' => '羲',
  '�' => '羹',
  '�' => '羮',
  '�' => '羶',
  '�' => '羸',
  '�' => '譱',
  '�' => '翅',
  '�' => '翆',
  '��' => '翊',
  '��' => '翕',
  '��' => '翔',
  '��' => '翡',
  '��' => '翦',
  '��' => '翩',
  '��' => '翳',
  '��' => '翹',
  '��' => '飜',
  '��' => '耆',
  '��' => '耄',
  '��' => '耋',
  '��' => '耒',
  '��' => '耘',
  '��' => '耙',
  '��' => '耜',
  '��' => '耡',
  '��' => '耨',
  '��' => '耿',
  '��' => '耻',
  '��' => '聊',
  '��' => '聆',
  '��' => '聒',
  '��' => '聘',
  '��' => '聚',
  '��' => '聟',
  '��' => '聢',
  '��' => '聨',
  '��' => '聳',
  '��' => '聲',
  '��' => '聰',
  '��' => '聶',
  '��' => '聹',
  '��' => '聽',
  '��' => '聿',
  '��' => '肄',
  '��' => '肆',
  '��' => '肅',
  '��' => '肛',
  '��' => '肓',
  '��' => '肚',
  '��' => '肭',
  '��' => '冐',
  '��' => '肬',
  '��' => '胛',
  '��' => '胥',
  '��' => '胙',
  '��' => '胝',
  '��' => '胄',
  '��' => '胚',
  '��' => '胖',
  '�' => '脉',
  '�' => '胯',
  '�' => '胱',
  '�' => '脛',
  '�' => '脩',
  '�' => '脣',
  '�' => '脯',
  '�' => '腋',
  '�@' => '隋',
  '�A' => '腆',
  '�B' => '脾',
  '�C' => '腓',
  '�D' => '腑',
  '�E' => '胼',
  '�F' => '腱',
  '�G' => '腮',
  '�H' => '腥',
  '�I' => '腦',
  '�J' => '腴',
  '�K' => '膃',
  '�L' => '膈',
  '�M' => '膊',
  '�N' => '膀',
  '�O' => '膂',
  '�P' => '膠',
  '�Q' => '膕',
  '�R' => '膤',
  '�S' => '膣',
  '�T' => '腟',
  '�U' => '膓',
  '�V' => '膩',
  '�W' => '膰',
  '�X' => '膵',
  '�Y' => '膾',
  '�Z' => '膸',
  '�[' => '膽',
  '�\\' => '臀',
  '�]' => '臂',
  '�^' => '膺',
  '�_' => '臉',
  '�`' => '臍',
  '�a' => '臑',
  '�b' => '臙',
  '�c' => '臘',
  '�d' => '臈',
  '�e' => '臚',
  '�f' => '臟',
  '�g' => '臠',
  '�h' => '臧',
  '�i' => '臺',
  '�j' => '臻',
  '�k' => '臾',
  '�l' => '舁',
  '�m' => '舂',
  '�n' => '舅',
  '�o' => '與',
  '�p' => '舊',
  '�q' => '舍',
  '�r' => '舐',
  '�s' => '舖',
  '�t' => '舩',
  '�u' => '舫',
  '�v' => '舸',
  '�w' => '舳',
  '�x' => '艀',
  '�y' => '艙',
  '�z' => '艘',
  '�{' => '艝',
  '�|' => '艚',
  '�}' => '艟',
  '�~' => '艤',
  '�' => '艢',
  '�' => '艨',
  '�' => '艪',
  '�' => '艫',
  '�' => '舮',
  '�' => '艱',
  '�' => '艷',
  '�' => '艸',
  '�' => '艾',
  '�' => '芍',
  '�' => '芒',
  '�' => '芫',
  '�' => '芟',
  '�' => '芻',
  '�' => '芬',
  '�' => '苡',
  '�' => '苣',
  '�' => '苟',
  '�' => '苒',
  '�' => '苴',
  '�' => '苳',
  '�' => '苺',
  '�' => '莓',
  '�' => '范',
  '�' => '苻',
  '�' => '苹',
  '�' => '苞',
  '�' => '茆',
  '�' => '苜',
  '�' => '茉',
  '�' => '苙',
  '�' => '茵',
  '�' => '茴',
  '�' => '茖',
  '�' => '茲',
  '�' => '茱',
  '�' => '荀',
  '�' => '茹',
  '�' => '荐',
  '�' => '荅',
  '�' => '茯',
  '�' => '茫',
  '�' => '茗',
  '�' => '茘',
  '�' => '莅',
  '�' => '莚',
  '�' => '莪',
  '�' => '莟',
  '�' => '莢',
  '�' => '莖',
  '�' => '茣',
  '�' => '莎',
  '�' => '莇',
  '�' => '莊',
  '�' => '荼',
  '�' => '莵',
  '�' => '荳',
  '�' => '荵',
  '�' => '莠',
  '�' => '莉',
  '�' => '莨',
  '�' => '菴',
  '�' => '萓',
  '�' => '菫',
  '�' => '菎',
  '�' => '菽',
  '��' => '萃',
  '��' => '菘',
  '��' => '萋',
  '��' => '菁',
  '��' => '菷',
  '��' => '萇',
  '��' => '菠',
  '��' => '菲',
  '��' => '萍',
  '��' => '萢',
  '��' => '萠',
  '��' => '莽',
  '��' => '萸',
  '��' => '蔆',
  '��' => '菻',
  '��' => '葭',
  '��' => '萪',
  '��' => '萼',
  '��' => '蕚',
  '��' => '蒄',
  '��' => '葷',
  '��' => '葫',
  '��' => '蒭',
  '��' => '葮',
  '��' => '蒂',
  '��' => '葩',
  '��' => '葆',
  '��' => '萬',
  '��' => '葯',
  '��' => '葹',
  '��' => '萵',
  '��' => '蓊',
  '��' => '葢',
  '��' => '蒹',
  '��' => '蒿',
  '��' => '蒟',
  '��' => '蓙',
  '��' => '蓍',
  '��' => '蒻',
  '��' => '蓚',
  '��' => '蓐',
  '��' => '蓁',
  '��' => '蓆',
  '��' => '蓖',
  '��' => '蒡',
  '��' => '蔡',
  '��' => '蓿',
  '��' => '蓴',
  '��' => '蔗',
  '��' => '蔘',
  '��' => '蔬',
  '�' => '蔟',
  '�' => '蔕',
  '�' => '蔔',
  '�' => '蓼',
  '�' => '蕀',
  '�' => '蕣',
  '�' => '蕘',
  '�' => '蕈',
  '�@' => '蕁',
  '�A' => '蘂',
  '�B' => '蕋',
  '�C' => '蕕',
  '�D' => '薀',
  '�E' => '薤',
  '�F' => '薈',
  '�G' => '薑',
  '�H' => '薊',
  '�I' => '薨',
  '�J' => '蕭',
  '�K' => '薔',
  '�L' => '薛',
  '�M' => '藪',
  '�N' => '薇',
  '�O' => '薜',
  '�P' => '蕷',
  '�Q' => '蕾',
  '�R' => '薐',
  '�S' => '藉',
  '�T' => '薺',
  '�U' => '藏',
  '�V' => '薹',
  '�W' => '藐',
  '�X' => '藕',
  '�Y' => '藝',
  '�Z' => '藥',
  '�[' => '藜',
  '�\\' => '藹',
  '�]' => '蘊',
  '�^' => '蘓',
  '�_' => '蘋',
  '�`' => '藾',
  '�a' => '藺',
  '�b' => '蘆',
  '�c' => '蘢',
  '�d' => '蘚',
  '�e' => '蘰',
  '�f' => '蘿',
  '�g' => '虍',
  '�h' => '乕',
  '�i' => '虔',
  '�j' => '號',
  '�k' => '虧',
  '�l' => '虱',
  '�m' => '蚓',
  '�n' => '蚣',
  '�o' => '蚩',
  '�p' => '蚪',
  '�q' => '蚋',
  '�r' => '蚌',
  '�s' => '蚶',
  '�t' => '蚯',
  '�u' => '蛄',
  '�v' => '蛆',
  '�w' => '蚰',
  '�x' => '蛉',
  '�y' => '蠣',
  '�z' => '蚫',
  '�{' => '蛔',
  '�|' => '蛞',
  '�}' => '蛩',
  '�~' => '蛬',
  '�' => '蛟',
  '�' => '蛛',
  '�' => '蛯',
  '�' => '蜒',
  '�' => '蜆',
  '�' => '蜈',
  '�' => '蜀',
  '�' => '蜃',
  '�' => '蛻',
  '�' => '蜑',
  '�' => '蜉',
  '�' => '蜍',
  '�' => '蛹',
  '�' => '蜊',
  '�' => '蜴',
  '�' => '蜿',
  '�' => '蜷',
  '�' => '蜻',
  '�' => '蜥',
  '�' => '蜩',
  '�' => '蜚',
  '�' => '蝠',
  '�' => '蝟',
  '�' => '蝸',
  '�' => '蝌',
  '�' => '蝎',
  '�' => '蝴',
  '�' => '蝗',
  '�' => '蝨',
  '�' => '蝮',
  '�' => '蝙',
  '�' => '蝓',
  '�' => '蝣',
  '�' => '蝪',
  '�' => '蠅',
  '�' => '螢',
  '�' => '螟',
  '�' => '螂',
  '�' => '螯',
  '�' => '蟋',
  '�' => '螽',
  '�' => '蟀',
  '�' => '蟐',
  '�' => '雖',
  '�' => '螫',
  '�' => '蟄',
  '�' => '螳',
  '�' => '蟇',
  '�' => '蟆',
  '�' => '螻',
  '�' => '蟯',
  '�' => '蟲',
  '�' => '蟠',
  '�' => '蠏',
  '�' => '蠍',
  '�' => '蟾',
  '�' => '蟶',
  '�' => '蟷',
  '�' => '蠎',
  '�' => '蟒',
  '�' => '蠑',
  '�' => '蠖',
  '�' => '蠕',
  '�' => '蠢',
  '�' => '蠡',
  '�' => '蠱',
  '��' => '蠶',
  '��' => '蠹',
  '��' => '蠧',
  '��' => '蠻',
  '��' => '衄',
  '��' => '衂',
  '��' => '衒',
  '��' => '衙',
  '��' => '衞',
  '��' => '衢',
  '��' => '衫',
  '��' => '袁',
  '��' => '衾',
  '��' => '袞',
  '��' => '衵',
  '��' => '衽',
  '��' => '袵',
  '��' => '衲',
  '��' => '袂',
  '��' => '袗',
  '��' => '袒',
  '��' => '袮',
  '��' => '袙',
  '��' => '袢',
  '��' => '袍',
  '��' => '袤',
  '��' => '袰',
  '��' => '袿',
  '��' => '袱',
  '��' => '裃',
  '��' => '裄',
  '��' => '裔',
  '��' => '裘',
  '��' => '裙',
  '��' => '裝',
  '��' => '裹',
  '��' => '褂',
  '��' => '裼',
  '��' => '裴',
  '��' => '裨',
  '��' => '裲',
  '��' => '褄',
  '��' => '褌',
  '��' => '褊',
  '��' => '褓',
  '��' => '襃',
  '��' => '褞',
  '��' => '褥',
  '��' => '褪',
  '��' => '褫',
  '��' => '襁',
  '�' => '襄',
  '�' => '褻',
  '�' => '褶',
  '�' => '褸',
  '�' => '襌',
  '�' => '褝',
  '�' => '襠',
  '�' => '襞',
  '�@' => '襦',
  '�A' => '襤',
  '�B' => '襭',
  '�C' => '襪',
  '�D' => '襯',
  '�E' => '襴',
  '�F' => '襷',
  '�G' => '襾',
  '�H' => '覃',
  '�I' => '覈',
  '�J' => '覊',
  '�K' => '覓',
  '�L' => '覘',
  '�M' => '覡',
  '�N' => '覩',
  '�O' => '覦',
  '�P' => '覬',
  '�Q' => '覯',
  '�R' => '覲',
  '�S' => '覺',
  '�T' => '覽',
  '�U' => '覿',
  '�V' => '觀',
  '�W' => '觚',
  '�X' => '觜',
  '�Y' => '觝',
  '�Z' => '觧',
  '�[' => '觴',
  '�\\' => '觸',
  '�]' => '訃',
  '�^' => '訖',
  '�_' => '訐',
  '�`' => '訌',
  '�a' => '訛',
  '�b' => '訝',
  '�c' => '訥',
  '�d' => '訶',
  '�e' => '詁',
  '�f' => '詛',
  '�g' => '詒',
  '�h' => '詆',
  '�i' => '詈',
  '�j' => '詼',
  '�k' => '詭',
  '�l' => '詬',
  '�m' => '詢',
  '�n' => '誅',
  '�o' => '誂',
  '�p' => '誄',
  '�q' => '誨',
  '�r' => '誡',
  '�s' => '誑',
  '�t' => '誥',
  '�u' => '誦',
  '�v' => '誚',
  '�w' => '誣',
  '�x' => '諄',
  '�y' => '諍',
  '�z' => '諂',
  '�{' => '諚',
  '�|' => '諫',
  '�}' => '諳',
  '�~' => '諧',
  '�' => '諤',
  '�' => '諱',
  '�' => '謔',
  '�' => '諠',
  '�' => '諢',
  '�' => '諷',
  '�' => '諞',
  '�' => '諛',
  '�' => '謌',
  '�' => '謇',
  '�' => '謚',
  '�' => '諡',
  '�' => '謖',
  '�' => '謐',
  '�' => '謗',
  '�' => '謠',
  '�' => '謳',
  '�' => '鞫',
  '�' => '謦',
  '�' => '謫',
  '�' => '謾',
  '�' => '謨',
  '�' => '譁',
  '�' => '譌',
  '�' => '譏',
  '�' => '譎',
  '�' => '證',
  '�' => '譖',
  '�' => '譛',
  '�' => '譚',
  '�' => '譫',
  '�' => '譟',
  '�' => '譬',
  '�' => '譯',
  '�' => '譴',
  '�' => '譽',
  '�' => '讀',
  '�' => '讌',
  '�' => '讎',
  '�' => '讒',
  '�' => '讓',
  '�' => '讖',
  '�' => '讙',
  '�' => '讚',
  '�' => '谺',
  '�' => '豁',
  '�' => '谿',
  '�' => '豈',
  '�' => '豌',
  '�' => '豎',
  '�' => '豐',
  '�' => '豕',
  '�' => '豢',
  '�' => '豬',
  '�' => '豸',
  '�' => '豺',
  '�' => '貂',
  '�' => '貉',
  '�' => '貅',
  '�' => '貊',
  '�' => '貍',
  '�' => '貎',
  '�' => '貔',
  '�' => '豼',
  '�' => '貘',
  '�' => '戝',
  '��' => '貭',
  '��' => '貪',
  '��' => '貽',
  '��' => '貲',
  '��' => '貳',
  '��' => '貮',
  '��' => '貶',
  '��' => '賈',
  '��' => '賁',
  '��' => '賤',
  '��' => '賣',
  '��' => '賚',
  '��' => '賽',
  '��' => '賺',
  '��' => '賻',
  '��' => '贄',
  '��' => '贅',
  '��' => '贊',
  '��' => '贇',
  '��' => '贏',
  '��' => '贍',
  '��' => '贐',
  '��' => '齎',
  '��' => '贓',
  '��' => '賍',
  '��' => '贔',
  '��' => '贖',
  '��' => '赧',
  '��' => '赭',
  '��' => '赱',
  '��' => '赳',
  '��' => '趁',
  '��' => '趙',
  '��' => '跂',
  '��' => '趾',
  '��' => '趺',
  '��' => '跏',
  '��' => '跚',
  '��' => '跖',
  '��' => '跌',
  '��' => '跛',
  '��' => '跋',
  '��' => '跪',
  '��' => '跫',
  '��' => '跟',
  '��' => '跣',
  '��' => '跼',
  '��' => '踈',
  '��' => '踉',
  '��' => '跿',
  '��' => '踝',
  '�' => '踞',
  '�' => '踐',
  '�' => '踟',
  '�' => '蹂',
  '�' => '踵',
  '�' => '踰',
  '�' => '踴',
  '�' => '蹊',
  '�@' => '蹇',
  '�A' => '蹉',
  '�B' => '蹌',
  '�C' => '蹐',
  '�D' => '蹈',
  '�E' => '蹙',
  '�F' => '蹤',
  '�G' => '蹠',
  '�H' => '踪',
  '�I' => '蹣',
  '�J' => '蹕',
  '�K' => '蹶',
  '�L' => '蹲',
  '�M' => '蹼',
  '�N' => '躁',
  '�O' => '躇',
  '�P' => '躅',
  '�Q' => '躄',
  '�R' => '躋',
  '�S' => '躊',
  '�T' => '躓',
  '�U' => '躑',
  '�V' => '躔',
  '�W' => '躙',
  '�X' => '躪',
  '�Y' => '躡',
  '�Z' => '躬',
  '�[' => '躰',
  '�\\' => '軆',
  '�]' => '躱',
  '�^' => '躾',
  '�_' => '軅',
  '�`' => '軈',
  '�a' => '軋',
  '�b' => '軛',
  '�c' => '軣',
  '�d' => '軼',
  '�e' => '軻',
  '�f' => '軫',
  '�g' => '軾',
  '�h' => '輊',
  '�i' => '輅',
  '�j' => '輕',
  '�k' => '輒',
  '�l' => '輙',
  '�m' => '輓',
  '�n' => '輜',
  '�o' => '輟',
  '�p' => '輛',
  '�q' => '輌',
  '�r' => '輦',
  '�s' => '輳',
  '�t' => '輻',
  '�u' => '輹',
  '�v' => '轅',
  '�w' => '轂',
  '�x' => '輾',
  '�y' => '轌',
  '�z' => '轉',
  '�{' => '轆',
  '�|' => '轎',
  '�}' => '轗',
  '�~' => '轜',
  '�' => '轢',
  '�' => '轣',
  '�' => '轤',
  '�' => '辜',
  '�' => '辟',
  '�' => '辣',
  '�' => '辭',
  '�' => '辯',
  '�' => '辷',
  '�' => '迚',
  '�' => '迥',
  '�' => '迢',
  '�' => '迪',
  '�' => '迯',
  '�' => '邇',
  '�' => '迴',
  '�' => '逅',
  '�' => '迹',
  '�' => '迺',
  '�' => '逑',
  '�' => '逕',
  '�' => '逡',
  '�' => '逍',
  '�' => '逞',
  '�' => '逖',
  '�' => '逋',
  '�' => '逧',
  '�' => '逶',
  '�' => '逵',
  '�' => '逹',
  '�' => '迸',
  '�' => '遏',
  '�' => '遐',
  '�' => '遑',
  '�' => '遒',
  '�' => '逎',
  '�' => '遉',
  '�' => '逾',
  '�' => '遖',
  '�' => '遘',
  '�' => '遞',
  '�' => '遨',
  '�' => '遯',
  '�' => '遶',
  '�' => '隨',
  '�' => '遲',
  '�' => '邂',
  '�' => '遽',
  '�' => '邁',
  '�' => '邀',
  '�' => '邊',
  '�' => '邉',
  '�' => '邏',
  '�' => '邨',
  '�' => '邯',
  '�' => '邱',
  '�' => '邵',
  '�' => '郢',
  '�' => '郤',
  '�' => '扈',
  '�' => '郛',
  '�' => '鄂',
  '�' => '鄒',
  '�' => '鄙',
  '�' => '鄲',
  '�' => '鄰',
  '��' => '酊',
  '��' => '酖',
  '��' => '酘',
  '��' => '酣',
  '��' => '酥',
  '��' => '酩',
  '��' => '酳',
  '��' => '酲',
  '��' => '醋',
  '��' => '醉',
  '��' => '醂',
  '��' => '醢',
  '��' => '醫',
  '��' => '醯',
  '��' => '醪',
  '��' => '醵',
  '��' => '醴',
  '��' => '醺',
  '��' => '釀',
  '��' => '釁',
  '��' => '釉',
  '��' => '釋',
  '��' => '釐',
  '��' => '釖',
  '��' => '釟',
  '��' => '釡',
  '��' => '釛',
  '��' => '釼',
  '��' => '釵',
  '��' => '釶',
  '��' => '鈞',
  '��' => '釿',
  '��' => '鈔',
  '��' => '鈬',
  '��' => '鈕',
  '��' => '鈑',
  '��' => '鉞',
  '��' => '鉗',
  '��' => '鉅',
  '��' => '鉉',
  '��' => '鉤',
  '��' => '鉈',
  '��' => '銕',
  '��' => '鈿',
  '��' => '鉋',
  '��' => '鉐',
  '��' => '銜',
  '��' => '銖',
  '��' => '銓',
  '��' => '銛',
  '��' => '鉚',
  '�' => '鋏',
  '�' => '銹',
  '�' => '銷',
  '�' => '鋩',
  '�' => '錏',
  '�' => '鋺',
  '�' => '鍄',
  '�' => '錮',
  '�@' => '錙',
  '�A' => '錢',
  '�B' => '錚',
  '�C' => '錣',
  '�D' => '錺',
  '�E' => '錵',
  '�F' => '錻',
  '�G' => '鍜',
  '�H' => '鍠',
  '�I' => '鍼',
  '�J' => '鍮',
  '�K' => '鍖',
  '�L' => '鎰',
  '�M' => '鎬',
  '�N' => '鎭',
  '�O' => '鎔',
  '�P' => '鎹',
  '�Q' => '鏖',
  '�R' => '鏗',
  '�S' => '鏨',
  '�T' => '鏥',
  '�U' => '鏘',
  '�V' => '鏃',
  '�W' => '鏝',
  '�X' => '鏐',
  '�Y' => '鏈',
  '�Z' => '鏤',
  '�[' => '鐚',
  '�\\' => '鐔',
  '�]' => '鐓',
  '�^' => '鐃',
  '�_' => '鐇',
  '�`' => '鐐',
  '�a' => '鐶',
  '�b' => '鐫',
  '�c' => '鐵',
  '�d' => '鐡',
  '�e' => '鐺',
  '�f' => '鑁',
  '�g' => '鑒',
  '�h' => '鑄',
  '�i' => '鑛',
  '�j' => '鑠',
  '�k' => '鑢',
  '�l' => '鑞',
  '�m' => '鑪',
  '�n' => '鈩',
  '�o' => '鑰',
  '�p' => '鑵',
  '�q' => '鑷',
  '�r' => '鑽',
  '�s' => '鑚',
  '�t' => '鑼',
  '�u' => '鑾',
  '�v' => '钁',
  '�w' => '鑿',
  '�x' => '閂',
  '�y' => '閇',
  '�z' => '閊',
  '�{' => '閔',
  '�|' => '閖',
  '�}' => '閘',
  '�~' => '閙',
  '�' => '閠',
  '�' => '閨',
  '�' => '閧',
  '�' => '閭',
  '�' => '閼',
  '�' => '閻',
  '�' => '閹',
  '�' => '閾',
  '�' => '闊',
  '�' => '濶',
  '�' => '闃',
  '�' => '闍',
  '�' => '闌',
  '�' => '闕',
  '�' => '闔',
  '�' => '闖',
  '�' => '關',
  '�' => '闡',
  '�' => '闥',
  '�' => '闢',
  '�' => '阡',
  '�' => '阨',
  '�' => '阮',
  '�' => '阯',
  '�' => '陂',
  '�' => '陌',
  '�' => '陏',
  '�' => '陋',
  '�' => '陷',
  '�' => '陜',
  '�' => '陞',
  '�' => '陝',
  '�' => '陟',
  '�' => '陦',
  '�' => '陲',
  '�' => '陬',
  '�' => '隍',
  '�' => '隘',
  '�' => '隕',
  '�' => '隗',
  '�' => '險',
  '�' => '隧',
  '�' => '隱',
  '�' => '隲',
  '�' => '隰',
  '�' => '隴',
  '�' => '隶',
  '�' => '隸',
  '�' => '隹',
  '�' => '雎',
  '�' => '雋',
  '�' => '雉',
  '�' => '雍',
  '�' => '襍',
  '�' => '雜',
  '�' => '霍',
  '�' => '雕',
  '�' => '雹',
  '�' => '霄',
  '�' => '霆',
  '�' => '霈',
  '�' => '霓',
  '�' => '霎',
  '�' => '霑',
  '�' => '霏',
  '�' => '霖',
  '��' => '霙',
  '��' => '霤',
  '��' => '霪',
  '��' => '霰',
  '��' => '霹',
  '��' => '霽',
  '��' => '霾',
  '��' => '靄',
  '��' => '靆',
  '��' => '靈',
  '��' => '靂',
  '��' => '靉',
  '��' => '靜',
  '��' => '靠',
  '��' => '靤',
  '��' => '靦',
  '��' => '靨',
  '��' => '勒',
  '��' => '靫',
  '��' => '靱',
  '��' => '靹',
  '��' => '鞅',
  '��' => '靼',
  '��' => '鞁',
  '��' => '靺',
  '��' => '鞆',
  '��' => '鞋',
  '��' => '鞏',
  '��' => '鞐',
  '��' => '鞜',
  '��' => '鞨',
  '��' => '鞦',
  '��' => '鞣',
  '��' => '鞳',
  '��' => '鞴',
  '��' => '韃',
  '��' => '韆',
  '��' => '韈',
  '��' => '韋',
  '��' => '韜',
  '��' => '韭',
  '��' => '齏',
  '��' => '韲',
  '��' => '竟',
  '��' => '韶',
  '��' => '韵',
  '��' => '頏',
  '��' => '頌',
  '��' => '頸',
  '��' => '頤',
  '��' => '頡',
  '�' => '頷',
  '�' => '頽',
  '�' => '顆',
  '�' => '顏',
  '�' => '顋',
  '�' => '顫',
  '�' => '顯',
  '�' => '顰',
  '�@' => '顱',
  '�A' => '顴',
  '�B' => '顳',
  '�C' => '颪',
  '�D' => '颯',
  '�E' => '颱',
  '�F' => '颶',
  '�G' => '飄',
  '�H' => '飃',
  '�I' => '飆',
  '�J' => '飩',
  '�K' => '飫',
  '�L' => '餃',
  '�M' => '餉',
  '�N' => '餒',
  '�O' => '餔',
  '�P' => '餘',
  '�Q' => '餡',
  '�R' => '餝',
  '�S' => '餞',
  '�T' => '餤',
  '�U' => '餠',
  '�V' => '餬',
  '�W' => '餮',
  '�X' => '餽',
  '�Y' => '餾',
  '�Z' => '饂',
  '�[' => '饉',
  '�\\' => '饅',
  '�]' => '饐',
  '�^' => '饋',
  '�_' => '饑',
  '�`' => '饒',
  '�a' => '饌',
  '�b' => '饕',
  '�c' => '馗',
  '�d' => '馘',
  '�e' => '馥',
  '�f' => '馭',
  '�g' => '馮',
  '�h' => '馼',
  '�i' => '駟',
  '�j' => '駛',
  '�k' => '駝',
  '�l' => '駘',
  '�m' => '駑',
  '�n' => '駭',
  '�o' => '駮',
  '�p' => '駱',
  '�q' => '駲',
  '�r' => '駻',
  '�s' => '駸',
  '�t' => '騁',
  '�u' => '騏',
  '�v' => '騅',
  '�w' => '駢',
  '�x' => '騙',
  '�y' => '騫',
  '�z' => '騷',
  '�{' => '驅',
  '�|' => '驂',
  '�}' => '驀',
  '�~' => '驃',
  '�' => '騾',
  '�' => '驕',
  '�' => '驍',
  '�' => '驛',
  '�' => '驗',
  '�' => '驟',
  '�' => '驢',
  '�' => '驥',
  '�' => '驤',
  '�' => '驩',
  '�' => '驫',
  '�' => '驪',
  '�' => '骭',
  '�' => '骰',
  '�' => '骼',
  '�' => '髀',
  '�' => '髏',
  '�' => '髑',
  '�' => '髓',
  '�' => '體',
  '�' => '髞',
  '�' => '髟',
  '�' => '髢',
  '�' => '髣',
  '�' => '髦',
  '�' => '髯',
  '�' => '髫',
  '�' => '髮',
  '�' => '髴',
  '�' => '髱',
  '�' => '髷',
  '�' => '髻',
  '�' => '鬆',
  '�' => '鬘',
  '�' => '鬚',
  '�' => '鬟',
  '�' => '鬢',
  '�' => '鬣',
  '�' => '鬥',
  '�' => '鬧',
  '�' => '鬨',
  '�' => '鬩',
  '�' => '鬪',
  '�' => '鬮',
  '�' => '鬯',
  '�' => '鬲',
  '�' => '魄',
  '�' => '魃',
  '�' => '魏',
  '�' => '魍',
  '�' => '魎',
  '�' => '魑',
  '�' => '魘',
  '�' => '魴',
  '�' => '鮓',
  '�' => '鮃',
  '�' => '鮑',
  '�' => '鮖',
  '�' => '鮗',
  '�' => '鮟',
  '�' => '鮠',
  '�' => '鮨',
  '�' => '鮴',
  '�' => '鯀',
  '�' => '鯊',
  '�' => '鮹',
  '��' => '鯆',
  '��' => '鯏',
  '��' => '鯑',
  '��' => '鯒',
  '��' => '鯣',
  '��' => '鯢',
  '��' => '鯤',
  '��' => '鯔',
  '��' => '鯡',
  '��' => '鰺',
  '��' => '鯲',
  '��' => '鯱',
  '��' => '鯰',
  '��' => '鰕',
  '��' => '鰔',
  '��' => '鰉',
  '��' => '鰓',
  '��' => '鰌',
  '��' => '鰆',
  '��' => '鰈',
  '��' => '鰒',
  '��' => '鰊',
  '��' => '鰄',
  '��' => '鰮',
  '��' => '鰛',
  '��' => '鰥',
  '��' => '鰤',
  '��' => '鰡',
  '��' => '鰰',
  '��' => '鱇',
  '��' => '鰲',
  '��' => '鱆',
  '��' => '鰾',
  '��' => '鱚',
  '��' => '鱠',
  '��' => '鱧',
  '��' => '鱶',
  '��' => '鱸',
  '��' => '鳧',
  '��' => '鳬',
  '��' => '鳰',
  '��' => '鴉',
  '��' => '鴈',
  '��' => '鳫',
  '��' => '鴃',
  '��' => '鴆',
  '��' => '鴪',
  '��' => '鴦',
  '��' => '鶯',
  '��' => '鴣',
  '��' => '鴟',
  '�' => '鵄',
  '�' => '鴕',
  '�' => '鴒',
  '�' => '鵁',
  '�' => '鴿',
  '�' => '鴾',
  '�' => '鵆',
  '�' => '鵈',
  '�@' => '鵝',
  '�A' => '鵞',
  '�B' => '鵤',
  '�C' => '鵑',
  '�D' => '鵐',
  '�E' => '鵙',
  '�F' => '鵲',
  '�G' => '鶉',
  '�H' => '鶇',
  '�I' => '鶫',
  '�J' => '鵯',
  '�K' => '鵺',
  '�L' => '鶚',
  '�M' => '鶤',
  '�N' => '鶩',
  '�O' => '鶲',
  '�P' => '鷄',
  '�Q' => '鷁',
  '�R' => '鶻',
  '�S' => '鶸',
  '�T' => '鶺',
  '�U' => '鷆',
  '�V' => '鷏',
  '�W' => '鷂',
  '�X' => '鷙',
  '�Y' => '鷓',
  '�Z' => '鷸',
  '�[' => '鷦',
  '�\\' => '鷭',
  '�]' => '鷯',
  '�^' => '鷽',
  '�_' => '鸚',
  '�`' => '鸛',
  '�a' => '鸞',
  '�b' => '鹵',
  '�c' => '鹹',
  '�d' => '鹽',
  '�e' => '麁',
  '�f' => '麈',
  '�g' => '麋',
  '�h' => '麌',
  '�i' => '麒',
  '�j' => '麕',
  '�k' => '麑',
  '�l' => '麝',
  '�m' => '麥',
  '�n' => '麩',
  '�o' => '麸',
  '�p' => '麪',
  '�q' => '麭',
  '�r' => '靡',
  '�s' => '黌',
  '�t' => '黎',
  '�u' => '黏',
  '�v' => '黐',
  '�w' => '黔',
  '�x' => '黜',
  '�y' => '點',
  '�z' => '黝',
  '�{' => '黠',
  '�|' => '黥',
  '�}' => '黨',
  '�~' => '黯',
  '�' => '黴',
  '�' => '黶',
  '�' => '黷',
  '�' => '黹',
  '�' => '黻',
  '�' => '黼',
  '�' => '黽',
  '�' => '鼇',
  '�' => '鼈',
  '�' => '皷',
  '�' => '鼕',
  '�' => '鼡',
  '�' => '鼬',
  '�' => '鼾',
  '�' => '齊',
  '�' => '齒',
  '�' => '齔',
  '�' => '齣',
  '�' => '齟',
  '�' => '齠',
  '�' => '齡',
  '�' => '齦',
  '�' => '齧',
  '�' => '齬',
  '�' => '齪',
  '�' => '齷',
  '�' => '齲',
  '�' => '齶',
  '�' => '龕',
  '�' => '龜',
  '�' => '龠',
  '�' => '堯',
  '�' => '槇',
  '�' => '遙',
  '�' => '瑤',
  '�' => '凜',
  '�' => '熙',
  '�@' => '纊',
  '�A' => '褜',
  '�B' => '鍈',
  '�C' => '銈',
  '�D' => '蓜',
  '�E' => '俉',
  '�F' => '炻',
  '�G' => '昱',
  '�H' => '棈',
  '�I' => '鋹',
  '�J' => '曻',
  '�K' => '彅',
  '�L' => '丨',
  '�M' => '仡',
  '�N' => '仼',
  '�O' => '伀',
  '�P' => '伃',
  '�Q' => '伹',
  '�R' => '佖',
  '�S' => '侒',
  '�T' => '侊',
  '�U' => '侚',
  '�V' => '侔',
  '�W' => '俍',
  '�X' => '偀',
  '�Y' => '倢',
  '�Z' => '俿',
  '�[' => '倞',
  '�\\' => '偆',
  '�]' => '偰',
  '�^' => '偂',
  '�_' => '傔',
  '�`' => '僴',
  '�a' => '僘',
  '�b' => '兊',
  '�c' => '兤',
  '�d' => '冝',
  '�e' => '冾',
  '�f' => '凬',
  '�g' => '刕',
  '�h' => '劜',
  '�i' => '劦',
  '�j' => '勀',
  '�k' => '勛',
  '�l' => '匀',
  '�m' => '匇',
  '�n' => '匤',
  '�o' => '卲',
  '�p' => '厓',
  '�q' => '厲',
  '�r' => '叝',
  '�s' => '﨎',
  '�t' => '咜',
  '�u' => '咊',
  '�v' => '咩',
  '�w' => '哿',
  '�x' => '喆',
  '�y' => '坙',
  '�z' => '坥',
  '�{' => '垬',
  '�|' => '埈',
  '�}' => '埇',
  '�~' => '﨏',
  '�' => '塚',
  '�' => '增',
  '�' => '墲',
  '�' => '夋',
  '�' => '奓',
  '�' => '奛',
  '�' => '奝',
  '�' => '奣',
  '�' => '妤',
  '�' => '妺',
  '�' => '孖',
  '�' => '寀',
  '�' => '甯',
  '�' => '寘',
  '�' => '寬',
  '�' => '尞',
  '�' => '岦',
  '�' => '岺',
  '�' => '峵',
  '�' => '崧',
  '�' => '嵓',
  '�' => '﨑',
  '�' => '嵂',
  '�' => '嵭',
  '�' => '嶸',
  '�' => '嶹',
  '�' => '巐',
  '�' => '弡',
  '�' => '弴',
  '�' => '彧',
  '�' => '德',
  '�' => '忞',
  '�' => '恝',
  '�' => '悅',
  '�' => '悊',
  '�' => '惞',
  '�' => '惕',
  '�' => '愠',
  '�' => '惲',
  '�' => '愑',
  '�' => '愷',
  '�' => '愰',
  '�' => '憘',
  '�' => '戓',
  '�' => '抦',
  '�' => '揵',
  '�' => '摠',
  '�' => '撝',
  '�' => '擎',
  '�' => '敎',
  '�' => '昀',
  '�' => '昕',
  '�' => '昻',
  '�' => '昉',
  '�' => '昮',
  '�' => '昞',
  '�' => '昤',
  '�' => '晥',
  '�' => '晗',
  '�' => '晙',
  '�' => '晴',
  '�' => '晳',
  '�' => '暙',
  '�' => '暠',
  '�' => '暲',
  '�' => '暿',
  '��' => '曺',
  '��' => '朎',
  '��' => '朗',
  '��' => '杦',
  '��' => '枻',
  '��' => '桒',
  '��' => '柀',
  '��' => '栁',
  '��' => '桄',
  '��' => '棏',
  '��' => '﨓',
  '��' => '楨',
  '��' => '﨔',
  '��' => '榘',
  '��' => '槢',
  '��' => '樰',
  '��' => '橫',
  '��' => '橆',
  '��' => '橳',
  '��' => '橾',
  '��' => '櫢',
  '��' => '櫤',
  '��' => '毖',
  '��' => '氿',
  '��' => '汜',
  '��' => '沆',
  '��' => '汯',
  '��' => '泚',
  '��' => '洄',
  '��' => '涇',
  '��' => '浯',
  '��' => '涖',
  '��' => '涬',
  '��' => '淏',
  '��' => '淸',
  '��' => '淲',
  '��' => '淼',
  '��' => '渹',
  '��' => '湜',
  '��' => '渧',
  '��' => '渼',
  '��' => '溿',
  '��' => '澈',
  '��' => '澵',
  '��' => '濵',
  '��' => '瀅',
  '��' => '瀇',
  '��' => '瀨',
  '��' => '炅',
  '��' => '炫',
  '��' => '焏',
  '�' => '焄',
  '�' => '煜',
  '�' => '煆',
  '�' => '煇',
  '�' => '凞',
  '�' => '燁',
  '�' => '燾',
  '�' => '犱',
  '�@' => '犾',
  '�A' => '猤',
  '�B' => '猪',
  '�C' => '獷',
  '�D' => '玽',
  '�E' => '珉',
  '�F' => '珖',
  '�G' => '珣',
  '�H' => '珒',
  '�I' => '琇',
  '�J' => '珵',
  '�K' => '琦',
  '�L' => '琪',
  '�M' => '琩',
  '�N' => '琮',
  '�O' => '瑢',
  '�P' => '璉',
  '�Q' => '璟',
  '�R' => '甁',
  '�S' => '畯',
  '�T' => '皂',
  '�U' => '皜',
  '�V' => '皞',
  '�W' => '皛',
  '�X' => '皦',
  '�Y' => '益',
  '�Z' => '睆',
  '�[' => '劯',
  '�\\' => '砡',
  '�]' => '硎',
  '�^' => '硤',
  '�_' => '硺',
  '�`' => '礰',
  '�a' => '礼',
  '�b' => '神',
  '�c' => '祥',
  '�d' => '禔',
  '�e' => '福',
  '�f' => '禛',
  '�g' => '竑',
  '�h' => '竧',
  '�i' => '靖',
  '�j' => '竫',
  '�k' => '箞',
  '�l' => '精',
  '�m' => '絈',
  '�n' => '絜',
  '�o' => '綷',
  '�p' => '綠',
  '�q' => '緖',
  '�r' => '繒',
  '�s' => '罇',
  '�t' => '羡',
  '�u' => '羽',
  '�v' => '茁',
  '�w' => '荢',
  '�x' => '荿',
  '�y' => '菇',
  '�z' => '菶',
  '�{' => '葈',
  '�|' => '蒴',
  '�}' => '蕓',
  '�~' => '蕙',
  '�' => '蕫',
  '�' => '﨟',
  '�' => '薰',
  '�' => '蘒',
  '�' => '﨡',
  '�' => '蠇',
  '�' => '裵',
  '�' => '訒',
  '�' => '訷',
  '�' => '詹',
  '�' => '誧',
  '�' => '誾',
  '�' => '諟',
  '�' => '諸',
  '�' => '諶',
  '�' => '譓',
  '�' => '譿',
  '�' => '賰',
  '�' => '賴',
  '�' => '贒',
  '�' => '赶',
  '�' => '﨣',
  '�' => '軏',
  '�' => '﨤',
  '�' => '逸',
  '�' => '遧',
  '�' => '郞',
  '�' => '都',
  '�' => '鄕',
  '�' => '鄧',
  '�' => '釚',
  '�' => '釗',
  '�' => '釞',
  '�' => '釭',
  '�' => '釮',
  '�' => '釤',
  '�' => '釥',
  '�' => '鈆',
  '�' => '鈐',
  '�' => '鈊',
  '�' => '鈺',
  '�' => '鉀',
  '�' => '鈼',
  '�' => '鉎',
  '�' => '鉙',
  '�' => '鉑',
  '�' => '鈹',
  '�' => '鉧',
  '�' => '銧',
  '�' => '鉷',
  '�' => '鉸',
  '�' => '鋧',
  '�' => '鋗',
  '�' => '鋙',
  '�' => '鋐',
  '�' => '﨧',
  '�' => '鋕',
  '�' => '鋠',
  '�' => '鋓',
  '�' => '錥',
  '�' => '錡',
  '�' => '鋻',
  '�' => '﨨',
  '�' => '錞',
  '�' => '鋿',
  '�' => '錝',
  '��' => '錂',
  '��' => '鍰',
  '��' => '鍗',
  '��' => '鎤',
  '��' => '鏆',
  '��' => '鏞',
  '��' => '鏸',
  '��' => '鐱',
  '��' => '鑅',
  '��' => '鑈',
  '��' => '閒',
  '��' => '隆',
  '��' => '﨩',
  '��' => '隝',
  '��' => '隯',
  '��' => '霳',
  '��' => '霻',
  '��' => '靃',
  '��' => '靍',
  '��' => '靏',
  '��' => '靑',
  '��' => '靕',
  '��' => '顗',
  '��' => '顥',
  '��' => '飯',
  '��' => '飼',
  '��' => '餧',
  '��' => '館',
  '��' => '馞',
  '��' => '驎',
  '��' => '髙',
  '��' => '髜',
  '��' => '魵',
  '��' => '魲',
  '��' => '鮏',
  '��' => '鮱',
  '��' => '鮻',
  '��' => '鰀',
  '��' => '鵰',
  '��' => '鵫',
  '��' => '鶴',
  '��' => '鸙',
  '��' => '黑',
  '��' => 'ⅰ',
  '��' => 'ⅱ',
  '��' => 'ⅲ',
  '��' => 'ⅳ',
  '��' => 'ⅴ',
  '��' => 'ⅵ',
  '�' => 'ⅶ',
  '�' => 'ⅷ',
  '�' => 'ⅸ',
  '�' => 'ⅹ',
  '�' => '¬',
  '�' => '¦',
  '�' => ''',
  '�' => '"',
  '�@' => 'ⅰ',
  '�A' => 'ⅱ',
  '�B' => 'ⅲ',
  '�C' => 'ⅳ',
  '�D' => 'ⅴ',
  '�E' => 'ⅵ',
  '�F' => 'ⅶ',
  '�G' => 'ⅷ',
  '�H' => 'ⅸ',
  '�I' => 'ⅹ',
  '�J' => 'Ⅰ',
  '�K' => 'Ⅱ',
  '�L' => 'Ⅲ',
  '�M' => 'Ⅳ',
  '�N' => 'Ⅴ',
  '�O' => 'Ⅵ',
  '�P' => 'Ⅶ',
  '�Q' => 'Ⅷ',
  '�R' => 'Ⅸ',
  '�S' => 'Ⅹ',
  '�T' => '¬',
  '�U' => '¦',
  '�V' => ''',
  '�W' => '"',
  '�X' => '㈱',
  '�Y' => '№',
  '�Z' => '℡',
  '�[' => '∵',
  '�\\' => '纊',
  '�]' => '褜',
  '�^' => '鍈',
  '�_' => '銈',
  '�`' => '蓜',
  '�a' => '俉',
  '�b' => '炻',
  '�c' => '昱',
  '�d' => '棈',
  '�e' => '鋹',
  '�f' => '曻',
  '�g' => '彅',
  '�h' => '丨',
  '�i' => '仡',
  '�j' => '仼',
  '�k' => '伀',
  '�l' => '伃',
  '�m' => '伹',
  '�n' => '佖',
  '�o' => '侒',
  '�p' => '侊',
  '�q' => '侚',
  '�r' => '侔',
  '�s' => '俍',
  '�t' => '偀',
  '�u' => '倢',
  '�v' => '俿',
  '�w' => '倞',
  '�x' => '偆',
  '�y' => '偰',
  '�z' => '偂',
  '�{' => '傔',
  '�|' => '僴',
  '�}' => '僘',
  '�~' => '兊',
  '��' => '兤',
  '��' => '冝',
  '��' => '冾',
  '��' => '凬',
  '��' => '刕',
  '��' => '劜',
  '��' => '劦',
  '��' => '勀',
  '��' => '勛',
  '��' => '匀',
  '��' => '匇',
  '��' => '匤',
  '��' => '卲',
  '��' => '厓',
  '��' => '厲',
  '��' => '叝',
  '��' => '﨎',
  '��' => '咜',
  '��' => '咊',
  '��' => '咩',
  '��' => '哿',
  '��' => '喆',
  '��' => '坙',
  '��' => '坥',
  '��' => '垬',
  '��' => '埈',
  '��' => '埇',
  '��' => '﨏',
  '��' => '塚',
  '��' => '增',
  '��' => '墲',
  '��' => '夋',
  '��' => '奓',
  '��' => '奛',
  '��' => '奝',
  '��' => '奣',
  '��' => '妤',
  '��' => '妺',
  '��' => '孖',
  '��' => '寀',
  '��' => '甯',
  '��' => '寘',
  '��' => '寬',
  '��' => '尞',
  '��' => '岦',
  '��' => '岺',
  '��' => '峵',
  '��' => '崧',
  '��' => '嵓',
  '��' => '﨑',
  '��' => '嵂',
  '��' => '嵭',
  '��' => '嶸',
  '��' => '嶹',
  '��' => '巐',
  '��' => '弡',
  '��' => '弴',
  '��' => '彧',
  '��' => '德',
  '��' => '忞',
  '��' => '恝',
  '��' => '悅',
  '��' => '悊',
  '��' => '惞',
  '��' => '惕',
  '��' => '愠',
  '��' => '惲',
  '��' => '愑',
  '��' => '愷',
  '��' => '愰',
  '��' => '憘',
  '��' => '戓',
  '��' => '抦',
  '��' => '揵',
  '��' => '摠',
  '��' => '撝',
  '��' => '擎',
  '��' => '敎',
  '��' => '昀',
  '��' => '昕',
  '��' => '昻',
  '��' => '昉',
  '��' => '昮',
  '��' => '昞',
  '��' => '昤',
  '��' => '晥',
  '��' => '晗',
  '��' => '晙',
  '��' => '晴',
  '��' => '晳',
  '��' => '暙',
  '��' => '暠',
  '��' => '暲',
  '��' => '暿',
  '��' => '曺',
  '��' => '朎',
  '��' => '朗',
  '��' => '杦',
  '��' => '枻',
  '��' => '桒',
  '��' => '柀',
  '��' => '栁',
  '��' => '桄',
  '��' => '棏',
  '��' => '﨓',
  '��' => '楨',
  '��' => '﨔',
  '��' => '榘',
  '��' => '槢',
  '��' => '樰',
  '��' => '橫',
  '��' => '橆',
  '��' => '橳',
  '��' => '橾',
  '��' => '櫢',
  '��' => '櫤',
  '��' => '毖',
  '��' => '氿',
  '��' => '汜',
  '��' => '沆',
  '��' => '汯',
  '��' => '泚',
  '��' => '洄',
  '��' => '涇',
  '��' => '浯',
  '�@' => '涖',
  '�A' => '涬',
  '�B' => '淏',
  '�C' => '淸',
  '�D' => '淲',
  '�E' => '淼',
  '�F' => '渹',
  '�G' => '湜',
  '�H' => '渧',
  '�I' => '渼',
  '�J' => '溿',
  '�K' => '澈',
  '�L' => '澵',
  '�M' => '濵',
  '�N' => '瀅',
  '�O' => '瀇',
  '�P' => '瀨',
  '�Q' => '炅',
  '�R' => '炫',
  '�S' => '焏',
  '�T' => '焄',
  '�U' => '煜',
  '�V' => '煆',
  '�W' => '煇',
  '�X' => '凞',
  '�Y' => '燁',
  '�Z' => '燾',
  '�[' => '犱',
  '�\\' => '犾',
  '�]' => '猤',
  '�^' => '猪',
  '�_' => '獷',
  '�`' => '玽',
  '�a' => '珉',
  '�b' => '珖',
  '�c' => '珣',
  '�d' => '珒',
  '�e' => '琇',
  '�f' => '珵',
  '�g' => '琦',
  '�h' => '琪',
  '�i' => '琩',
  '�j' => '琮',
  '�k' => '瑢',
  '�l' => '璉',
  '�m' => '璟',
  '�n' => '甁',
  '�o' => '畯',
  '�p' => '皂',
  '�q' => '皜',
  '�r' => '皞',
  '�s' => '皛',
  '�t' => '皦',
  '�u' => '益',
  '�v' => '睆',
  '�w' => '劯',
  '�x' => '砡',
  '�y' => '硎',
  '�z' => '硤',
  '�{' => '硺',
  '�|' => '礰',
  '�}' => '礼',
  '�~' => '神',
  '��' => '祥',
  '��' => '禔',
  '��' => '福',
  '��' => '禛',
  '��' => '竑',
  '��' => '竧',
  '��' => '靖',
  '��' => '竫',
  '��' => '箞',
  '��' => '精',
  '��' => '絈',
  '��' => '絜',
  '��' => '綷',
  '��' => '綠',
  '��' => '緖',
  '��' => '繒',
  '��' => '罇',
  '��' => '羡',
  '��' => '羽',
  '��' => '茁',
  '��' => '荢',
  '��' => '荿',
  '��' => '菇',
  '��' => '菶',
  '��' => '葈',
  '��' => '蒴',
  '��' => '蕓',
  '��' => '蕙',
  '��' => '蕫',
  '��' => '﨟',
  '��' => '薰',
  '��' => '蘒',
  '��' => '﨡',
  '��' => '蠇',
  '��' => '裵',
  '��' => '訒',
  '��' => '訷',
  '��' => '詹',
  '��' => '誧',
  '��' => '誾',
  '��' => '諟',
  '��' => '諸',
  '��' => '諶',
  '��' => '譓',
  '��' => '譿',
  '��' => '賰',
  '��' => '賴',
  '��' => '贒',
  '��' => '赶',
  '��' => '﨣',
  '��' => '軏',
  '��' => '﨤',
  '��' => '逸',
  '��' => '遧',
  '��' => '郞',
  '��' => '都',
  '��' => '鄕',
  '��' => '鄧',
  '��' => '釚',
  '��' => '釗',
  '��' => '釞',
  '��' => '釭',
  '��' => '釮',
  '��' => '釤',
  '��' => '釥',
  '��' => '鈆',
  '��' => '鈐',
  '��' => '鈊',
  '��' => '鈺',
  '��' => '鉀',
  '��' => '鈼',
  '��' => '鉎',
  '��' => '鉙',
  '��' => '鉑',
  '��' => '鈹',
  '��' => '鉧',
  '��' => '銧',
  '��' => '鉷',
  '��' => '鉸',
  '��' => '鋧',
  '��' => '鋗',
  '��' => '鋙',
  '��' => '鋐',
  '��' => '﨧',
  '��' => '鋕',
  '��' => '鋠',
  '��' => '鋓',
  '��' => '錥',
  '��' => '錡',
  '��' => '鋻',
  '��' => '﨨',
  '��' => '錞',
  '��' => '鋿',
  '��' => '錝',
  '��' => '錂',
  '��' => '鍰',
  '��' => '鍗',
  '��' => '鎤',
  '��' => '鏆',
  '��' => '鏞',
  '��' => '鏸',
  '��' => '鐱',
  '��' => '鑅',
  '��' => '鑈',
  '��' => '閒',
  '��' => '隆',
  '��' => '﨩',
  '��' => '隝',
  '��' => '隯',
  '��' => '霳',
  '��' => '霻',
  '��' => '靃',
  '��' => '靍',
  '��' => '靏',
  '��' => '靑',
  '��' => '靕',
  '��' => '顗',
  '��' => '顥',
  '��' => '飯',
  '��' => '飼',
  '��' => '餧',
  '��' => '館',
  '��' => '馞',
  '��' => '驎',
  '��' => '髙',
  '�@' => '髜',
  '�A' => '魵',
  '�B' => '魲',
  '�C' => '鮏',
  '�D' => '鮱',
  '�E' => '鮻',
  '�F' => '鰀',
  '�G' => '鵰',
  '�H' => '鵫',
  '�I' => '鶴',
  '�J' => '鸙',
  '�K' => '黑',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp1006.php000064400000007424151330736600017220 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '۰',
  '�' => '۱',
  '�' => '۲',
  '�' => '۳',
  '�' => '۴',
  '�' => '۵',
  '�' => '۶',
  '�' => '۷',
  '�' => '۸',
  '�' => '۹',
  '�' => '،',
  '�' => '؛',
  '�' => '­',
  '�' => '؟',
  '�' => 'ﺁ',
  '�' => 'ﺍ',
  '�' => 'ﺎ',
  '�' => 'ﺎ',
  '�' => 'ﺏ',
  '�' => 'ﺑ',
  '�' => 'ﭖ',
  '�' => 'ﭘ',
  '�' => 'ﺓ',
  '�' => 'ﺕ',
  '�' => 'ﺗ',
  '�' => 'ﭦ',
  '�' => 'ﭨ',
  '�' => 'ﺙ',
  '�' => 'ﺛ',
  '�' => 'ﺝ',
  '�' => 'ﺟ',
  '�' => 'ﭺ',
  '�' => 'ﭼ',
  '�' => 'ﺡ',
  '�' => 'ﺣ',
  '�' => 'ﺥ',
  '�' => 'ﺧ',
  '�' => 'ﺩ',
  '�' => 'ﮄ',
  '�' => 'ﺫ',
  '�' => 'ﺭ',
  '�' => 'ﮌ',
  '�' => 'ﺯ',
  '�' => 'ﮊ',
  '�' => 'ﺱ',
  '�' => 'ﺳ',
  '�' => 'ﺵ',
  '�' => 'ﺷ',
  '�' => 'ﺹ',
  '�' => 'ﺻ',
  '�' => 'ﺽ',
  '�' => 'ﺿ',
  '�' => 'ﻁ',
  '�' => 'ﻅ',
  '�' => 'ﻉ',
  '�' => 'ﻊ',
  '�' => 'ﻋ',
  '�' => 'ﻌ',
  '�' => 'ﻍ',
  '�' => 'ﻎ',
  '�' => 'ﻏ',
  '�' => 'ﻐ',
  '�' => 'ﻑ',
  '�' => 'ﻓ',
  '�' => 'ﻕ',
  '�' => 'ﻗ',
  '�' => 'ﻙ',
  '�' => 'ﻛ',
  '�' => 'ﮒ',
  '�' => 'ﮔ',
  '�' => 'ﻝ',
  '�' => 'ﻟ',
  '�' => 'ﻠ',
  '�' => 'ﻡ',
  '�' => 'ﻣ',
  '�' => 'ﮞ',
  '�' => 'ﻥ',
  '�' => 'ﻧ',
  '�' => 'ﺅ',
  '�' => 'ﻭ',
  '�' => 'ﮦ',
  '�' => 'ﮨ',
  '�' => 'ﮩ',
  '�' => 'ﮪ',
  '�' => 'ﺀ',
  '�' => 'ﺉ',
  '�' => 'ﺊ',
  '�' => 'ﺋ',
  '�' => 'ﻱ',
  '�' => 'ﻲ',
  '�' => 'ﻳ',
  '�' => 'ﮰ',
  '�' => 'ﮮ',
  '�' => 'ﹼ',
  '�' => 'ﹽ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp949.php000064400001071260151330736600017157 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�A' => '갂',
  '�B' => '갃',
  '�C' => '갅',
  '�D' => '갆',
  '�E' => '갋',
  '�F' => '갌',
  '�G' => '갍',
  '�H' => '갎',
  '�I' => '갏',
  '�J' => '갘',
  '�K' => '갞',
  '�L' => '갟',
  '�M' => '갡',
  '�N' => '갢',
  '�O' => '갣',
  '�P' => '갥',
  '�Q' => '갦',
  '�R' => '갧',
  '�S' => '갨',
  '�T' => '갩',
  '�U' => '갪',
  '�V' => '갫',
  '�W' => '갮',
  '�X' => '갲',
  '�Y' => '갳',
  '�Z' => '갴',
  '�a' => '갵',
  '�b' => '갶',
  '�c' => '갷',
  '�d' => '갺',
  '�e' => '갻',
  '�f' => '갽',
  '�g' => '갾',
  '�h' => '갿',
  '�i' => '걁',
  '�j' => '걂',
  '�k' => '걃',
  '�l' => '걄',
  '�m' => '걅',
  '�n' => '걆',
  '�o' => '걇',
  '�p' => '걈',
  '�q' => '걉',
  '�r' => '걊',
  '�s' => '걌',
  '�t' => '걎',
  '�u' => '걏',
  '�v' => '걐',
  '�w' => '걑',
  '�x' => '걒',
  '�y' => '걓',
  '�z' => '걕',
  '��' => '걖',
  '��' => '걗',
  '��' => '걙',
  '��' => '걚',
  '��' => '걛',
  '��' => '걝',
  '��' => '걞',
  '��' => '걟',
  '��' => '걠',
  '��' => '걡',
  '��' => '걢',
  '��' => '걣',
  '��' => '걤',
  '��' => '걥',
  '��' => '걦',
  '��' => '걧',
  '��' => '걨',
  '��' => '걩',
  '��' => '걪',
  '��' => '걫',
  '��' => '걬',
  '��' => '걭',
  '��' => '걮',
  '��' => '걯',
  '��' => '걲',
  '��' => '걳',
  '��' => '걵',
  '��' => '걶',
  '��' => '걹',
  '��' => '걻',
  '��' => '걼',
  '��' => '걽',
  '��' => '걾',
  '��' => '걿',
  '��' => '겂',
  '��' => '겇',
  '��' => '겈',
  '��' => '겍',
  '��' => '겎',
  '��' => '겏',
  '��' => '겑',
  '��' => '겒',
  '��' => '겓',
  '��' => '겕',
  '��' => '겖',
  '��' => '겗',
  '��' => '겘',
  '��' => '겙',
  '��' => '겚',
  '��' => '겛',
  '��' => '겞',
  '��' => '겢',
  '��' => '겣',
  '��' => '겤',
  '��' => '겥',
  '��' => '겦',
  '��' => '겧',
  '��' => '겫',
  '��' => '겭',
  '��' => '겮',
  '��' => '겱',
  '��' => '겲',
  '��' => '겳',
  '��' => '겴',
  '��' => '겵',
  '��' => '겶',
  '��' => '겷',
  '��' => '겺',
  '��' => '겾',
  '��' => '겿',
  '��' => '곀',
  '��' => '곂',
  '��' => '곃',
  '��' => '곅',
  '��' => '곆',
  '��' => '곇',
  '��' => '곉',
  '��' => '곊',
  '��' => '곋',
  '��' => '곍',
  '��' => '곎',
  '��' => '곏',
  '��' => '곐',
  '��' => '곑',
  '��' => '곒',
  '��' => '곓',
  '��' => '곔',
  '��' => '곖',
  '��' => '곘',
  '��' => '곙',
  '��' => '곚',
  '��' => '곛',
  '��' => '곜',
  '��' => '곝',
  '��' => '곞',
  '��' => '곟',
  '��' => '곢',
  '��' => '곣',
  '��' => '곥',
  '��' => '곦',
  '��' => '곩',
  '��' => '곫',
  '��' => '곭',
  '��' => '곮',
  '��' => '곲',
  '��' => '곴',
  '��' => '곷',
  '��' => '곸',
  '��' => '곹',
  '��' => '곺',
  '��' => '곻',
  '��' => '곾',
  '��' => '곿',
  '��' => '괁',
  '��' => '괂',
  '��' => '괃',
  '��' => '괅',
  '��' => '괇',
  '��' => '괈',
  '��' => '괉',
  '��' => '괊',
  '��' => '괋',
  '��' => '괎',
  '��' => '괐',
  '��' => '괒',
  '��' => '괓',
  '�A' => '괔',
  '�B' => '괕',
  '�C' => '괖',
  '�D' => '괗',
  '�E' => '괙',
  '�F' => '괚',
  '�G' => '괛',
  '�H' => '괝',
  '�I' => '괞',
  '�J' => '괟',
  '�K' => '괡',
  '�L' => '괢',
  '�M' => '괣',
  '�N' => '괤',
  '�O' => '괥',
  '�P' => '괦',
  '�Q' => '괧',
  '�R' => '괨',
  '�S' => '괪',
  '�T' => '괫',
  '�U' => '괮',
  '�V' => '괯',
  '�W' => '괰',
  '�X' => '괱',
  '�Y' => '괲',
  '�Z' => '괳',
  '�a' => '괶',
  '�b' => '괷',
  '�c' => '괹',
  '�d' => '괺',
  '�e' => '괻',
  '�f' => '괽',
  '�g' => '괾',
  '�h' => '괿',
  '�i' => '굀',
  '�j' => '굁',
  '�k' => '굂',
  '�l' => '굃',
  '�m' => '굆',
  '�n' => '굈',
  '�o' => '굊',
  '�p' => '굋',
  '�q' => '굌',
  '�r' => '굍',
  '�s' => '굎',
  '�t' => '굏',
  '�u' => '굑',
  '�v' => '굒',
  '�w' => '굓',
  '�x' => '굕',
  '�y' => '굖',
  '�z' => '굗',
  '��' => '굙',
  '��' => '굚',
  '��' => '굛',
  '��' => '굜',
  '��' => '굝',
  '��' => '굞',
  '��' => '굟',
  '��' => '굠',
  '��' => '굢',
  '��' => '굤',
  '��' => '굥',
  '��' => '굦',
  '��' => '굧',
  '��' => '굨',
  '��' => '굩',
  '��' => '굪',
  '��' => '굫',
  '��' => '굮',
  '��' => '굯',
  '��' => '굱',
  '��' => '굲',
  '��' => '굷',
  '��' => '굸',
  '��' => '굹',
  '��' => '굺',
  '��' => '굾',
  '��' => '궀',
  '��' => '궃',
  '��' => '궄',
  '��' => '궅',
  '��' => '궆',
  '��' => '궇',
  '��' => '궊',
  '��' => '궋',
  '��' => '궍',
  '��' => '궎',
  '��' => '궏',
  '��' => '궑',
  '��' => '궒',
  '��' => '궓',
  '��' => '궔',
  '��' => '궕',
  '��' => '궖',
  '��' => '궗',
  '��' => '궘',
  '��' => '궙',
  '��' => '궚',
  '��' => '궛',
  '��' => '궞',
  '��' => '궟',
  '��' => '궠',
  '��' => '궡',
  '��' => '궢',
  '��' => '궣',
  '��' => '궥',
  '��' => '궦',
  '��' => '궧',
  '��' => '궨',
  '��' => '궩',
  '��' => '궪',
  '��' => '궫',
  '��' => '궬',
  '��' => '궭',
  '��' => '궮',
  '��' => '궯',
  '��' => '궰',
  '��' => '궱',
  '��' => '궲',
  '��' => '궳',
  '��' => '궴',
  '��' => '궵',
  '��' => '궶',
  '��' => '궸',
  '��' => '궹',
  '��' => '궺',
  '��' => '궻',
  '��' => '궼',
  '��' => '궽',
  '��' => '궾',
  '��' => '궿',
  '��' => '귂',
  '��' => '귃',
  '��' => '귅',
  '��' => '귆',
  '��' => '귇',
  '��' => '귉',
  '��' => '귊',
  '��' => '귋',
  '��' => '귌',
  '��' => '귍',
  '��' => '귎',
  '��' => '귏',
  '��' => '귒',
  '��' => '귔',
  '��' => '귕',
  '��' => '귖',
  '��' => '귗',
  '��' => '귘',
  '��' => '귙',
  '��' => '귚',
  '��' => '귛',
  '��' => '귝',
  '��' => '귞',
  '��' => '귟',
  '��' => '귡',
  '��' => '귢',
  '��' => '귣',
  '��' => '귥',
  '��' => '귦',
  '��' => '귧',
  '��' => '귨',
  '��' => '귩',
  '��' => '귪',
  '��' => '귫',
  '��' => '귬',
  '��' => '귭',
  '��' => '귮',
  '��' => '귯',
  '��' => '귰',
  '��' => '귱',
  '��' => '귲',
  '��' => '귳',
  '��' => '귴',
  '��' => '귵',
  '��' => '귶',
  '��' => '귷',
  '�A' => '귺',
  '�B' => '귻',
  '�C' => '귽',
  '�D' => '귾',
  '�E' => '긂',
  '�F' => '긃',
  '�G' => '긄',
  '�H' => '긅',
  '�I' => '긆',
  '�J' => '긇',
  '�K' => '긊',
  '�L' => '긌',
  '�M' => '긎',
  '�N' => '긏',
  '�O' => '긐',
  '�P' => '긑',
  '�Q' => '긒',
  '�R' => '긓',
  '�S' => '긕',
  '�T' => '긖',
  '�U' => '긗',
  '�V' => '긘',
  '�W' => '긙',
  '�X' => '긚',
  '�Y' => '긛',
  '�Z' => '긜',
  '�a' => '긝',
  '�b' => '긞',
  '�c' => '긟',
  '�d' => '긠',
  '�e' => '긡',
  '�f' => '긢',
  '�g' => '긣',
  '�h' => '긤',
  '�i' => '긥',
  '�j' => '긦',
  '�k' => '긧',
  '�l' => '긨',
  '�m' => '긩',
  '�n' => '긪',
  '�o' => '긫',
  '�p' => '긬',
  '�q' => '긭',
  '�r' => '긮',
  '�s' => '긯',
  '�t' => '긲',
  '�u' => '긳',
  '�v' => '긵',
  '�w' => '긶',
  '�x' => '긹',
  '�y' => '긻',
  '�z' => '긼',
  '��' => '긽',
  '��' => '긾',
  '��' => '긿',
  '��' => '깂',
  '��' => '깄',
  '��' => '깇',
  '��' => '깈',
  '��' => '깉',
  '��' => '깋',
  '��' => '깏',
  '��' => '깑',
  '��' => '깒',
  '��' => '깓',
  '��' => '깕',
  '��' => '깗',
  '��' => '깘',
  '��' => '깙',
  '��' => '깚',
  '��' => '깛',
  '��' => '깞',
  '��' => '깢',
  '��' => '깣',
  '��' => '깤',
  '��' => '깦',
  '��' => '깧',
  '��' => '깪',
  '��' => '깫',
  '��' => '깭',
  '��' => '깮',
  '��' => '깯',
  '��' => '깱',
  '��' => '깲',
  '��' => '깳',
  '��' => '깴',
  '��' => '깵',
  '��' => '깶',
  '��' => '깷',
  '��' => '깺',
  '��' => '깾',
  '��' => '깿',
  '��' => '꺀',
  '��' => '꺁',
  '��' => '꺂',
  '��' => '꺃',
  '��' => '꺆',
  '��' => '꺇',
  '��' => '꺈',
  '��' => '꺉',
  '��' => '꺊',
  '��' => '꺋',
  '��' => '꺍',
  '��' => '꺎',
  '��' => '꺏',
  '��' => '꺐',
  '��' => '꺑',
  '��' => '꺒',
  '��' => '꺓',
  '��' => '꺔',
  '��' => '꺕',
  '��' => '꺖',
  '��' => '꺗',
  '��' => '꺘',
  '��' => '꺙',
  '��' => '꺚',
  '��' => '꺛',
  '��' => '꺜',
  '��' => '꺝',
  '��' => '꺞',
  '��' => '꺟',
  '��' => '꺠',
  '��' => '꺡',
  '��' => '꺢',
  '��' => '꺣',
  '��' => '꺤',
  '��' => '꺥',
  '��' => '꺦',
  '��' => '꺧',
  '��' => '꺨',
  '��' => '꺩',
  '��' => '꺪',
  '��' => '꺫',
  '��' => '꺬',
  '��' => '꺭',
  '��' => '꺮',
  '��' => '꺯',
  '��' => '꺰',
  '��' => '꺱',
  '��' => '꺲',
  '��' => '꺳',
  '��' => '꺴',
  '��' => '꺵',
  '��' => '꺶',
  '��' => '꺷',
  '��' => '꺸',
  '��' => '꺹',
  '��' => '꺺',
  '��' => '꺻',
  '��' => '꺿',
  '��' => '껁',
  '��' => '껂',
  '��' => '껃',
  '��' => '껅',
  '��' => '껆',
  '��' => '껇',
  '��' => '껈',
  '��' => '껉',
  '��' => '껊',
  '��' => '껋',
  '��' => '껎',
  '��' => '껒',
  '��' => '껓',
  '��' => '껔',
  '��' => '껕',
  '��' => '껖',
  '��' => '껗',
  '��' => '껚',
  '��' => '껛',
  '��' => '껝',
  '��' => '껞',
  '��' => '껟',
  '��' => '껠',
  '��' => '껡',
  '��' => '껢',
  '��' => '껣',
  '��' => '껤',
  '��' => '껥',
  '�A' => '껦',
  '�B' => '껧',
  '�C' => '껩',
  '�D' => '껪',
  '�E' => '껬',
  '�F' => '껮',
  '�G' => '껯',
  '�H' => '껰',
  '�I' => '껱',
  '�J' => '껲',
  '�K' => '껳',
  '�L' => '껵',
  '�M' => '껶',
  '�N' => '껷',
  '�O' => '껹',
  '�P' => '껺',
  '�Q' => '껻',
  '�R' => '껽',
  '�S' => '껾',
  '�T' => '껿',
  '�U' => '꼀',
  '�V' => '꼁',
  '�W' => '꼂',
  '�X' => '꼃',
  '�Y' => '꼄',
  '�Z' => '꼅',
  '�a' => '꼆',
  '�b' => '꼉',
  '�c' => '꼊',
  '�d' => '꼋',
  '�e' => '꼌',
  '�f' => '꼎',
  '�g' => '꼏',
  '�h' => '꼑',
  '�i' => '꼒',
  '�j' => '꼓',
  '�k' => '꼔',
  '�l' => '꼕',
  '�m' => '꼖',
  '�n' => '꼗',
  '�o' => '꼘',
  '�p' => '꼙',
  '�q' => '꼚',
  '�r' => '꼛',
  '�s' => '꼜',
  '�t' => '꼝',
  '�u' => '꼞',
  '�v' => '꼟',
  '�w' => '꼠',
  '�x' => '꼡',
  '�y' => '꼢',
  '�z' => '꼣',
  '��' => '꼤',
  '��' => '꼥',
  '��' => '꼦',
  '��' => '꼧',
  '��' => '꼨',
  '��' => '꼩',
  '��' => '꼪',
  '��' => '꼫',
  '��' => '꼮',
  '��' => '꼯',
  '��' => '꼱',
  '��' => '꼳',
  '��' => '꼵',
  '��' => '꼶',
  '��' => '꼷',
  '��' => '꼸',
  '��' => '꼹',
  '��' => '꼺',
  '��' => '꼻',
  '��' => '꼾',
  '��' => '꽀',
  '��' => '꽄',
  '��' => '꽅',
  '��' => '꽆',
  '��' => '꽇',
  '��' => '꽊',
  '��' => '꽋',
  '��' => '꽌',
  '��' => '꽍',
  '��' => '꽎',
  '��' => '꽏',
  '��' => '꽑',
  '��' => '꽒',
  '��' => '꽓',
  '��' => '꽔',
  '��' => '꽕',
  '��' => '꽖',
  '��' => '꽗',
  '��' => '꽘',
  '��' => '꽙',
  '��' => '꽚',
  '��' => '꽛',
  '��' => '꽞',
  '��' => '꽟',
  '��' => '꽠',
  '��' => '꽡',
  '��' => '꽢',
  '��' => '꽣',
  '��' => '꽦',
  '��' => '꽧',
  '��' => '꽨',
  '��' => '꽩',
  '��' => '꽪',
  '��' => '꽫',
  '��' => '꽬',
  '��' => '꽭',
  '��' => '꽮',
  '��' => '꽯',
  '��' => '꽰',
  '��' => '꽱',
  '��' => '꽲',
  '��' => '꽳',
  '��' => '꽴',
  '��' => '꽵',
  '��' => '꽶',
  '��' => '꽷',
  '��' => '꽸',
  '��' => '꽺',
  '��' => '꽻',
  '��' => '꽼',
  '��' => '꽽',
  '��' => '꽾',
  '��' => '꽿',
  '��' => '꾁',
  '��' => '꾂',
  '��' => '꾃',
  '��' => '꾅',
  '��' => '꾆',
  '��' => '꾇',
  '��' => '꾉',
  '��' => '꾊',
  '��' => '꾋',
  '��' => '꾌',
  '��' => '꾍',
  '��' => '꾎',
  '��' => '꾏',
  '��' => '꾒',
  '��' => '꾓',
  '��' => '꾔',
  '��' => '꾖',
  '��' => '꾗',
  '��' => '꾘',
  '��' => '꾙',
  '��' => '꾚',
  '��' => '꾛',
  '��' => '꾝',
  '��' => '꾞',
  '��' => '꾟',
  '��' => '꾠',
  '��' => '꾡',
  '��' => '꾢',
  '��' => '꾣',
  '��' => '꾤',
  '��' => '꾥',
  '��' => '꾦',
  '��' => '꾧',
  '��' => '꾨',
  '��' => '꾩',
  '��' => '꾪',
  '��' => '꾫',
  '��' => '꾬',
  '��' => '꾭',
  '��' => '꾮',
  '��' => '꾯',
  '��' => '꾰',
  '��' => '꾱',
  '��' => '꾲',
  '��' => '꾳',
  '��' => '꾴',
  '��' => '꾵',
  '��' => '꾶',
  '��' => '꾷',
  '��' => '꾺',
  '��' => '꾻',
  '��' => '꾽',
  '��' => '꾾',
  '�A' => '꾿',
  '�B' => '꿁',
  '�C' => '꿂',
  '�D' => '꿃',
  '�E' => '꿄',
  '�F' => '꿅',
  '�G' => '꿆',
  '�H' => '꿊',
  '�I' => '꿌',
  '�J' => '꿏',
  '�K' => '꿐',
  '�L' => '꿑',
  '�M' => '꿒',
  '�N' => '꿓',
  '�O' => '꿕',
  '�P' => '꿖',
  '�Q' => '꿗',
  '�R' => '꿘',
  '�S' => '꿙',
  '�T' => '꿚',
  '�U' => '꿛',
  '�V' => '꿝',
  '�W' => '꿞',
  '�X' => '꿟',
  '�Y' => '꿠',
  '�Z' => '꿡',
  '�a' => '꿢',
  '�b' => '꿣',
  '�c' => '꿤',
  '�d' => '꿥',
  '�e' => '꿦',
  '�f' => '꿧',
  '�g' => '꿪',
  '�h' => '꿫',
  '�i' => '꿬',
  '�j' => '꿭',
  '�k' => '꿮',
  '�l' => '꿯',
  '�m' => '꿲',
  '�n' => '꿳',
  '�o' => '꿵',
  '�p' => '꿶',
  '�q' => '꿷',
  '�r' => '꿹',
  '�s' => '꿺',
  '�t' => '꿻',
  '�u' => '꿼',
  '�v' => '꿽',
  '�w' => '꿾',
  '�x' => '꿿',
  '�y' => '뀂',
  '�z' => '뀃',
  '��' => '뀅',
  '��' => '뀆',
  '��' => '뀇',
  '��' => '뀈',
  '��' => '뀉',
  '��' => '뀊',
  '��' => '뀋',
  '��' => '뀍',
  '��' => '뀎',
  '��' => '뀏',
  '��' => '뀑',
  '��' => '뀒',
  '��' => '뀓',
  '��' => '뀕',
  '��' => '뀖',
  '��' => '뀗',
  '��' => '뀘',
  '��' => '뀙',
  '��' => '뀚',
  '��' => '뀛',
  '��' => '뀞',
  '��' => '뀟',
  '��' => '뀠',
  '��' => '뀡',
  '��' => '뀢',
  '��' => '뀣',
  '��' => '뀤',
  '��' => '뀥',
  '��' => '뀦',
  '��' => '뀧',
  '��' => '뀩',
  '��' => '뀪',
  '��' => '뀫',
  '��' => '뀬',
  '��' => '뀭',
  '��' => '뀮',
  '��' => '뀯',
  '��' => '뀰',
  '��' => '뀱',
  '��' => '뀲',
  '��' => '뀳',
  '��' => '뀴',
  '��' => '뀵',
  '��' => '뀶',
  '��' => '뀷',
  '��' => '뀸',
  '��' => '뀹',
  '��' => '뀺',
  '��' => '뀻',
  '��' => '뀼',
  '��' => '뀽',
  '��' => '뀾',
  '��' => '뀿',
  '��' => '끀',
  '��' => '끁',
  '��' => '끂',
  '��' => '끃',
  '��' => '끆',
  '��' => '끇',
  '��' => '끉',
  '��' => '끋',
  '��' => '끍',
  '��' => '끏',
  '��' => '끐',
  '��' => '끑',
  '��' => '끒',
  '��' => '끖',
  '��' => '끘',
  '��' => '끚',
  '��' => '끛',
  '��' => '끜',
  '��' => '끞',
  '��' => '끟',
  '��' => '끠',
  '��' => '끡',
  '��' => '끢',
  '��' => '끣',
  '��' => '끤',
  '��' => '끥',
  '��' => '끦',
  '��' => '끧',
  '��' => '끨',
  '��' => '끩',
  '��' => '끪',
  '��' => '끫',
  '��' => '끬',
  '��' => '끭',
  '��' => '끮',
  '��' => '끯',
  '��' => '끰',
  '��' => '끱',
  '��' => '끲',
  '��' => '끳',
  '��' => '끴',
  '��' => '끵',
  '��' => '끶',
  '��' => '끷',
  '��' => '끸',
  '��' => '끹',
  '��' => '끺',
  '��' => '끻',
  '��' => '끾',
  '��' => '끿',
  '��' => '낁',
  '��' => '낂',
  '��' => '낃',
  '��' => '낅',
  '��' => '낆',
  '��' => '낇',
  '��' => '낈',
  '��' => '낉',
  '��' => '낊',
  '��' => '낋',
  '��' => '낎',
  '��' => '낐',
  '��' => '낒',
  '��' => '낓',
  '��' => '낔',
  '��' => '낕',
  '��' => '낖',
  '��' => '낗',
  '��' => '낛',
  '��' => '낝',
  '��' => '낞',
  '��' => '낣',
  '��' => '낤',
  '�A' => '낥',
  '�B' => '낦',
  '�C' => '낧',
  '�D' => '낪',
  '�E' => '낰',
  '�F' => '낲',
  '�G' => '낶',
  '�H' => '낷',
  '�I' => '낹',
  '�J' => '낺',
  '�K' => '낻',
  '�L' => '낽',
  '�M' => '낾',
  '�N' => '낿',
  '�O' => '냀',
  '�P' => '냁',
  '�Q' => '냂',
  '�R' => '냃',
  '�S' => '냆',
  '�T' => '냊',
  '�U' => '냋',
  '�V' => '냌',
  '�W' => '냍',
  '�X' => '냎',
  '�Y' => '냏',
  '�Z' => '냒',
  '�a' => '냓',
  '�b' => '냕',
  '�c' => '냖',
  '�d' => '냗',
  '�e' => '냙',
  '�f' => '냚',
  '�g' => '냛',
  '�h' => '냜',
  '�i' => '냝',
  '�j' => '냞',
  '�k' => '냟',
  '�l' => '냡',
  '�m' => '냢',
  '�n' => '냣',
  '�o' => '냤',
  '�p' => '냦',
  '�q' => '냧',
  '�r' => '냨',
  '�s' => '냩',
  '�t' => '냪',
  '�u' => '냫',
  '�v' => '냬',
  '�w' => '냭',
  '�x' => '냮',
  '�y' => '냯',
  '�z' => '냰',
  '��' => '냱',
  '��' => '냲',
  '��' => '냳',
  '��' => '냴',
  '��' => '냵',
  '��' => '냶',
  '��' => '냷',
  '��' => '냸',
  '��' => '냹',
  '��' => '냺',
  '��' => '냻',
  '��' => '냼',
  '��' => '냽',
  '��' => '냾',
  '��' => '냿',
  '��' => '넀',
  '��' => '넁',
  '��' => '넂',
  '��' => '넃',
  '��' => '넄',
  '��' => '넅',
  '��' => '넆',
  '��' => '넇',
  '��' => '넊',
  '��' => '넍',
  '��' => '넎',
  '��' => '넏',
  '��' => '넑',
  '��' => '넔',
  '��' => '넕',
  '��' => '넖',
  '��' => '넗',
  '��' => '넚',
  '��' => '넞',
  '��' => '넟',
  '��' => '넠',
  '��' => '넡',
  '��' => '넢',
  '��' => '넦',
  '��' => '넧',
  '��' => '넩',
  '��' => '넪',
  '��' => '넫',
  '��' => '넭',
  '��' => '넮',
  '��' => '넯',
  '��' => '넰',
  '��' => '넱',
  '��' => '넲',
  '��' => '넳',
  '��' => '넶',
  '��' => '넺',
  '��' => '넻',
  '��' => '넼',
  '��' => '넽',
  '��' => '넾',
  '��' => '넿',
  '��' => '녂',
  '��' => '녃',
  '��' => '녅',
  '��' => '녆',
  '��' => '녇',
  '��' => '녉',
  '��' => '녊',
  '��' => '녋',
  '��' => '녌',
  '��' => '녍',
  '��' => '녎',
  '��' => '녏',
  '��' => '녒',
  '��' => '녓',
  '��' => '녖',
  '��' => '녗',
  '��' => '녙',
  '��' => '녚',
  '��' => '녛',
  '��' => '녝',
  '��' => '녞',
  '��' => '녟',
  '��' => '녡',
  '��' => '녢',
  '��' => '녣',
  '��' => '녤',
  '��' => '녥',
  '��' => '녦',
  '��' => '녧',
  '��' => '녨',
  '��' => '녩',
  '��' => '녪',
  '��' => '녫',
  '��' => '녬',
  '��' => '녭',
  '��' => '녮',
  '��' => '녯',
  '��' => '녰',
  '��' => '녱',
  '��' => '녲',
  '��' => '녳',
  '��' => '녴',
  '��' => '녵',
  '��' => '녶',
  '��' => '녷',
  '��' => '녺',
  '��' => '녻',
  '��' => '녽',
  '��' => '녾',
  '��' => '녿',
  '��' => '놁',
  '��' => '놃',
  '��' => '놄',
  '��' => '놅',
  '��' => '놆',
  '��' => '놇',
  '��' => '놊',
  '��' => '놌',
  '��' => '놎',
  '��' => '놏',
  '��' => '놐',
  '��' => '놑',
  '��' => '놕',
  '��' => '놖',
  '��' => '놗',
  '��' => '놙',
  '��' => '놚',
  '��' => '놛',
  '��' => '놝',
  '�A' => '놞',
  '�B' => '놟',
  '�C' => '놠',
  '�D' => '놡',
  '�E' => '놢',
  '�F' => '놣',
  '�G' => '놤',
  '�H' => '놥',
  '�I' => '놦',
  '�J' => '놧',
  '�K' => '놩',
  '�L' => '놪',
  '�M' => '놫',
  '�N' => '놬',
  '�O' => '놭',
  '�P' => '놮',
  '�Q' => '놯',
  '�R' => '놰',
  '�S' => '놱',
  '�T' => '놲',
  '�U' => '놳',
  '�V' => '놴',
  '�W' => '놵',
  '�X' => '놶',
  '�Y' => '놷',
  '�Z' => '놸',
  '�a' => '놹',
  '�b' => '놺',
  '�c' => '놻',
  '�d' => '놼',
  '�e' => '놽',
  '�f' => '놾',
  '�g' => '놿',
  '�h' => '뇀',
  '�i' => '뇁',
  '�j' => '뇂',
  '�k' => '뇃',
  '�l' => '뇄',
  '�m' => '뇅',
  '�n' => '뇆',
  '�o' => '뇇',
  '�p' => '뇈',
  '�q' => '뇉',
  '�r' => '뇊',
  '�s' => '뇋',
  '�t' => '뇍',
  '�u' => '뇎',
  '�v' => '뇏',
  '�w' => '뇑',
  '�x' => '뇒',
  '�y' => '뇓',
  '�z' => '뇕',
  '��' => '뇖',
  '��' => '뇗',
  '��' => '뇘',
  '��' => '뇙',
  '��' => '뇚',
  '��' => '뇛',
  '��' => '뇞',
  '��' => '뇠',
  '��' => '뇡',
  '��' => '뇢',
  '��' => '뇣',
  '��' => '뇤',
  '��' => '뇥',
  '��' => '뇦',
  '��' => '뇧',
  '��' => '뇪',
  '��' => '뇫',
  '��' => '뇭',
  '��' => '뇮',
  '��' => '뇯',
  '��' => '뇱',
  '��' => '뇲',
  '��' => '뇳',
  '��' => '뇴',
  '��' => '뇵',
  '��' => '뇶',
  '��' => '뇷',
  '��' => '뇸',
  '��' => '뇺',
  '��' => '뇼',
  '��' => '뇾',
  '��' => '뇿',
  '��' => '눀',
  '��' => '눁',
  '��' => '눂',
  '��' => '눃',
  '��' => '눆',
  '��' => '눇',
  '��' => '눉',
  '��' => '눊',
  '��' => '눍',
  '��' => '눎',
  '��' => '눏',
  '��' => '눐',
  '��' => '눑',
  '��' => '눒',
  '��' => '눓',
  '��' => '눖',
  '��' => '눘',
  '��' => '눚',
  '��' => '눛',
  '��' => '눜',
  '��' => '눝',
  '��' => '눞',
  '��' => '눟',
  '��' => '눡',
  '��' => '눢',
  '��' => '눣',
  '��' => '눤',
  '��' => '눥',
  '��' => '눦',
  '��' => '눧',
  '��' => '눨',
  '��' => '눩',
  '��' => '눪',
  '��' => '눫',
  '��' => '눬',
  '��' => '눭',
  '��' => '눮',
  '��' => '눯',
  '��' => '눰',
  '��' => '눱',
  '��' => '눲',
  '��' => '눳',
  '��' => '눵',
  '��' => '눶',
  '��' => '눷',
  '��' => '눸',
  '��' => '눹',
  '��' => '눺',
  '��' => '눻',
  '��' => '눽',
  '��' => '눾',
  '��' => '눿',
  '��' => '뉀',
  '��' => '뉁',
  '��' => '뉂',
  '��' => '뉃',
  '��' => '뉄',
  '��' => '뉅',
  '��' => '뉆',
  '��' => '뉇',
  '��' => '뉈',
  '��' => '뉉',
  '��' => '뉊',
  '��' => '뉋',
  '��' => '뉌',
  '��' => '뉍',
  '��' => '뉎',
  '��' => '뉏',
  '��' => '뉐',
  '��' => '뉑',
  '��' => '뉒',
  '��' => '뉓',
  '��' => '뉔',
  '��' => '뉕',
  '��' => '뉖',
  '��' => '뉗',
  '��' => '뉙',
  '��' => '뉚',
  '��' => '뉛',
  '��' => '뉝',
  '��' => '뉞',
  '��' => '뉟',
  '��' => '뉡',
  '��' => '뉢',
  '��' => '뉣',
  '��' => '뉤',
  '��' => '뉥',
  '��' => '뉦',
  '��' => '뉧',
  '��' => '뉪',
  '��' => '뉫',
  '��' => '뉬',
  '��' => '뉭',
  '��' => '뉮',
  '�A' => '뉯',
  '�B' => '뉰',
  '�C' => '뉱',
  '�D' => '뉲',
  '�E' => '뉳',
  '�F' => '뉶',
  '�G' => '뉷',
  '�H' => '뉸',
  '�I' => '뉹',
  '�J' => '뉺',
  '�K' => '뉻',
  '�L' => '뉽',
  '�M' => '뉾',
  '�N' => '뉿',
  '�O' => '늀',
  '�P' => '늁',
  '�Q' => '늂',
  '�R' => '늃',
  '�S' => '늆',
  '�T' => '늇',
  '�U' => '늈',
  '�V' => '늊',
  '�W' => '늋',
  '�X' => '늌',
  '�Y' => '늍',
  '�Z' => '늎',
  '�a' => '늏',
  '�b' => '늒',
  '�c' => '늓',
  '�d' => '늕',
  '�e' => '늖',
  '�f' => '늗',
  '�g' => '늛',
  '�h' => '늜',
  '�i' => '늝',
  '�j' => '늞',
  '�k' => '늟',
  '�l' => '늢',
  '�m' => '늤',
  '�n' => '늧',
  '�o' => '늨',
  '�p' => '늩',
  '�q' => '늫',
  '�r' => '늭',
  '�s' => '늮',
  '�t' => '늯',
  '�u' => '늱',
  '�v' => '늲',
  '�w' => '늳',
  '�x' => '늵',
  '�y' => '늶',
  '�z' => '늷',
  '��' => '늸',
  '��' => '늹',
  '��' => '늺',
  '��' => '늻',
  '��' => '늼',
  '��' => '늽',
  '��' => '늾',
  '��' => '늿',
  '��' => '닀',
  '��' => '닁',
  '��' => '닂',
  '��' => '닃',
  '��' => '닄',
  '��' => '닅',
  '��' => '닆',
  '��' => '닇',
  '��' => '닊',
  '��' => '닋',
  '��' => '닍',
  '��' => '닎',
  '��' => '닏',
  '��' => '닑',
  '��' => '닓',
  '��' => '닔',
  '��' => '닕',
  '��' => '닖',
  '��' => '닗',
  '��' => '닚',
  '��' => '닜',
  '��' => '닞',
  '��' => '닟',
  '��' => '닠',
  '��' => '닡',
  '��' => '닣',
  '��' => '닧',
  '��' => '닩',
  '��' => '닪',
  '��' => '닰',
  '��' => '닱',
  '��' => '닲',
  '��' => '닶',
  '��' => '닼',
  '��' => '닽',
  '��' => '닾',
  '��' => '댂',
  '��' => '댃',
  '��' => '댅',
  '��' => '댆',
  '��' => '댇',
  '��' => '댉',
  '��' => '댊',
  '��' => '댋',
  '��' => '댌',
  '��' => '댍',
  '��' => '댎',
  '��' => '댏',
  '��' => '댒',
  '��' => '댖',
  '��' => '댗',
  '��' => '댘',
  '��' => '댙',
  '��' => '댚',
  '��' => '댛',
  '��' => '댝',
  '��' => '댞',
  '��' => '댟',
  '��' => '댠',
  '��' => '댡',
  '��' => '댢',
  '��' => '댣',
  '��' => '댤',
  '��' => '댥',
  '��' => '댦',
  '��' => '댧',
  '��' => '댨',
  '��' => '댩',
  '��' => '댪',
  '��' => '댫',
  '��' => '댬',
  '��' => '댭',
  '��' => '댮',
  '��' => '댯',
  '��' => '댰',
  '��' => '댱',
  '��' => '댲',
  '��' => '댳',
  '��' => '댴',
  '��' => '댵',
  '��' => '댶',
  '��' => '댷',
  '��' => '댸',
  '��' => '댹',
  '��' => '댺',
  '��' => '댻',
  '��' => '댼',
  '��' => '댽',
  '��' => '댾',
  '��' => '댿',
  '��' => '덀',
  '��' => '덁',
  '��' => '덂',
  '��' => '덃',
  '��' => '덄',
  '��' => '덅',
  '��' => '덆',
  '��' => '덇',
  '��' => '덈',
  '��' => '덉',
  '��' => '덊',
  '��' => '덋',
  '��' => '덌',
  '��' => '덍',
  '��' => '덎',
  '��' => '덏',
  '��' => '덐',
  '��' => '덑',
  '��' => '덒',
  '��' => '덓',
  '��' => '덗',
  '��' => '덙',
  '��' => '덚',
  '��' => '덝',
  '��' => '덠',
  '��' => '덡',
  '��' => '덢',
  '��' => '덣',
  '�A' => '덦',
  '�B' => '덨',
  '�C' => '덪',
  '�D' => '덬',
  '�E' => '덭',
  '�F' => '덯',
  '�G' => '덲',
  '�H' => '덳',
  '�I' => '덵',
  '�J' => '덶',
  '�K' => '덷',
  '�L' => '덹',
  '�M' => '덺',
  '�N' => '덻',
  '�O' => '덼',
  '�P' => '덽',
  '�Q' => '덾',
  '�R' => '덿',
  '�S' => '뎂',
  '�T' => '뎆',
  '�U' => '뎇',
  '�V' => '뎈',
  '�W' => '뎉',
  '�X' => '뎊',
  '�Y' => '뎋',
  '�Z' => '뎍',
  '�a' => '뎎',
  '�b' => '뎏',
  '�c' => '뎑',
  '�d' => '뎒',
  '�e' => '뎓',
  '�f' => '뎕',
  '�g' => '뎖',
  '�h' => '뎗',
  '�i' => '뎘',
  '�j' => '뎙',
  '�k' => '뎚',
  '�l' => '뎛',
  '�m' => '뎜',
  '�n' => '뎝',
  '�o' => '뎞',
  '�p' => '뎟',
  '�q' => '뎢',
  '�r' => '뎣',
  '�s' => '뎤',
  '�t' => '뎥',
  '�u' => '뎦',
  '�v' => '뎧',
  '�w' => '뎩',
  '�x' => '뎪',
  '�y' => '뎫',
  '�z' => '뎭',
  '��' => '뎮',
  '��' => '뎯',
  '��' => '뎰',
  '��' => '뎱',
  '��' => '뎲',
  '��' => '뎳',
  '��' => '뎴',
  '��' => '뎵',
  '��' => '뎶',
  '��' => '뎷',
  '��' => '뎸',
  '��' => '뎹',
  '��' => '뎺',
  '��' => '뎻',
  '��' => '뎼',
  '��' => '뎽',
  '��' => '뎾',
  '��' => '뎿',
  '��' => '돀',
  '��' => '돁',
  '��' => '돂',
  '��' => '돃',
  '��' => '돆',
  '��' => '돇',
  '��' => '돉',
  '��' => '돊',
  '��' => '돍',
  '��' => '돏',
  '��' => '돑',
  '��' => '돒',
  '��' => '돓',
  '��' => '돖',
  '��' => '돘',
  '��' => '돚',
  '��' => '돜',
  '��' => '돞',
  '��' => '돟',
  '��' => '돡',
  '��' => '돢',
  '��' => '돣',
  '��' => '돥',
  '��' => '돦',
  '��' => '돧',
  '��' => '돩',
  '��' => '돪',
  '��' => '돫',
  '��' => '돬',
  '��' => '돭',
  '��' => '돮',
  '��' => '돯',
  '��' => '돰',
  '��' => '돱',
  '��' => '돲',
  '��' => '돳',
  '��' => '돴',
  '��' => '돵',
  '��' => '돶',
  '��' => '돷',
  '��' => '돸',
  '��' => '돹',
  '��' => '돺',
  '��' => '돻',
  '��' => '돽',
  '��' => '돾',
  '��' => '돿',
  '��' => '됀',
  '��' => '됁',
  '��' => '됂',
  '��' => '됃',
  '��' => '됄',
  '��' => '됅',
  '��' => '됆',
  '��' => '됇',
  '��' => '됈',
  '��' => '됉',
  '��' => '됊',
  '��' => '됋',
  '��' => '됌',
  '��' => '됍',
  '��' => '됎',
  '��' => '됏',
  '��' => '됑',
  '��' => '됒',
  '��' => '됓',
  '��' => '됔',
  '��' => '됕',
  '��' => '됖',
  '��' => '됗',
  '��' => '됙',
  '��' => '됚',
  '��' => '됛',
  '��' => '됝',
  '��' => '됞',
  '��' => '됟',
  '��' => '됡',
  '��' => '됢',
  '��' => '됣',
  '��' => '됤',
  '��' => '됥',
  '��' => '됦',
  '��' => '됧',
  '��' => '됪',
  '��' => '됬',
  '��' => '됭',
  '��' => '됮',
  '��' => '됯',
  '��' => '됰',
  '��' => '됱',
  '��' => '됲',
  '��' => '됳',
  '��' => '됵',
  '��' => '됶',
  '��' => '됷',
  '��' => '됸',
  '��' => '됹',
  '��' => '됺',
  '��' => '됻',
  '��' => '됼',
  '��' => '됽',
  '��' => '됾',
  '��' => '됿',
  '��' => '둀',
  '��' => '둁',
  '��' => '둂',
  '��' => '둃',
  '��' => '둄',
  '�A' => '둅',
  '�B' => '둆',
  '�C' => '둇',
  '�D' => '둈',
  '�E' => '둉',
  '�F' => '둊',
  '�G' => '둋',
  '�H' => '둌',
  '�I' => '둍',
  '�J' => '둎',
  '�K' => '둏',
  '�L' => '둒',
  '�M' => '둓',
  '�N' => '둕',
  '�O' => '둖',
  '�P' => '둗',
  '�Q' => '둙',
  '�R' => '둚',
  '�S' => '둛',
  '�T' => '둜',
  '�U' => '둝',
  '�V' => '둞',
  '�W' => '둟',
  '�X' => '둢',
  '�Y' => '둤',
  '�Z' => '둦',
  '�a' => '둧',
  '�b' => '둨',
  '�c' => '둩',
  '�d' => '둪',
  '�e' => '둫',
  '�f' => '둭',
  '�g' => '둮',
  '�h' => '둯',
  '�i' => '둰',
  '�j' => '둱',
  '�k' => '둲',
  '�l' => '둳',
  '�m' => '둴',
  '�n' => '둵',
  '�o' => '둶',
  '�p' => '둷',
  '�q' => '둸',
  '�r' => '둹',
  '�s' => '둺',
  '�t' => '둻',
  '�u' => '둼',
  '�v' => '둽',
  '�w' => '둾',
  '�x' => '둿',
  '�y' => '뒁',
  '�z' => '뒂',
  '��' => '뒃',
  '��' => '뒄',
  '��' => '뒅',
  '��' => '뒆',
  '��' => '뒇',
  '��' => '뒉',
  '��' => '뒊',
  '��' => '뒋',
  '��' => '뒌',
  '��' => '뒍',
  '��' => '뒎',
  '��' => '뒏',
  '��' => '뒐',
  '��' => '뒑',
  '��' => '뒒',
  '��' => '뒓',
  '��' => '뒔',
  '��' => '뒕',
  '��' => '뒖',
  '��' => '뒗',
  '��' => '뒘',
  '��' => '뒙',
  '��' => '뒚',
  '��' => '뒛',
  '��' => '뒜',
  '��' => '뒞',
  '��' => '뒟',
  '��' => '뒠',
  '��' => '뒡',
  '��' => '뒢',
  '��' => '뒣',
  '��' => '뒥',
  '��' => '뒦',
  '��' => '뒧',
  '��' => '뒩',
  '��' => '뒪',
  '��' => '뒫',
  '��' => '뒭',
  '��' => '뒮',
  '��' => '뒯',
  '��' => '뒰',
  '��' => '뒱',
  '��' => '뒲',
  '��' => '뒳',
  '��' => '뒴',
  '��' => '뒶',
  '��' => '뒸',
  '��' => '뒺',
  '��' => '뒻',
  '��' => '뒼',
  '��' => '뒽',
  '��' => '뒾',
  '��' => '뒿',
  '��' => '듁',
  '��' => '듂',
  '��' => '듃',
  '��' => '듅',
  '��' => '듆',
  '��' => '듇',
  '��' => '듉',
  '��' => '듊',
  '��' => '듋',
  '��' => '듌',
  '��' => '듍',
  '��' => '듎',
  '��' => '듏',
  '��' => '듑',
  '��' => '듒',
  '��' => '듓',
  '��' => '듔',
  '��' => '듖',
  '��' => '듗',
  '��' => '듘',
  '��' => '듙',
  '��' => '듚',
  '��' => '듛',
  '��' => '듞',
  '��' => '듟',
  '��' => '듡',
  '��' => '듢',
  '��' => '듥',
  '��' => '듧',
  '��' => '듨',
  '��' => '듩',
  '��' => '듪',
  '��' => '듫',
  '��' => '듮',
  '��' => '듰',
  '��' => '듲',
  '��' => '듳',
  '��' => '듴',
  '��' => '듵',
  '��' => '듶',
  '��' => '듷',
  '��' => '듹',
  '��' => '듺',
  '��' => '듻',
  '��' => '듼',
  '��' => '듽',
  '��' => '듾',
  '��' => '듿',
  '��' => '딀',
  '��' => '딁',
  '��' => '딂',
  '��' => '딃',
  '��' => '딄',
  '��' => '딅',
  '��' => '딆',
  '��' => '딇',
  '��' => '딈',
  '��' => '딉',
  '��' => '딊',
  '��' => '딋',
  '��' => '딌',
  '��' => '딍',
  '��' => '딎',
  '��' => '딏',
  '��' => '딐',
  '��' => '딑',
  '��' => '딒',
  '��' => '딓',
  '��' => '딖',
  '��' => '딗',
  '��' => '딙',
  '��' => '딚',
  '��' => '딝',
  '�A' => '딞',
  '�B' => '딟',
  '�C' => '딠',
  '�D' => '딡',
  '�E' => '딢',
  '�F' => '딣',
  '�G' => '딦',
  '�H' => '딫',
  '�I' => '딬',
  '�J' => '딭',
  '�K' => '딮',
  '�L' => '딯',
  '�M' => '딲',
  '�N' => '딳',
  '�O' => '딵',
  '�P' => '딶',
  '�Q' => '딷',
  '�R' => '딹',
  '�S' => '딺',
  '�T' => '딻',
  '�U' => '딼',
  '�V' => '딽',
  '�W' => '딾',
  '�X' => '딿',
  '�Y' => '땂',
  '�Z' => '땆',
  '�a' => '땇',
  '�b' => '땈',
  '�c' => '땉',
  '�d' => '땊',
  '�e' => '땎',
  '�f' => '땏',
  '�g' => '땑',
  '�h' => '땒',
  '�i' => '땓',
  '�j' => '땕',
  '�k' => '땖',
  '�l' => '땗',
  '�m' => '땘',
  '�n' => '땙',
  '�o' => '땚',
  '�p' => '땛',
  '�q' => '땞',
  '�r' => '땢',
  '�s' => '땣',
  '�t' => '땤',
  '�u' => '땥',
  '�v' => '땦',
  '�w' => '땧',
  '�x' => '땨',
  '�y' => '땩',
  '�z' => '땪',
  '��' => '땫',
  '��' => '땬',
  '��' => '땭',
  '��' => '땮',
  '��' => '땯',
  '��' => '땰',
  '��' => '땱',
  '��' => '땲',
  '��' => '땳',
  '��' => '땴',
  '��' => '땵',
  '��' => '땶',
  '��' => '땷',
  '��' => '땸',
  '��' => '땹',
  '��' => '땺',
  '��' => '땻',
  '��' => '땼',
  '��' => '땽',
  '��' => '땾',
  '��' => '땿',
  '��' => '떀',
  '��' => '떁',
  '��' => '떂',
  '��' => '떃',
  '��' => '떄',
  '��' => '떅',
  '��' => '떆',
  '��' => '떇',
  '��' => '떈',
  '��' => '떉',
  '��' => '떊',
  '��' => '떋',
  '��' => '떌',
  '��' => '떍',
  '��' => '떎',
  '��' => '떏',
  '��' => '떐',
  '��' => '떑',
  '��' => '떒',
  '��' => '떓',
  '��' => '떔',
  '��' => '떕',
  '��' => '떖',
  '��' => '떗',
  '��' => '떘',
  '��' => '떙',
  '��' => '떚',
  '��' => '떛',
  '��' => '떜',
  '��' => '떝',
  '��' => '떞',
  '��' => '떟',
  '��' => '떢',
  '��' => '떣',
  '��' => '떥',
  '��' => '떦',
  '��' => '떧',
  '��' => '떩',
  '��' => '떬',
  '��' => '떭',
  '��' => '떮',
  '��' => '떯',
  '��' => '떲',
  '��' => '떶',
  '��' => '떷',
  '��' => '떸',
  '��' => '떹',
  '��' => '떺',
  '��' => '떾',
  '��' => '떿',
  '��' => '뗁',
  '��' => '뗂',
  '��' => '뗃',
  '��' => '뗅',
  '��' => '뗆',
  '��' => '뗇',
  '��' => '뗈',
  '��' => '뗉',
  '��' => '뗊',
  '��' => '뗋',
  '��' => '뗎',
  '��' => '뗒',
  '��' => '뗓',
  '��' => '뗔',
  '��' => '뗕',
  '��' => '뗖',
  '��' => '뗗',
  '��' => '뗙',
  '��' => '뗚',
  '��' => '뗛',
  '��' => '뗜',
  '��' => '뗝',
  '��' => '뗞',
  '��' => '뗟',
  '��' => '뗠',
  '��' => '뗡',
  '��' => '뗢',
  '��' => '뗣',
  '��' => '뗤',
  '��' => '뗥',
  '��' => '뗦',
  '��' => '뗧',
  '��' => '뗨',
  '��' => '뗩',
  '��' => '뗪',
  '��' => '뗫',
  '��' => '뗭',
  '��' => '뗮',
  '��' => '뗯',
  '��' => '뗰',
  '��' => '뗱',
  '��' => '뗲',
  '��' => '뗳',
  '��' => '뗴',
  '��' => '뗵',
  '��' => '뗶',
  '��' => '뗷',
  '��' => '뗸',
  '��' => '뗹',
  '��' => '뗺',
  '��' => '뗻',
  '��' => '뗼',
  '��' => '뗽',
  '��' => '뗾',
  '��' => '뗿',
  '�A' => '똀',
  '�B' => '똁',
  '�C' => '똂',
  '�D' => '똃',
  '�E' => '똄',
  '�F' => '똅',
  '�G' => '똆',
  '�H' => '똇',
  '�I' => '똈',
  '�J' => '똉',
  '�K' => '똊',
  '�L' => '똋',
  '�M' => '똌',
  '�N' => '똍',
  '�O' => '똎',
  '�P' => '똏',
  '�Q' => '똒',
  '�R' => '똓',
  '�S' => '똕',
  '�T' => '똖',
  '�U' => '똗',
  '�V' => '똙',
  '�W' => '똚',
  '�X' => '똛',
  '�Y' => '똜',
  '�Z' => '똝',
  '�a' => '똞',
  '�b' => '똟',
  '�c' => '똠',
  '�d' => '똡',
  '�e' => '똢',
  '�f' => '똣',
  '�g' => '똤',
  '�h' => '똦',
  '�i' => '똧',
  '�j' => '똨',
  '�k' => '똩',
  '�l' => '똪',
  '�m' => '똫',
  '�n' => '똭',
  '�o' => '똮',
  '�p' => '똯',
  '�q' => '똰',
  '�r' => '똱',
  '�s' => '똲',
  '�t' => '똳',
  '�u' => '똵',
  '�v' => '똶',
  '�w' => '똷',
  '�x' => '똸',
  '�y' => '똹',
  '�z' => '똺',
  '��' => '똻',
  '��' => '똼',
  '��' => '똽',
  '��' => '똾',
  '��' => '똿',
  '��' => '뙀',
  '��' => '뙁',
  '��' => '뙂',
  '��' => '뙃',
  '��' => '뙄',
  '��' => '뙅',
  '��' => '뙆',
  '��' => '뙇',
  '��' => '뙉',
  '��' => '뙊',
  '��' => '뙋',
  '��' => '뙌',
  '��' => '뙍',
  '��' => '뙎',
  '��' => '뙏',
  '��' => '뙐',
  '��' => '뙑',
  '��' => '뙒',
  '��' => '뙓',
  '��' => '뙔',
  '��' => '뙕',
  '��' => '뙖',
  '��' => '뙗',
  '��' => '뙘',
  '��' => '뙙',
  '��' => '뙚',
  '��' => '뙛',
  '��' => '뙜',
  '��' => '뙝',
  '��' => '뙞',
  '��' => '뙟',
  '��' => '뙠',
  '��' => '뙡',
  '��' => '뙢',
  '��' => '뙣',
  '��' => '뙥',
  '��' => '뙦',
  '��' => '뙧',
  '��' => '뙩',
  '��' => '뙪',
  '��' => '뙫',
  '��' => '뙬',
  '��' => '뙭',
  '��' => '뙮',
  '��' => '뙯',
  '��' => '뙰',
  '��' => '뙱',
  '��' => '뙲',
  '��' => '뙳',
  '��' => '뙴',
  '��' => '뙵',
  '��' => '뙶',
  '��' => '뙷',
  '��' => '뙸',
  '��' => '뙹',
  '��' => '뙺',
  '��' => '뙻',
  '��' => '뙼',
  '��' => '뙽',
  '��' => '뙾',
  '��' => '뙿',
  '��' => '뚀',
  '��' => '뚁',
  '��' => '뚂',
  '��' => '뚃',
  '��' => '뚄',
  '��' => '뚅',
  '��' => '뚆',
  '��' => '뚇',
  '��' => '뚈',
  '��' => '뚉',
  '��' => '뚊',
  '��' => '뚋',
  '��' => '뚌',
  '��' => '뚍',
  '��' => '뚎',
  '��' => '뚏',
  '��' => '뚐',
  '��' => '뚑',
  '��' => '뚒',
  '��' => '뚓',
  '��' => '뚔',
  '��' => '뚕',
  '��' => '뚖',
  '��' => '뚗',
  '��' => '뚘',
  '��' => '뚙',
  '��' => '뚚',
  '��' => '뚛',
  '��' => '뚞',
  '��' => '뚟',
  '��' => '뚡',
  '��' => '뚢',
  '��' => '뚣',
  '��' => '뚥',
  '��' => '뚦',
  '��' => '뚧',
  '��' => '뚨',
  '��' => '뚩',
  '��' => '뚪',
  '��' => '뚭',
  '��' => '뚮',
  '��' => '뚯',
  '��' => '뚰',
  '��' => '뚲',
  '��' => '뚳',
  '��' => '뚴',
  '��' => '뚵',
  '��' => '뚶',
  '��' => '뚷',
  '��' => '뚸',
  '��' => '뚹',
  '��' => '뚺',
  '��' => '뚻',
  '��' => '뚼',
  '��' => '뚽',
  '��' => '뚾',
  '��' => '뚿',
  '��' => '뛀',
  '��' => '뛁',
  '��' => '뛂',
  '�A' => '뛃',
  '�B' => '뛄',
  '�C' => '뛅',
  '�D' => '뛆',
  '�E' => '뛇',
  '�F' => '뛈',
  '�G' => '뛉',
  '�H' => '뛊',
  '�I' => '뛋',
  '�J' => '뛌',
  '�K' => '뛍',
  '�L' => '뛎',
  '�M' => '뛏',
  '�N' => '뛐',
  '�O' => '뛑',
  '�P' => '뛒',
  '�Q' => '뛓',
  '�R' => '뛕',
  '�S' => '뛖',
  '�T' => '뛗',
  '�U' => '뛘',
  '�V' => '뛙',
  '�W' => '뛚',
  '�X' => '뛛',
  '�Y' => '뛜',
  '�Z' => '뛝',
  '�a' => '뛞',
  '�b' => '뛟',
  '�c' => '뛠',
  '�d' => '뛡',
  '�e' => '뛢',
  '�f' => '뛣',
  '�g' => '뛤',
  '�h' => '뛥',
  '�i' => '뛦',
  '�j' => '뛧',
  '�k' => '뛨',
  '�l' => '뛩',
  '�m' => '뛪',
  '�n' => '뛫',
  '�o' => '뛬',
  '�p' => '뛭',
  '�q' => '뛮',
  '�r' => '뛯',
  '�s' => '뛱',
  '�t' => '뛲',
  '�u' => '뛳',
  '�v' => '뛵',
  '�w' => '뛶',
  '�x' => '뛷',
  '�y' => '뛹',
  '�z' => '뛺',
  '��' => '뛻',
  '��' => '뛼',
  '��' => '뛽',
  '��' => '뛾',
  '��' => '뛿',
  '��' => '뜂',
  '��' => '뜃',
  '��' => '뜄',
  '��' => '뜆',
  '��' => '뜇',
  '��' => '뜈',
  '��' => '뜉',
  '��' => '뜊',
  '��' => '뜋',
  '��' => '뜌',
  '��' => '뜍',
  '��' => '뜎',
  '��' => '뜏',
  '��' => '뜐',
  '��' => '뜑',
  '��' => '뜒',
  '��' => '뜓',
  '��' => '뜔',
  '��' => '뜕',
  '��' => '뜖',
  '��' => '뜗',
  '��' => '뜘',
  '��' => '뜙',
  '��' => '뜚',
  '��' => '뜛',
  '��' => '뜜',
  '��' => '뜝',
  '��' => '뜞',
  '��' => '뜟',
  '��' => '뜠',
  '��' => '뜡',
  '��' => '뜢',
  '��' => '뜣',
  '��' => '뜤',
  '��' => '뜥',
  '��' => '뜦',
  '��' => '뜧',
  '��' => '뜪',
  '��' => '뜫',
  '��' => '뜭',
  '��' => '뜮',
  '��' => '뜱',
  '��' => '뜲',
  '��' => '뜳',
  '��' => '뜴',
  '��' => '뜵',
  '��' => '뜶',
  '��' => '뜷',
  '��' => '뜺',
  '��' => '뜼',
  '��' => '뜽',
  '��' => '뜾',
  '��' => '뜿',
  '��' => '띀',
  '��' => '띁',
  '��' => '띂',
  '��' => '띃',
  '��' => '띅',
  '��' => '띆',
  '��' => '띇',
  '��' => '띉',
  '��' => '띊',
  '��' => '띋',
  '��' => '띍',
  '��' => '띎',
  '��' => '띏',
  '��' => '띐',
  '��' => '띑',
  '��' => '띒',
  '��' => '띓',
  '��' => '띖',
  '��' => '띗',
  '��' => '띘',
  '��' => '띙',
  '��' => '띚',
  '��' => '띛',
  '��' => '띜',
  '��' => '띝',
  '��' => '띞',
  '��' => '띟',
  '��' => '띡',
  '��' => '띢',
  '��' => '띣',
  '��' => '띥',
  '��' => '띦',
  '��' => '띧',
  '��' => '띩',
  '��' => '띪',
  '��' => '띫',
  '��' => '띬',
  '��' => '띭',
  '��' => '띮',
  '��' => '띯',
  '��' => '띲',
  '��' => '띴',
  '��' => '띶',
  '��' => '띷',
  '��' => '띸',
  '��' => '띹',
  '��' => '띺',
  '��' => '띻',
  '��' => '띾',
  '��' => '띿',
  '��' => '랁',
  '��' => '랂',
  '��' => '랃',
  '��' => '랅',
  '��' => '랆',
  '��' => '랇',
  '��' => '랈',
  '��' => '랉',
  '��' => '랊',
  '��' => '랋',
  '��' => '랎',
  '��' => '랓',
  '��' => '랔',
  '��' => '랕',
  '��' => '랚',
  '��' => '랛',
  '��' => '랝',
  '��' => '랞',
  '�A' => '랟',
  '�B' => '랡',
  '�C' => '랢',
  '�D' => '랣',
  '�E' => '랤',
  '�F' => '랥',
  '�G' => '랦',
  '�H' => '랧',
  '�I' => '랪',
  '�J' => '랮',
  '�K' => '랯',
  '�L' => '랰',
  '�M' => '랱',
  '�N' => '랲',
  '�O' => '랳',
  '�P' => '랶',
  '�Q' => '랷',
  '�R' => '랹',
  '�S' => '랺',
  '�T' => '랻',
  '�U' => '랼',
  '�V' => '랽',
  '�W' => '랾',
  '�X' => '랿',
  '�Y' => '럀',
  '�Z' => '럁',
  '�a' => '럂',
  '�b' => '럃',
  '�c' => '럄',
  '�d' => '럅',
  '�e' => '럆',
  '�f' => '럈',
  '�g' => '럊',
  '�h' => '럋',
  '�i' => '럌',
  '�j' => '럍',
  '�k' => '럎',
  '�l' => '럏',
  '�m' => '럐',
  '�n' => '럑',
  '�o' => '럒',
  '�p' => '럓',
  '�q' => '럔',
  '�r' => '럕',
  '�s' => '럖',
  '�t' => '럗',
  '�u' => '럘',
  '�v' => '럙',
  '�w' => '럚',
  '�x' => '럛',
  '�y' => '럜',
  '�z' => '럝',
  '��' => '럞',
  '��' => '럟',
  '��' => '럠',
  '��' => '럡',
  '��' => '럢',
  '��' => '럣',
  '��' => '럤',
  '��' => '럥',
  '��' => '럦',
  '��' => '럧',
  '��' => '럨',
  '��' => '럩',
  '��' => '럪',
  '��' => '럫',
  '��' => '럮',
  '��' => '럯',
  '��' => '럱',
  '��' => '럲',
  '��' => '럳',
  '��' => '럵',
  '��' => '럶',
  '��' => '럷',
  '��' => '럸',
  '��' => '럹',
  '��' => '럺',
  '��' => '럻',
  '��' => '럾',
  '��' => '렂',
  '��' => '렃',
  '��' => '렄',
  '��' => '렅',
  '��' => '렆',
  '��' => '렊',
  '��' => '렋',
  '��' => '렍',
  '��' => '렎',
  '��' => '렏',
  '��' => '렑',
  '��' => '렒',
  '��' => '렓',
  '��' => '렔',
  '��' => '렕',
  '��' => '렖',
  '��' => '렗',
  '��' => '렚',
  '��' => '렜',
  '��' => '렞',
  '��' => '렟',
  '��' => '렠',
  '��' => '렡',
  '��' => '렢',
  '��' => '렣',
  '��' => '렦',
  '��' => '렧',
  '��' => '렩',
  '��' => '렪',
  '��' => '렫',
  '��' => '렭',
  '��' => '렮',
  '��' => '렯',
  '��' => '렰',
  '��' => '렱',
  '��' => '렲',
  '��' => '렳',
  '��' => '렶',
  '��' => '렺',
  '��' => '렻',
  '��' => '렼',
  '��' => '렽',
  '��' => '렾',
  '��' => '렿',
  '��' => '롁',
  '��' => '롂',
  '��' => '롃',
  '��' => '롅',
  '��' => '롆',
  '��' => '롇',
  '��' => '롈',
  '��' => '롉',
  '��' => '롊',
  '��' => '롋',
  '��' => '롌',
  '��' => '롍',
  '��' => '롎',
  '��' => '롏',
  '��' => '롐',
  '��' => '롒',
  '��' => '롔',
  '��' => '롕',
  '��' => '롖',
  '��' => '롗',
  '��' => '롘',
  '��' => '롙',
  '��' => '롚',
  '��' => '롛',
  '��' => '롞',
  '��' => '롟',
  '��' => '롡',
  '��' => '롢',
  '��' => '롣',
  '��' => '롥',
  '��' => '롦',
  '��' => '롧',
  '��' => '롨',
  '��' => '롩',
  '��' => '롪',
  '��' => '롫',
  '��' => '롮',
  '��' => '롰',
  '��' => '롲',
  '��' => '롳',
  '��' => '롴',
  '��' => '롵',
  '��' => '롶',
  '��' => '롷',
  '��' => '롹',
  '��' => '롺',
  '��' => '롻',
  '��' => '롽',
  '��' => '롾',
  '��' => '롿',
  '��' => '뢀',
  '��' => '뢁',
  '��' => '뢂',
  '��' => '뢃',
  '��' => '뢄',
  '�A' => '뢅',
  '�B' => '뢆',
  '�C' => '뢇',
  '�D' => '뢈',
  '�E' => '뢉',
  '�F' => '뢊',
  '�G' => '뢋',
  '�H' => '뢌',
  '�I' => '뢎',
  '�J' => '뢏',
  '�K' => '뢐',
  '�L' => '뢑',
  '�M' => '뢒',
  '�N' => '뢓',
  '�O' => '뢔',
  '�P' => '뢕',
  '�Q' => '뢖',
  '�R' => '뢗',
  '�S' => '뢘',
  '�T' => '뢙',
  '�U' => '뢚',
  '�V' => '뢛',
  '�W' => '뢜',
  '�X' => '뢝',
  '�Y' => '뢞',
  '�Z' => '뢟',
  '�a' => '뢠',
  '�b' => '뢡',
  '�c' => '뢢',
  '�d' => '뢣',
  '�e' => '뢤',
  '�f' => '뢥',
  '�g' => '뢦',
  '�h' => '뢧',
  '�i' => '뢩',
  '�j' => '뢪',
  '�k' => '뢫',
  '�l' => '뢬',
  '�m' => '뢭',
  '�n' => '뢮',
  '�o' => '뢯',
  '�p' => '뢱',
  '�q' => '뢲',
  '�r' => '뢳',
  '�s' => '뢵',
  '�t' => '뢶',
  '�u' => '뢷',
  '�v' => '뢹',
  '�w' => '뢺',
  '�x' => '뢻',
  '�y' => '뢼',
  '�z' => '뢽',
  '��' => '뢾',
  '��' => '뢿',
  '��' => '룂',
  '��' => '룄',
  '��' => '룆',
  '��' => '룇',
  '��' => '룈',
  '��' => '룉',
  '��' => '룊',
  '��' => '룋',
  '��' => '룍',
  '��' => '룎',
  '��' => '룏',
  '��' => '룑',
  '��' => '룒',
  '��' => '룓',
  '��' => '룕',
  '��' => '룖',
  '��' => '룗',
  '��' => '룘',
  '��' => '룙',
  '��' => '룚',
  '��' => '룛',
  '��' => '룜',
  '��' => '룞',
  '��' => '룠',
  '��' => '룢',
  '��' => '룣',
  '��' => '룤',
  '��' => '룥',
  '��' => '룦',
  '��' => '룧',
  '��' => '룪',
  '��' => '룫',
  '��' => '룭',
  '��' => '룮',
  '��' => '룯',
  '��' => '룱',
  '��' => '룲',
  '��' => '룳',
  '��' => '룴',
  '��' => '룵',
  '��' => '룶',
  '��' => '룷',
  '��' => '룺',
  '��' => '룼',
  '��' => '룾',
  '��' => '룿',
  '��' => '뤀',
  '��' => '뤁',
  '��' => '뤂',
  '��' => '뤃',
  '��' => '뤅',
  '��' => '뤆',
  '��' => '뤇',
  '��' => '뤈',
  '��' => '뤉',
  '��' => '뤊',
  '��' => '뤋',
  '��' => '뤌',
  '��' => '뤍',
  '��' => '뤎',
  '��' => '뤏',
  '��' => '뤐',
  '��' => '뤑',
  '��' => '뤒',
  '��' => '뤓',
  '��' => '뤔',
  '��' => '뤕',
  '��' => '뤖',
  '��' => '뤗',
  '��' => '뤙',
  '��' => '뤚',
  '��' => '뤛',
  '��' => '뤜',
  '��' => '뤝',
  '��' => '뤞',
  '��' => '뤟',
  '��' => '뤡',
  '��' => '뤢',
  '��' => '뤣',
  '��' => '뤤',
  '��' => '뤥',
  '��' => '뤦',
  '��' => '뤧',
  '��' => '뤨',
  '��' => '뤩',
  '��' => '뤪',
  '��' => '뤫',
  '��' => '뤬',
  '��' => '뤭',
  '��' => '뤮',
  '��' => '뤯',
  '��' => '뤰',
  '��' => '뤱',
  '��' => '뤲',
  '��' => '뤳',
  '��' => '뤴',
  '��' => '뤵',
  '��' => '뤶',
  '��' => '뤷',
  '��' => '뤸',
  '��' => '뤹',
  '��' => '뤺',
  '��' => '뤻',
  '��' => '뤾',
  '��' => '뤿',
  '��' => '륁',
  '��' => '륂',
  '��' => '륃',
  '��' => '륅',
  '��' => '륆',
  '��' => '륇',
  '��' => '륈',
  '��' => '륉',
  '��' => '륊',
  '��' => '륋',
  '��' => '륍',
  '��' => '륎',
  '��' => '륐',
  '��' => '륒',
  '��' => '륓',
  '��' => '륔',
  '��' => '륕',
  '��' => '륖',
  '��' => '륗',
  '�A' => '륚',
  '�B' => '륛',
  '�C' => '륝',
  '�D' => '륞',
  '�E' => '륟',
  '�F' => '륡',
  '�G' => '륢',
  '�H' => '륣',
  '�I' => '륤',
  '�J' => '륥',
  '�K' => '륦',
  '�L' => '륧',
  '�M' => '륪',
  '�N' => '륬',
  '�O' => '륮',
  '�P' => '륯',
  '�Q' => '륰',
  '�R' => '륱',
  '�S' => '륲',
  '�T' => '륳',
  '�U' => '륶',
  '�V' => '륷',
  '�W' => '륹',
  '�X' => '륺',
  '�Y' => '륻',
  '�Z' => '륽',
  '�a' => '륾',
  '�b' => '륿',
  '�c' => '릀',
  '�d' => '릁',
  '�e' => '릂',
  '�f' => '릃',
  '�g' => '릆',
  '�h' => '릈',
  '�i' => '릋',
  '�j' => '릌',
  '�k' => '릏',
  '�l' => '릐',
  '�m' => '릑',
  '�n' => '릒',
  '�o' => '릓',
  '�p' => '릔',
  '�q' => '릕',
  '�r' => '릖',
  '�s' => '릗',
  '�t' => '릘',
  '�u' => '릙',
  '�v' => '릚',
  '�w' => '릛',
  '�x' => '릜',
  '�y' => '릝',
  '�z' => '릞',
  '��' => '릟',
  '��' => '릠',
  '��' => '릡',
  '��' => '릢',
  '��' => '릣',
  '��' => '릤',
  '��' => '릥',
  '��' => '릦',
  '��' => '릧',
  '��' => '릨',
  '��' => '릩',
  '��' => '릪',
  '��' => '릫',
  '��' => '릮',
  '��' => '릯',
  '��' => '릱',
  '��' => '릲',
  '��' => '릳',
  '��' => '릵',
  '��' => '릶',
  '��' => '릷',
  '��' => '릸',
  '��' => '릹',
  '��' => '릺',
  '��' => '릻',
  '��' => '릾',
  '��' => '맀',
  '��' => '맂',
  '��' => '맃',
  '��' => '맄',
  '��' => '맅',
  '��' => '맆',
  '��' => '맇',
  '��' => '맊',
  '��' => '맋',
  '��' => '맍',
  '��' => '맓',
  '��' => '맔',
  '��' => '맕',
  '��' => '맖',
  '��' => '맗',
  '��' => '맚',
  '��' => '맜',
  '��' => '맟',
  '��' => '맠',
  '��' => '맢',
  '��' => '맦',
  '��' => '맧',
  '��' => '맩',
  '��' => '맪',
  '��' => '맫',
  '��' => '맭',
  '��' => '맮',
  '��' => '맯',
  '��' => '맰',
  '��' => '맱',
  '��' => '맲',
  '��' => '맳',
  '��' => '맶',
  '��' => '맻',
  '��' => '맼',
  '��' => '맽',
  '��' => '맾',
  '��' => '맿',
  '��' => '먂',
  '��' => '먃',
  '��' => '먄',
  '��' => '먅',
  '��' => '먆',
  '��' => '먇',
  '��' => '먉',
  '��' => '먊',
  '��' => '먋',
  '��' => '먌',
  '��' => '먍',
  '��' => '먎',
  '��' => '먏',
  '��' => '먐',
  '��' => '먑',
  '��' => '먒',
  '��' => '먓',
  '��' => '먔',
  '��' => '먖',
  '��' => '먗',
  '��' => '먘',
  '��' => '먙',
  '��' => '먚',
  '��' => '먛',
  '��' => '먜',
  '��' => '먝',
  '��' => '먞',
  '��' => '먟',
  '��' => '먠',
  '��' => '먡',
  '��' => '먢',
  '��' => '먣',
  '��' => '먤',
  '��' => '먥',
  '��' => '먦',
  '��' => '먧',
  '��' => '먨',
  '��' => '먩',
  '��' => '먪',
  '��' => '먫',
  '��' => '먬',
  '��' => '먭',
  '��' => '먮',
  '��' => '먯',
  '��' => '먰',
  '��' => '먱',
  '��' => '먲',
  '��' => '먳',
  '��' => '먴',
  '��' => '먵',
  '��' => '먶',
  '��' => '먷',
  '��' => '먺',
  '��' => '먻',
  '��' => '먽',
  '��' => '먾',
  '��' => '먿',
  '��' => '멁',
  '��' => '멃',
  '��' => '멄',
  '��' => '멅',
  '��' => '멆',
  '�A' => '멇',
  '�B' => '멊',
  '�C' => '멌',
  '�D' => '멏',
  '�E' => '멐',
  '�F' => '멑',
  '�G' => '멒',
  '�H' => '멖',
  '�I' => '멗',
  '�J' => '멙',
  '�K' => '멚',
  '�L' => '멛',
  '�M' => '멝',
  '�N' => '멞',
  '�O' => '멟',
  '�P' => '멠',
  '�Q' => '멡',
  '�R' => '멢',
  '�S' => '멣',
  '�T' => '멦',
  '�U' => '멪',
  '�V' => '멫',
  '�W' => '멬',
  '�X' => '멭',
  '�Y' => '멮',
  '�Z' => '멯',
  '�a' => '멲',
  '�b' => '멳',
  '�c' => '멵',
  '�d' => '멶',
  '�e' => '멷',
  '�f' => '멹',
  '�g' => '멺',
  '�h' => '멻',
  '�i' => '멼',
  '�j' => '멽',
  '�k' => '멾',
  '�l' => '멿',
  '�m' => '몀',
  '�n' => '몁',
  '�o' => '몂',
  '�p' => '몆',
  '�q' => '몈',
  '�r' => '몉',
  '�s' => '몊',
  '�t' => '몋',
  '�u' => '몍',
  '�v' => '몎',
  '�w' => '몏',
  '�x' => '몐',
  '�y' => '몑',
  '�z' => '몒',
  '��' => '몓',
  '��' => '몔',
  '��' => '몕',
  '��' => '몖',
  '��' => '몗',
  '��' => '몘',
  '��' => '몙',
  '��' => '몚',
  '��' => '몛',
  '��' => '몜',
  '��' => '몝',
  '��' => '몞',
  '��' => '몟',
  '��' => '몠',
  '��' => '몡',
  '��' => '몢',
  '��' => '몣',
  '��' => '몤',
  '��' => '몥',
  '��' => '몦',
  '��' => '몧',
  '��' => '몪',
  '��' => '몭',
  '��' => '몮',
  '��' => '몯',
  '��' => '몱',
  '��' => '몳',
  '��' => '몴',
  '��' => '몵',
  '��' => '몶',
  '��' => '몷',
  '��' => '몺',
  '��' => '몼',
  '��' => '몾',
  '��' => '몿',
  '��' => '뫀',
  '��' => '뫁',
  '��' => '뫂',
  '��' => '뫃',
  '��' => '뫅',
  '��' => '뫆',
  '��' => '뫇',
  '��' => '뫉',
  '��' => '뫊',
  '��' => '뫋',
  '��' => '뫌',
  '��' => '뫍',
  '��' => '뫎',
  '��' => '뫏',
  '��' => '뫐',
  '��' => '뫑',
  '��' => '뫒',
  '��' => '뫓',
  '��' => '뫔',
  '��' => '뫕',
  '��' => '뫖',
  '��' => '뫗',
  '��' => '뫚',
  '��' => '뫛',
  '��' => '뫜',
  '��' => '뫝',
  '��' => '뫞',
  '��' => '뫟',
  '��' => '뫠',
  '��' => '뫡',
  '��' => '뫢',
  '��' => '뫣',
  '��' => '뫤',
  '��' => '뫥',
  '��' => '뫦',
  '��' => '뫧',
  '��' => '뫨',
  '��' => '뫩',
  '��' => '뫪',
  '��' => '뫫',
  '��' => '뫬',
  '��' => '뫭',
  '��' => '뫮',
  '��' => '뫯',
  '��' => '뫰',
  '��' => '뫱',
  '��' => '뫲',
  '��' => '뫳',
  '��' => '뫴',
  '��' => '뫵',
  '��' => '뫶',
  '��' => '뫷',
  '��' => '뫸',
  '��' => '뫹',
  '��' => '뫺',
  '��' => '뫻',
  '��' => '뫽',
  '��' => '뫾',
  '��' => '뫿',
  '��' => '묁',
  '��' => '묂',
  '��' => '묃',
  '��' => '묅',
  '��' => '묆',
  '��' => '묇',
  '��' => '묈',
  '��' => '묉',
  '��' => '묊',
  '��' => '묋',
  '��' => '묌',
  '��' => '묎',
  '��' => '묐',
  '��' => '묒',
  '��' => '묓',
  '��' => '묔',
  '��' => '묕',
  '��' => '묖',
  '��' => '묗',
  '��' => '묙',
  '��' => '묚',
  '��' => '묛',
  '��' => '묝',
  '��' => '묞',
  '��' => '묟',
  '��' => '묡',
  '��' => '묢',
  '��' => '묣',
  '��' => '묤',
  '��' => '묥',
  '��' => '묦',
  '��' => '묧',
  '�A' => '묨',
  '�B' => '묪',
  '�C' => '묬',
  '�D' => '묭',
  '�E' => '묮',
  '�F' => '묯',
  '�G' => '묰',
  '�H' => '묱',
  '�I' => '묲',
  '�J' => '묳',
  '�K' => '묷',
  '�L' => '묹',
  '�M' => '묺',
  '�N' => '묿',
  '�O' => '뭀',
  '�P' => '뭁',
  '�Q' => '뭂',
  '�R' => '뭃',
  '�S' => '뭆',
  '�T' => '뭈',
  '�U' => '뭊',
  '�V' => '뭋',
  '�W' => '뭌',
  '�X' => '뭎',
  '�Y' => '뭑',
  '�Z' => '뭒',
  '�a' => '뭓',
  '�b' => '뭕',
  '�c' => '뭖',
  '�d' => '뭗',
  '�e' => '뭙',
  '�f' => '뭚',
  '�g' => '뭛',
  '�h' => '뭜',
  '�i' => '뭝',
  '�j' => '뭞',
  '�k' => '뭟',
  '�l' => '뭠',
  '�m' => '뭢',
  '�n' => '뭤',
  '�o' => '뭥',
  '�p' => '뭦',
  '�q' => '뭧',
  '�r' => '뭨',
  '�s' => '뭩',
  '�t' => '뭪',
  '�u' => '뭫',
  '�v' => '뭭',
  '�w' => '뭮',
  '�x' => '뭯',
  '�y' => '뭰',
  '�z' => '뭱',
  '��' => '뭲',
  '��' => '뭳',
  '��' => '뭴',
  '��' => '뭵',
  '��' => '뭶',
  '��' => '뭷',
  '��' => '뭸',
  '��' => '뭹',
  '��' => '뭺',
  '��' => '뭻',
  '��' => '뭼',
  '��' => '뭽',
  '��' => '뭾',
  '��' => '뭿',
  '��' => '뮀',
  '��' => '뮁',
  '��' => '뮂',
  '��' => '뮃',
  '��' => '뮄',
  '��' => '뮅',
  '��' => '뮆',
  '��' => '뮇',
  '��' => '뮉',
  '��' => '뮊',
  '��' => '뮋',
  '��' => '뮍',
  '��' => '뮎',
  '��' => '뮏',
  '��' => '뮑',
  '��' => '뮒',
  '��' => '뮓',
  '��' => '뮔',
  '��' => '뮕',
  '��' => '뮖',
  '��' => '뮗',
  '��' => '뮘',
  '��' => '뮙',
  '��' => '뮚',
  '��' => '뮛',
  '��' => '뮜',
  '��' => '뮝',
  '��' => '뮞',
  '��' => '뮟',
  '��' => '뮠',
  '��' => '뮡',
  '��' => '뮢',
  '��' => '뮣',
  '��' => '뮥',
  '��' => '뮦',
  '��' => '뮧',
  '��' => '뮩',
  '��' => '뮪',
  '��' => '뮫',
  '��' => '뮭',
  '��' => '뮮',
  '��' => '뮯',
  '��' => '뮰',
  '��' => '뮱',
  '��' => '뮲',
  '��' => '뮳',
  '��' => '뮵',
  '��' => '뮶',
  '��' => '뮸',
  '��' => '뮹',
  '��' => '뮺',
  '��' => '뮻',
  '��' => '뮼',
  '��' => '뮽',
  '��' => '뮾',
  '��' => '뮿',
  '��' => '믁',
  '��' => '믂',
  '��' => '믃',
  '��' => '믅',
  '��' => '믆',
  '��' => '믇',
  '��' => '믉',
  '��' => '믊',
  '��' => '믋',
  '��' => '믌',
  '��' => '믍',
  '��' => '믎',
  '��' => '믏',
  '��' => '믑',
  '��' => '믒',
  '��' => '믔',
  '��' => '믕',
  '��' => '믖',
  '��' => '믗',
  '��' => '믘',
  '��' => '믙',
  '��' => '믚',
  '��' => '믛',
  '��' => '믜',
  '��' => '믝',
  '��' => '믞',
  '��' => '믟',
  '��' => '믠',
  '��' => '믡',
  '��' => '믢',
  '��' => '믣',
  '��' => '믤',
  '��' => '믥',
  '��' => '믦',
  '��' => '믧',
  '��' => '믨',
  '��' => '믩',
  '��' => '믪',
  '��' => '믫',
  '��' => '믬',
  '��' => '믭',
  '��' => '믮',
  '��' => '믯',
  '��' => '믰',
  '��' => '믱',
  '��' => '믲',
  '��' => '믳',
  '��' => '믴',
  '��' => '믵',
  '��' => '믶',
  '��' => '믷',
  '��' => '믺',
  '��' => '믻',
  '��' => '믽',
  '��' => '믾',
  '��' => '밁',
  '�A' => '밃',
  '�B' => '밄',
  '�C' => '밅',
  '�D' => '밆',
  '�E' => '밇',
  '�F' => '밊',
  '�G' => '밎',
  '�H' => '밐',
  '�I' => '밒',
  '�J' => '밓',
  '�K' => '밙',
  '�L' => '밚',
  '�M' => '밠',
  '�N' => '밡',
  '�O' => '밢',
  '�P' => '밣',
  '�Q' => '밦',
  '�R' => '밨',
  '�S' => '밪',
  '�T' => '밫',
  '�U' => '밬',
  '�V' => '밮',
  '�W' => '밯',
  '�X' => '밲',
  '�Y' => '밳',
  '�Z' => '밵',
  '�a' => '밶',
  '�b' => '밷',
  '�c' => '밹',
  '�d' => '밺',
  '�e' => '밻',
  '�f' => '밼',
  '�g' => '밽',
  '�h' => '밾',
  '�i' => '밿',
  '�j' => '뱂',
  '�k' => '뱆',
  '�l' => '뱇',
  '�m' => '뱈',
  '�n' => '뱊',
  '�o' => '뱋',
  '�p' => '뱎',
  '�q' => '뱏',
  '�r' => '뱑',
  '�s' => '뱒',
  '�t' => '뱓',
  '�u' => '뱔',
  '�v' => '뱕',
  '�w' => '뱖',
  '�x' => '뱗',
  '�y' => '뱘',
  '�z' => '뱙',
  '��' => '뱚',
  '��' => '뱛',
  '��' => '뱜',
  '��' => '뱞',
  '��' => '뱟',
  '��' => '뱠',
  '��' => '뱡',
  '��' => '뱢',
  '��' => '뱣',
  '��' => '뱤',
  '��' => '뱥',
  '��' => '뱦',
  '��' => '뱧',
  '��' => '뱨',
  '��' => '뱩',
  '��' => '뱪',
  '��' => '뱫',
  '��' => '뱬',
  '��' => '뱭',
  '��' => '뱮',
  '��' => '뱯',
  '��' => '뱰',
  '��' => '뱱',
  '��' => '뱲',
  '��' => '뱳',
  '��' => '뱴',
  '��' => '뱵',
  '��' => '뱶',
  '��' => '뱷',
  '��' => '뱸',
  '��' => '뱹',
  '��' => '뱺',
  '��' => '뱻',
  '��' => '뱼',
  '��' => '뱽',
  '��' => '뱾',
  '��' => '뱿',
  '��' => '벀',
  '��' => '벁',
  '��' => '벂',
  '��' => '벃',
  '��' => '벆',
  '��' => '벇',
  '��' => '벉',
  '��' => '벊',
  '��' => '벍',
  '��' => '벏',
  '��' => '벐',
  '��' => '벑',
  '��' => '벒',
  '��' => '벓',
  '��' => '벖',
  '��' => '벘',
  '��' => '벛',
  '��' => '벜',
  '��' => '벝',
  '��' => '벞',
  '��' => '벟',
  '��' => '벢',
  '��' => '벣',
  '��' => '벥',
  '��' => '벦',
  '��' => '벩',
  '��' => '벪',
  '��' => '벫',
  '��' => '벬',
  '��' => '벭',
  '��' => '벮',
  '��' => '벯',
  '��' => '벲',
  '��' => '벶',
  '��' => '벷',
  '��' => '벸',
  '��' => '벹',
  '��' => '벺',
  '��' => '벻',
  '��' => '벾',
  '��' => '벿',
  '��' => '볁',
  '��' => '볂',
  '��' => '볃',
  '��' => '볅',
  '��' => '볆',
  '��' => '볇',
  '��' => '볈',
  '��' => '볉',
  '��' => '볊',
  '��' => '볋',
  '��' => '볌',
  '��' => '볎',
  '��' => '볒',
  '��' => '볓',
  '��' => '볔',
  '��' => '볖',
  '��' => '볗',
  '��' => '볙',
  '��' => '볚',
  '��' => '볛',
  '��' => '볝',
  '��' => '볞',
  '��' => '볟',
  '��' => '볠',
  '��' => '볡',
  '��' => '볢',
  '��' => '볣',
  '��' => '볤',
  '��' => '볥',
  '��' => '볦',
  '��' => '볧',
  '��' => '볨',
  '��' => '볩',
  '��' => '볪',
  '��' => '볫',
  '��' => '볬',
  '��' => '볭',
  '��' => '볮',
  '��' => '볯',
  '��' => '볰',
  '��' => '볱',
  '��' => '볲',
  '��' => '볳',
  '��' => '볷',
  '��' => '볹',
  '��' => '볺',
  '��' => '볻',
  '��' => '볽',
  '�A' => '볾',
  '�B' => '볿',
  '�C' => '봀',
  '�D' => '봁',
  '�E' => '봂',
  '�F' => '봃',
  '�G' => '봆',
  '�H' => '봈',
  '�I' => '봊',
  '�J' => '봋',
  '�K' => '봌',
  '�L' => '봍',
  '�M' => '봎',
  '�N' => '봏',
  '�O' => '봑',
  '�P' => '봒',
  '�Q' => '봓',
  '�R' => '봕',
  '�S' => '봖',
  '�T' => '봗',
  '�U' => '봘',
  '�V' => '봙',
  '�W' => '봚',
  '�X' => '봛',
  '�Y' => '봜',
  '�Z' => '봝',
  '�a' => '봞',
  '�b' => '봟',
  '�c' => '봠',
  '�d' => '봡',
  '�e' => '봢',
  '�f' => '봣',
  '�g' => '봥',
  '�h' => '봦',
  '�i' => '봧',
  '�j' => '봨',
  '�k' => '봩',
  '�l' => '봪',
  '�m' => '봫',
  '�n' => '봭',
  '�o' => '봮',
  '�p' => '봯',
  '�q' => '봰',
  '�r' => '봱',
  '�s' => '봲',
  '�t' => '봳',
  '�u' => '봴',
  '�v' => '봵',
  '�w' => '봶',
  '�x' => '봷',
  '�y' => '봸',
  '�z' => '봹',
  '��' => '봺',
  '��' => '봻',
  '��' => '봼',
  '��' => '봽',
  '��' => '봾',
  '��' => '봿',
  '��' => '뵁',
  '��' => '뵂',
  '��' => '뵃',
  '��' => '뵄',
  '��' => '뵅',
  '��' => '뵆',
  '��' => '뵇',
  '��' => '뵊',
  '��' => '뵋',
  '��' => '뵍',
  '��' => '뵎',
  '��' => '뵏',
  '��' => '뵑',
  '��' => '뵒',
  '��' => '뵓',
  '��' => '뵔',
  '��' => '뵕',
  '��' => '뵖',
  '��' => '뵗',
  '��' => '뵚',
  '��' => '뵛',
  '��' => '뵜',
  '��' => '뵝',
  '��' => '뵞',
  '��' => '뵟',
  '��' => '뵠',
  '��' => '뵡',
  '��' => '뵢',
  '��' => '뵣',
  '��' => '뵥',
  '��' => '뵦',
  '��' => '뵧',
  '��' => '뵩',
  '��' => '뵪',
  '��' => '뵫',
  '��' => '뵬',
  '��' => '뵭',
  '��' => '뵮',
  '��' => '뵯',
  '��' => '뵰',
  '��' => '뵱',
  '��' => '뵲',
  '��' => '뵳',
  '��' => '뵴',
  '��' => '뵵',
  '��' => '뵶',
  '��' => '뵷',
  '��' => '뵸',
  '��' => '뵹',
  '��' => '뵺',
  '��' => '뵻',
  '��' => '뵼',
  '��' => '뵽',
  '��' => '뵾',
  '��' => '뵿',
  '��' => '붂',
  '��' => '붃',
  '��' => '붅',
  '��' => '붆',
  '��' => '붋',
  '��' => '붌',
  '��' => '붍',
  '��' => '붎',
  '��' => '붏',
  '��' => '붒',
  '��' => '붔',
  '��' => '붖',
  '��' => '붗',
  '��' => '붘',
  '��' => '붛',
  '��' => '붝',
  '��' => '붞',
  '��' => '붟',
  '��' => '붠',
  '��' => '붡',
  '��' => '붢',
  '��' => '붣',
  '��' => '붥',
  '��' => '붦',
  '��' => '붧',
  '��' => '붨',
  '��' => '붩',
  '��' => '붪',
  '��' => '붫',
  '��' => '붬',
  '��' => '붭',
  '��' => '붮',
  '��' => '붯',
  '��' => '붱',
  '��' => '붲',
  '��' => '붳',
  '��' => '붴',
  '��' => '붵',
  '��' => '붶',
  '��' => '붷',
  '��' => '붹',
  '��' => '붺',
  '��' => '붻',
  '��' => '붼',
  '��' => '붽',
  '��' => '붾',
  '��' => '붿',
  '��' => '뷀',
  '��' => '뷁',
  '��' => '뷂',
  '��' => '뷃',
  '��' => '뷄',
  '��' => '뷅',
  '��' => '뷆',
  '��' => '뷇',
  '��' => '뷈',
  '��' => '뷉',
  '��' => '뷊',
  '��' => '뷋',
  '��' => '뷌',
  '��' => '뷍',
  '��' => '뷎',
  '��' => '뷏',
  '��' => '뷐',
  '��' => '뷑',
  '�A' => '뷒',
  '�B' => '뷓',
  '�C' => '뷖',
  '�D' => '뷗',
  '�E' => '뷙',
  '�F' => '뷚',
  '�G' => '뷛',
  '�H' => '뷝',
  '�I' => '뷞',
  '�J' => '뷟',
  '�K' => '뷠',
  '�L' => '뷡',
  '�M' => '뷢',
  '�N' => '뷣',
  '�O' => '뷤',
  '�P' => '뷥',
  '�Q' => '뷦',
  '�R' => '뷧',
  '�S' => '뷨',
  '�T' => '뷪',
  '�U' => '뷫',
  '�V' => '뷬',
  '�W' => '뷭',
  '�X' => '뷮',
  '�Y' => '뷯',
  '�Z' => '뷱',
  '�a' => '뷲',
  '�b' => '뷳',
  '�c' => '뷵',
  '�d' => '뷶',
  '�e' => '뷷',
  '�f' => '뷹',
  '�g' => '뷺',
  '�h' => '뷻',
  '�i' => '뷼',
  '�j' => '뷽',
  '�k' => '뷾',
  '�l' => '뷿',
  '�m' => '븁',
  '�n' => '븂',
  '�o' => '븄',
  '�p' => '븆',
  '�q' => '븇',
  '�r' => '븈',
  '�s' => '븉',
  '�t' => '븊',
  '�u' => '븋',
  '�v' => '븎',
  '�w' => '븏',
  '�x' => '븑',
  '�y' => '븒',
  '�z' => '븓',
  '��' => '븕',
  '��' => '븖',
  '��' => '븗',
  '��' => '븘',
  '��' => '븙',
  '��' => '븚',
  '��' => '븛',
  '��' => '븞',
  '��' => '븠',
  '��' => '븡',
  '��' => '븢',
  '��' => '븣',
  '��' => '븤',
  '��' => '븥',
  '��' => '븦',
  '��' => '븧',
  '��' => '븨',
  '��' => '븩',
  '��' => '븪',
  '��' => '븫',
  '��' => '븬',
  '��' => '븭',
  '��' => '븮',
  '��' => '븯',
  '��' => '븰',
  '��' => '븱',
  '��' => '븲',
  '��' => '븳',
  '��' => '븴',
  '��' => '븵',
  '��' => '븶',
  '��' => '븷',
  '��' => '븸',
  '��' => '븹',
  '��' => '븺',
  '��' => '븻',
  '��' => '븼',
  '��' => '븽',
  '��' => '븾',
  '��' => '븿',
  '��' => '빀',
  '��' => '빁',
  '��' => '빂',
  '��' => '빃',
  '��' => '빆',
  '��' => '빇',
  '��' => '빉',
  '��' => '빊',
  '��' => '빋',
  '��' => '빍',
  '��' => '빏',
  '��' => '빐',
  '��' => '빑',
  '��' => '빒',
  '��' => '빓',
  '��' => '빖',
  '��' => '빘',
  '��' => '빜',
  '��' => '빝',
  '��' => '빞',
  '��' => '빟',
  '��' => '빢',
  '��' => '빣',
  '��' => '빥',
  '��' => '빦',
  '��' => '빧',
  '��' => '빩',
  '��' => '빫',
  '��' => '빬',
  '��' => '빭',
  '��' => '빮',
  '��' => '빯',
  '��' => '빲',
  '��' => '빶',
  '��' => '빷',
  '��' => '빸',
  '��' => '빹',
  '��' => '빺',
  '��' => '빾',
  '��' => '빿',
  '��' => '뺁',
  '��' => '뺂',
  '��' => '뺃',
  '��' => '뺅',
  '��' => '뺆',
  '��' => '뺇',
  '��' => '뺈',
  '��' => '뺉',
  '��' => '뺊',
  '��' => '뺋',
  '��' => '뺎',
  '��' => '뺒',
  '��' => '뺓',
  '��' => '뺔',
  '��' => '뺕',
  '��' => '뺖',
  '��' => '뺗',
  '��' => '뺚',
  '��' => '뺛',
  '��' => '뺜',
  '��' => '뺝',
  '��' => '뺞',
  '��' => '뺟',
  '��' => '뺠',
  '��' => '뺡',
  '��' => '뺢',
  '��' => '뺣',
  '��' => '뺤',
  '��' => '뺥',
  '��' => '뺦',
  '��' => '뺧',
  '��' => '뺩',
  '��' => '뺪',
  '��' => '뺫',
  '��' => '뺬',
  '��' => '뺭',
  '��' => '뺮',
  '��' => '뺯',
  '��' => '뺰',
  '��' => '뺱',
  '��' => '뺲',
  '��' => '뺳',
  '��' => '뺴',
  '��' => '뺵',
  '��' => '뺶',
  '��' => '뺷',
  '�A' => '뺸',
  '�B' => '뺹',
  '�C' => '뺺',
  '�D' => '뺻',
  '�E' => '뺼',
  '�F' => '뺽',
  '�G' => '뺾',
  '�H' => '뺿',
  '�I' => '뻀',
  '�J' => '뻁',
  '�K' => '뻂',
  '�L' => '뻃',
  '�M' => '뻄',
  '�N' => '뻅',
  '�O' => '뻆',
  '�P' => '뻇',
  '�Q' => '뻈',
  '�R' => '뻉',
  '�S' => '뻊',
  '�T' => '뻋',
  '�U' => '뻌',
  '�V' => '뻍',
  '�W' => '뻎',
  '�X' => '뻏',
  '�Y' => '뻒',
  '�Z' => '뻓',
  '�a' => '뻕',
  '�b' => '뻖',
  '�c' => '뻙',
  '�d' => '뻚',
  '�e' => '뻛',
  '�f' => '뻜',
  '�g' => '뻝',
  '�h' => '뻞',
  '�i' => '뻟',
  '�j' => '뻡',
  '�k' => '뻢',
  '�l' => '뻦',
  '�m' => '뻧',
  '�n' => '뻨',
  '�o' => '뻩',
  '�p' => '뻪',
  '�q' => '뻫',
  '�r' => '뻭',
  '�s' => '뻮',
  '�t' => '뻯',
  '�u' => '뻰',
  '�v' => '뻱',
  '�w' => '뻲',
  '�x' => '뻳',
  '�y' => '뻴',
  '�z' => '뻵',
  '��' => '뻶',
  '��' => '뻷',
  '��' => '뻸',
  '��' => '뻹',
  '��' => '뻺',
  '��' => '뻻',
  '��' => '뻼',
  '��' => '뻽',
  '��' => '뻾',
  '��' => '뻿',
  '��' => '뼀',
  '��' => '뼂',
  '��' => '뼃',
  '��' => '뼄',
  '��' => '뼅',
  '��' => '뼆',
  '��' => '뼇',
  '��' => '뼊',
  '��' => '뼋',
  '��' => '뼌',
  '��' => '뼍',
  '��' => '뼎',
  '��' => '뼏',
  '��' => '뼐',
  '��' => '뼑',
  '��' => '뼒',
  '��' => '뼓',
  '��' => '뼔',
  '��' => '뼕',
  '��' => '뼖',
  '��' => '뼗',
  '��' => '뼚',
  '��' => '뼞',
  '��' => '뼟',
  '��' => '뼠',
  '��' => '뼡',
  '��' => '뼢',
  '��' => '뼣',
  '��' => '뼤',
  '��' => '뼥',
  '��' => '뼦',
  '��' => '뼧',
  '��' => '뼨',
  '��' => '뼩',
  '��' => '뼪',
  '��' => '뼫',
  '��' => '뼬',
  '��' => '뼭',
  '��' => '뼮',
  '��' => '뼯',
  '��' => '뼰',
  '��' => '뼱',
  '��' => '뼲',
  '��' => '뼳',
  '��' => '뼴',
  '��' => '뼵',
  '��' => '뼶',
  '��' => '뼷',
  '��' => '뼸',
  '��' => '뼹',
  '��' => '뼺',
  '��' => '뼻',
  '��' => '뼼',
  '��' => '뼽',
  '��' => '뼾',
  '��' => '뼿',
  '��' => '뽂',
  '��' => '뽃',
  '��' => '뽅',
  '��' => '뽆',
  '��' => '뽇',
  '��' => '뽉',
  '��' => '뽊',
  '��' => '뽋',
  '��' => '뽌',
  '��' => '뽍',
  '��' => '뽎',
  '��' => '뽏',
  '��' => '뽒',
  '��' => '뽓',
  '��' => '뽔',
  '��' => '뽖',
  '��' => '뽗',
  '��' => '뽘',
  '��' => '뽙',
  '��' => '뽚',
  '��' => '뽛',
  '��' => '뽜',
  '��' => '뽝',
  '��' => '뽞',
  '��' => '뽟',
  '��' => '뽠',
  '��' => '뽡',
  '��' => '뽢',
  '��' => '뽣',
  '��' => '뽤',
  '��' => '뽥',
  '��' => '뽦',
  '��' => '뽧',
  '��' => '뽨',
  '��' => '뽩',
  '��' => '뽪',
  '��' => '뽫',
  '��' => '뽬',
  '��' => '뽭',
  '��' => '뽮',
  '��' => '뽯',
  '��' => '뽰',
  '��' => '뽱',
  '��' => '뽲',
  '��' => '뽳',
  '��' => '뽴',
  '��' => '뽵',
  '��' => '뽶',
  '��' => '뽷',
  '��' => '뽸',
  '��' => '뽹',
  '��' => '뽺',
  '��' => '뽻',
  '��' => '뽼',
  '��' => '뽽',
  '��' => '뽾',
  '��' => '뽿',
  '��' => '뾀',
  '��' => '뾁',
  '��' => '뾂',
  '�A' => '뾃',
  '�B' => '뾄',
  '�C' => '뾅',
  '�D' => '뾆',
  '�E' => '뾇',
  '�F' => '뾈',
  '�G' => '뾉',
  '�H' => '뾊',
  '�I' => '뾋',
  '�J' => '뾌',
  '�K' => '뾍',
  '�L' => '뾎',
  '�M' => '뾏',
  '�N' => '뾐',
  '�O' => '뾑',
  '�P' => '뾒',
  '�Q' => '뾓',
  '�R' => '뾕',
  '�S' => '뾖',
  '�T' => '뾗',
  '�U' => '뾘',
  '�V' => '뾙',
  '�W' => '뾚',
  '�X' => '뾛',
  '�Y' => '뾜',
  '�Z' => '뾝',
  '�a' => '뾞',
  '�b' => '뾟',
  '�c' => '뾠',
  '�d' => '뾡',
  '�e' => '뾢',
  '�f' => '뾣',
  '�g' => '뾤',
  '�h' => '뾥',
  '�i' => '뾦',
  '�j' => '뾧',
  '�k' => '뾨',
  '�l' => '뾩',
  '�m' => '뾪',
  '�n' => '뾫',
  '�o' => '뾬',
  '�p' => '뾭',
  '�q' => '뾮',
  '�r' => '뾯',
  '�s' => '뾱',
  '�t' => '뾲',
  '�u' => '뾳',
  '�v' => '뾴',
  '�w' => '뾵',
  '�x' => '뾶',
  '�y' => '뾷',
  '�z' => '뾸',
  '��' => '뾹',
  '��' => '뾺',
  '��' => '뾻',
  '��' => '뾼',
  '��' => '뾽',
  '��' => '뾾',
  '��' => '뾿',
  '��' => '뿀',
  '��' => '뿁',
  '��' => '뿂',
  '��' => '뿃',
  '��' => '뿄',
  '��' => '뿆',
  '��' => '뿇',
  '��' => '뿈',
  '��' => '뿉',
  '��' => '뿊',
  '��' => '뿋',
  '��' => '뿎',
  '��' => '뿏',
  '��' => '뿑',
  '��' => '뿒',
  '��' => '뿓',
  '��' => '뿕',
  '��' => '뿖',
  '��' => '뿗',
  '��' => '뿘',
  '��' => '뿙',
  '��' => '뿚',
  '��' => '뿛',
  '��' => '뿝',
  '��' => '뿞',
  '��' => '뿠',
  '��' => '뿢',
  '��' => '뿣',
  '��' => '뿤',
  '��' => '뿥',
  '��' => '뿦',
  '��' => '뿧',
  '��' => '뿨',
  '��' => '뿩',
  '��' => '뿪',
  '��' => '뿫',
  '��' => '뿬',
  '��' => '뿭',
  '��' => '뿮',
  '��' => '뿯',
  '��' => '뿰',
  '��' => '뿱',
  '��' => '뿲',
  '��' => '뿳',
  '��' => '뿴',
  '��' => '뿵',
  '��' => '뿶',
  '��' => '뿷',
  '��' => '뿸',
  '��' => '뿹',
  '��' => '뿺',
  '��' => '뿻',
  '��' => '뿼',
  '��' => '뿽',
  '��' => '뿾',
  '��' => '뿿',
  '��' => '쀀',
  '��' => '쀁',
  '��' => '쀂',
  '��' => '쀃',
  '��' => '쀄',
  '��' => '쀅',
  '��' => '쀆',
  '��' => '쀇',
  '��' => '쀈',
  '��' => '쀉',
  '��' => '쀊',
  '��' => '쀋',
  '��' => '쀌',
  '��' => '쀍',
  '��' => '쀎',
  '��' => '쀏',
  '��' => '쀐',
  '��' => '쀑',
  '��' => '쀒',
  '��' => '쀓',
  '��' => '쀔',
  '��' => '쀕',
  '��' => '쀖',
  '��' => '쀗',
  '��' => '쀘',
  '��' => '쀙',
  '��' => '쀚',
  '��' => '쀛',
  '��' => '쀜',
  '��' => '쀝',
  '��' => '쀞',
  '��' => '쀟',
  '��' => '쀠',
  '��' => '쀡',
  '��' => '쀢',
  '��' => '쀣',
  '��' => '쀤',
  '��' => '쀥',
  '��' => '쀦',
  '��' => '쀧',
  '��' => '쀨',
  '��' => '쀩',
  '��' => '쀪',
  '��' => '쀫',
  '��' => '쀬',
  '��' => '쀭',
  '��' => '쀮',
  '��' => '쀯',
  '��' => '쀰',
  '��' => '쀱',
  '��' => '쀲',
  '��' => '쀳',
  '��' => '쀴',
  '��' => '쀵',
  '��' => '쀶',
  '��' => '쀷',
  '��' => '쀸',
  '��' => '쀹',
  '��' => '쀺',
  '��' => '쀻',
  '��' => '쀽',
  '��' => '쀾',
  '��' => '쀿',
  '�A' => '쁀',
  '�B' => '쁁',
  '�C' => '쁂',
  '�D' => '쁃',
  '�E' => '쁄',
  '�F' => '쁅',
  '�G' => '쁆',
  '�H' => '쁇',
  '�I' => '쁈',
  '�J' => '쁉',
  '�K' => '쁊',
  '�L' => '쁋',
  '�M' => '쁌',
  '�N' => '쁍',
  '�O' => '쁎',
  '�P' => '쁏',
  '�Q' => '쁐',
  '�R' => '쁒',
  '�S' => '쁓',
  '�T' => '쁔',
  '�U' => '쁕',
  '�V' => '쁖',
  '�W' => '쁗',
  '�X' => '쁙',
  '�Y' => '쁚',
  '�Z' => '쁛',
  '�a' => '쁝',
  '�b' => '쁞',
  '�c' => '쁟',
  '�d' => '쁡',
  '�e' => '쁢',
  '�f' => '쁣',
  '�g' => '쁤',
  '�h' => '쁥',
  '�i' => '쁦',
  '�j' => '쁧',
  '�k' => '쁪',
  '�l' => '쁫',
  '�m' => '쁬',
  '�n' => '쁭',
  '�o' => '쁮',
  '�p' => '쁯',
  '�q' => '쁰',
  '�r' => '쁱',
  '�s' => '쁲',
  '�t' => '쁳',
  '�u' => '쁴',
  '�v' => '쁵',
  '�w' => '쁶',
  '�x' => '쁷',
  '�y' => '쁸',
  '�z' => '쁹',
  '��' => '쁺',
  '��' => '쁻',
  '��' => '쁼',
  '��' => '쁽',
  '��' => '쁾',
  '��' => '쁿',
  '��' => '삀',
  '��' => '삁',
  '��' => '삂',
  '��' => '삃',
  '��' => '삄',
  '��' => '삅',
  '��' => '삆',
  '��' => '삇',
  '��' => '삈',
  '��' => '삉',
  '��' => '삊',
  '��' => '삋',
  '��' => '삌',
  '��' => '삍',
  '��' => '삎',
  '��' => '삏',
  '��' => '삒',
  '��' => '삓',
  '��' => '삕',
  '��' => '삖',
  '��' => '삗',
  '��' => '삙',
  '��' => '삚',
  '��' => '삛',
  '��' => '삜',
  '��' => '삝',
  '��' => '삞',
  '��' => '삟',
  '��' => '삢',
  '��' => '삤',
  '��' => '삦',
  '��' => '삧',
  '��' => '삨',
  '��' => '삩',
  '��' => '삪',
  '��' => '삫',
  '��' => '삮',
  '��' => '삱',
  '��' => '삲',
  '��' => '삷',
  '��' => '삸',
  '��' => '삹',
  '��' => '삺',
  '��' => '삻',
  '��' => '삾',
  '��' => '샂',
  '��' => '샃',
  '��' => '샄',
  '��' => '샆',
  '��' => '샇',
  '��' => '샊',
  '��' => '샋',
  '��' => '샍',
  '��' => '샎',
  '��' => '샏',
  '��' => '샑',
  '��' => '샒',
  '��' => '샓',
  '��' => '샔',
  '��' => '샕',
  '��' => '샖',
  '��' => '샗',
  '��' => '샚',
  '��' => '샞',
  '��' => '샟',
  '��' => '샠',
  '��' => '샡',
  '��' => '샢',
  '��' => '샣',
  '��' => '샦',
  '��' => '샧',
  '��' => '샩',
  '��' => '샪',
  '��' => '샫',
  '��' => '샭',
  '��' => '샮',
  '��' => '샯',
  '��' => '샰',
  '��' => '샱',
  '��' => '샲',
  '��' => '샳',
  '��' => '샶',
  '��' => '샸',
  '��' => '샺',
  '��' => '샻',
  '��' => '샼',
  '��' => '샽',
  '��' => '샾',
  '��' => '샿',
  '��' => '섁',
  '��' => '섂',
  '��' => '섃',
  '��' => '섅',
  '��' => '섆',
  '��' => '섇',
  '��' => '섉',
  '��' => '섊',
  '��' => '섋',
  '��' => '섌',
  '��' => '섍',
  '��' => '섎',
  '��' => '섏',
  '��' => '섑',
  '��' => '섒',
  '��' => '섓',
  '��' => '섔',
  '��' => '섖',
  '��' => '섗',
  '��' => '섘',
  '��' => '섙',
  '��' => '섚',
  '��' => '섛',
  '��' => '섡',
  '��' => '섢',
  '��' => '섥',
  '��' => '섨',
  '��' => '섩',
  '��' => '섪',
  '��' => '섫',
  '��' => '섮',
  '�A' => '섲',
  '�B' => '섳',
  '�C' => '섴',
  '�D' => '섵',
  '�E' => '섷',
  '�F' => '섺',
  '�G' => '섻',
  '�H' => '섽',
  '�I' => '섾',
  '�J' => '섿',
  '�K' => '셁',
  '�L' => '셂',
  '�M' => '셃',
  '�N' => '셄',
  '�O' => '셅',
  '�P' => '셆',
  '�Q' => '셇',
  '�R' => '셊',
  '�S' => '셎',
  '�T' => '셏',
  '�U' => '셐',
  '�V' => '셑',
  '�W' => '셒',
  '�X' => '셓',
  '�Y' => '셖',
  '�Z' => '셗',
  '�a' => '셙',
  '�b' => '셚',
  '�c' => '셛',
  '�d' => '셝',
  '�e' => '셞',
  '�f' => '셟',
  '�g' => '셠',
  '�h' => '셡',
  '�i' => '셢',
  '�j' => '셣',
  '�k' => '셦',
  '�l' => '셪',
  '�m' => '셫',
  '�n' => '셬',
  '�o' => '셭',
  '�p' => '셮',
  '�q' => '셯',
  '�r' => '셱',
  '�s' => '셲',
  '�t' => '셳',
  '�u' => '셵',
  '�v' => '셶',
  '�w' => '셷',
  '�x' => '셹',
  '�y' => '셺',
  '�z' => '셻',
  '��' => '셼',
  '��' => '셽',
  '��' => '셾',
  '��' => '셿',
  '��' => '솀',
  '��' => '솁',
  '��' => '솂',
  '��' => '솃',
  '��' => '솄',
  '��' => '솆',
  '��' => '솇',
  '��' => '솈',
  '��' => '솉',
  '��' => '솊',
  '��' => '솋',
  '��' => '솏',
  '��' => '솑',
  '��' => '솒',
  '��' => '솓',
  '��' => '솕',
  '��' => '솗',
  '��' => '솘',
  '��' => '솙',
  '��' => '솚',
  '��' => '솛',
  '��' => '솞',
  '��' => '솠',
  '��' => '솢',
  '��' => '솣',
  '��' => '솤',
  '��' => '솦',
  '��' => '솧',
  '��' => '솪',
  '��' => '솫',
  '��' => '솭',
  '��' => '솮',
  '��' => '솯',
  '��' => '솱',
  '��' => '솲',
  '��' => '솳',
  '��' => '솴',
  '��' => '솵',
  '��' => '솶',
  '��' => '솷',
  '��' => '솸',
  '��' => '솹',
  '��' => '솺',
  '��' => '솻',
  '��' => '솼',
  '��' => '솾',
  '��' => '솿',
  '��' => '쇀',
  '��' => '쇁',
  '��' => '쇂',
  '��' => '쇃',
  '��' => '쇅',
  '��' => '쇆',
  '��' => '쇇',
  '��' => '쇉',
  '��' => '쇊',
  '��' => '쇋',
  '��' => '쇍',
  '��' => '쇎',
  '��' => '쇏',
  '��' => '쇐',
  '��' => '쇑',
  '��' => '쇒',
  '��' => '쇓',
  '��' => '쇕',
  '��' => '쇖',
  '��' => '쇙',
  '��' => '쇚',
  '��' => '쇛',
  '��' => '쇜',
  '��' => '쇝',
  '��' => '쇞',
  '��' => '쇟',
  '��' => '쇡',
  '��' => '쇢',
  '��' => '쇣',
  '��' => '쇥',
  '��' => '쇦',
  '��' => '쇧',
  '��' => '쇩',
  '��' => '쇪',
  '��' => '쇫',
  '��' => '쇬',
  '��' => '쇭',
  '��' => '쇮',
  '��' => '쇯',
  '��' => '쇲',
  '��' => '쇴',
  '��' => '쇵',
  '��' => '쇶',
  '��' => '쇷',
  '��' => '쇸',
  '��' => '쇹',
  '��' => '쇺',
  '��' => '쇻',
  '��' => '쇾',
  '��' => '쇿',
  '��' => '숁',
  '��' => '숂',
  '��' => '숃',
  '��' => '숅',
  '��' => '숆',
  '��' => '숇',
  '��' => '숈',
  '��' => '숉',
  '��' => '숊',
  '��' => '숋',
  '��' => '숎',
  '��' => '숐',
  '��' => '숒',
  '��' => '숓',
  '��' => '숔',
  '��' => '숕',
  '��' => '숖',
  '��' => '숗',
  '��' => '숚',
  '��' => '숛',
  '��' => '숝',
  '��' => '숞',
  '��' => '숡',
  '��' => '숢',
  '��' => '숣',
  '�A' => '숤',
  '�B' => '숥',
  '�C' => '숦',
  '�D' => '숧',
  '�E' => '숪',
  '�F' => '숬',
  '�G' => '숮',
  '�H' => '숰',
  '�I' => '숳',
  '�J' => '숵',
  '�K' => '숶',
  '�L' => '숷',
  '�M' => '숸',
  '�N' => '숹',
  '�O' => '숺',
  '�P' => '숻',
  '�Q' => '숼',
  '�R' => '숽',
  '�S' => '숾',
  '�T' => '숿',
  '�U' => '쉀',
  '�V' => '쉁',
  '�W' => '쉂',
  '�X' => '쉃',
  '�Y' => '쉄',
  '�Z' => '쉅',
  '�a' => '쉆',
  '�b' => '쉇',
  '�c' => '쉉',
  '�d' => '쉊',
  '�e' => '쉋',
  '�f' => '쉌',
  '�g' => '쉍',
  '�h' => '쉎',
  '�i' => '쉏',
  '�j' => '쉒',
  '�k' => '쉓',
  '�l' => '쉕',
  '�m' => '쉖',
  '�n' => '쉗',
  '�o' => '쉙',
  '�p' => '쉚',
  '�q' => '쉛',
  '�r' => '쉜',
  '�s' => '쉝',
  '�t' => '쉞',
  '�u' => '쉟',
  '�v' => '쉡',
  '�w' => '쉢',
  '�x' => '쉣',
  '�y' => '쉤',
  '�z' => '쉦',
  '��' => '쉧',
  '��' => '쉨',
  '��' => '쉩',
  '��' => '쉪',
  '��' => '쉫',
  '��' => '쉮',
  '��' => '쉯',
  '��' => '쉱',
  '��' => '쉲',
  '��' => '쉳',
  '��' => '쉵',
  '��' => '쉶',
  '��' => '쉷',
  '��' => '쉸',
  '��' => '쉹',
  '��' => '쉺',
  '��' => '쉻',
  '��' => '쉾',
  '��' => '슀',
  '��' => '슂',
  '��' => '슃',
  '��' => '슄',
  '��' => '슅',
  '��' => '슆',
  '��' => '슇',
  '��' => '슊',
  '��' => '슋',
  '��' => '슌',
  '��' => '슍',
  '��' => '슎',
  '��' => '슏',
  '��' => '슑',
  '��' => '슒',
  '��' => '슓',
  '��' => '슔',
  '��' => '슕',
  '��' => '슖',
  '��' => '슗',
  '��' => '슙',
  '��' => '슚',
  '��' => '슜',
  '��' => '슞',
  '��' => '슟',
  '��' => '슠',
  '��' => '슡',
  '��' => '슢',
  '��' => '슣',
  '��' => '슦',
  '��' => '슧',
  '��' => '슩',
  '��' => '슪',
  '��' => '슫',
  '��' => '슮',
  '��' => '슯',
  '��' => '슰',
  '��' => '슱',
  '��' => '슲',
  '��' => '슳',
  '��' => '슶',
  '��' => '슸',
  '��' => '슺',
  '��' => '슻',
  '��' => '슼',
  '��' => '슽',
  '��' => '슾',
  '��' => '슿',
  '��' => '싀',
  '��' => '싁',
  '��' => '싂',
  '��' => '싃',
  '��' => '싄',
  '��' => '싅',
  '��' => '싆',
  '��' => '싇',
  '��' => '싈',
  '��' => '싉',
  '��' => '싊',
  '��' => '싋',
  '��' => '싌',
  '��' => '싍',
  '��' => '싎',
  '��' => '싏',
  '��' => '싐',
  '��' => '싑',
  '��' => '싒',
  '��' => '싓',
  '��' => '싔',
  '��' => '싕',
  '��' => '싖',
  '��' => '싗',
  '��' => '싘',
  '��' => '싙',
  '��' => '싚',
  '��' => '싛',
  '��' => '싞',
  '��' => '싟',
  '��' => '싡',
  '��' => '싢',
  '��' => '싥',
  '��' => '싦',
  '��' => '싧',
  '��' => '싨',
  '��' => '싩',
  '��' => '싪',
  '��' => '싮',
  '��' => '싰',
  '��' => '싲',
  '��' => '싳',
  '��' => '싴',
  '��' => '싵',
  '��' => '싷',
  '��' => '싺',
  '��' => '싽',
  '��' => '싾',
  '��' => '싿',
  '��' => '쌁',
  '��' => '쌂',
  '��' => '쌃',
  '��' => '쌄',
  '��' => '쌅',
  '��' => '쌆',
  '��' => '쌇',
  '��' => '쌊',
  '��' => '쌋',
  '��' => '쌎',
  '��' => '쌏',
  '�A' => '쌐',
  '�B' => '쌑',
  '�C' => '쌒',
  '�D' => '쌖',
  '�E' => '쌗',
  '�F' => '쌙',
  '�G' => '쌚',
  '�H' => '쌛',
  '�I' => '쌝',
  '�J' => '쌞',
  '�K' => '쌟',
  '�L' => '쌠',
  '�M' => '쌡',
  '�N' => '쌢',
  '�O' => '쌣',
  '�P' => '쌦',
  '�Q' => '쌧',
  '�R' => '쌪',
  '�S' => '쌫',
  '�T' => '쌬',
  '�U' => '쌭',
  '�V' => '쌮',
  '�W' => '쌯',
  '�X' => '쌰',
  '�Y' => '쌱',
  '�Z' => '쌲',
  '�a' => '쌳',
  '�b' => '쌴',
  '�c' => '쌵',
  '�d' => '쌶',
  '�e' => '쌷',
  '�f' => '쌸',
  '�g' => '쌹',
  '�h' => '쌺',
  '�i' => '쌻',
  '�j' => '쌼',
  '�k' => '쌽',
  '�l' => '쌾',
  '�m' => '쌿',
  '�n' => '썀',
  '�o' => '썁',
  '�p' => '썂',
  '�q' => '썃',
  '�r' => '썄',
  '�s' => '썆',
  '�t' => '썇',
  '�u' => '썈',
  '�v' => '썉',
  '�w' => '썊',
  '�x' => '썋',
  '�y' => '썌',
  '�z' => '썍',
  '��' => '썎',
  '��' => '썏',
  '��' => '썐',
  '��' => '썑',
  '��' => '썒',
  '��' => '썓',
  '��' => '썔',
  '��' => '썕',
  '��' => '썖',
  '��' => '썗',
  '��' => '썘',
  '��' => '썙',
  '��' => '썚',
  '��' => '썛',
  '��' => '썜',
  '��' => '썝',
  '��' => '썞',
  '��' => '썟',
  '��' => '썠',
  '��' => '썡',
  '��' => '썢',
  '��' => '썣',
  '��' => '썤',
  '��' => '썥',
  '��' => '썦',
  '��' => '썧',
  '��' => '썪',
  '��' => '썫',
  '��' => '썭',
  '��' => '썮',
  '��' => '썯',
  '��' => '썱',
  '��' => '썳',
  '��' => '썴',
  '��' => '썵',
  '��' => '썶',
  '��' => '썷',
  '��' => '썺',
  '��' => '썻',
  '��' => '썾',
  '��' => '썿',
  '��' => '쎀',
  '��' => '쎁',
  '��' => '쎂',
  '��' => '쎃',
  '��' => '쎅',
  '��' => '쎆',
  '��' => '쎇',
  '��' => '쎉',
  '��' => '쎊',
  '��' => '쎋',
  '��' => '쎍',
  '��' => '쎎',
  '��' => '쎏',
  '��' => '쎐',
  '��' => '쎑',
  '��' => '쎒',
  '��' => '쎓',
  '��' => '쎔',
  '��' => '쎕',
  '��' => '쎖',
  '��' => '쎗',
  '��' => '쎘',
  '��' => '쎙',
  '��' => '쎚',
  '��' => '쎛',
  '��' => '쎜',
  '��' => '쎝',
  '��' => '쎞',
  '��' => '쎟',
  '��' => '쎠',
  '��' => '쎡',
  '��' => '쎢',
  '��' => '쎣',
  '��' => '쎤',
  '��' => '쎥',
  '��' => '쎦',
  '��' => '쎧',
  '��' => '쎨',
  '��' => '쎩',
  '��' => '쎪',
  '��' => '쎫',
  '��' => '쎬',
  '��' => '쎭',
  '��' => '쎮',
  '��' => '쎯',
  '��' => '쎰',
  '��' => '쎱',
  '��' => '쎲',
  '��' => '쎳',
  '��' => '쎴',
  '��' => '쎵',
  '��' => '쎶',
  '��' => '쎷',
  '��' => '쎸',
  '��' => '쎹',
  '��' => '쎺',
  '��' => '쎻',
  '��' => '쎼',
  '��' => '쎽',
  '��' => '쎾',
  '��' => '쎿',
  '��' => '쏁',
  '��' => '쏂',
  '��' => '쏃',
  '��' => '쏄',
  '��' => '쏅',
  '��' => '쏆',
  '��' => '쏇',
  '��' => '쏈',
  '��' => '쏉',
  '��' => '쏊',
  '��' => '쏋',
  '��' => '쏌',
  '��' => '쏍',
  '��' => '쏎',
  '��' => '쏏',
  '��' => '쏐',
  '��' => '쏑',
  '��' => '쏒',
  '��' => '쏓',
  '��' => '쏔',
  '��' => '쏕',
  '��' => '쏖',
  '��' => '쏗',
  '��' => '쏚',
  '�A' => '쏛',
  '�B' => '쏝',
  '�C' => '쏞',
  '�D' => '쏡',
  '�E' => '쏣',
  '�F' => '쏤',
  '�G' => '쏥',
  '�H' => '쏦',
  '�I' => '쏧',
  '�J' => '쏪',
  '�K' => '쏫',
  '�L' => '쏬',
  '�M' => '쏮',
  '�N' => '쏯',
  '�O' => '쏰',
  '�P' => '쏱',
  '�Q' => '쏲',
  '�R' => '쏳',
  '�S' => '쏶',
  '�T' => '쏷',
  '�U' => '쏹',
  '�V' => '쏺',
  '�W' => '쏻',
  '�X' => '쏼',
  '�Y' => '쏽',
  '�Z' => '쏾',
  '�a' => '쏿',
  '�b' => '쐀',
  '�c' => '쐁',
  '�d' => '쐂',
  '�e' => '쐃',
  '�f' => '쐄',
  '�g' => '쐅',
  '�h' => '쐆',
  '�i' => '쐇',
  '�j' => '쐉',
  '�k' => '쐊',
  '�l' => '쐋',
  '�m' => '쐌',
  '�n' => '쐍',
  '�o' => '쐎',
  '�p' => '쐏',
  '�q' => '쐑',
  '�r' => '쐒',
  '�s' => '쐓',
  '�t' => '쐔',
  '�u' => '쐕',
  '�v' => '쐖',
  '�w' => '쐗',
  '�x' => '쐘',
  '�y' => '쐙',
  '�z' => '쐚',
  '��' => '쐛',
  '��' => '쐜',
  '��' => '쐝',
  '��' => '쐞',
  '��' => '쐟',
  '��' => '쐠',
  '��' => '쐡',
  '��' => '쐢',
  '��' => '쐣',
  '��' => '쐥',
  '��' => '쐦',
  '��' => '쐧',
  '��' => '쐨',
  '��' => '쐩',
  '��' => '쐪',
  '��' => '쐫',
  '��' => '쐭',
  '��' => '쐮',
  '��' => '쐯',
  '��' => '쐱',
  '��' => '쐲',
  '��' => '쐳',
  '��' => '쐵',
  '��' => '쐶',
  '��' => '쐷',
  '��' => '쐸',
  '��' => '쐹',
  '��' => '쐺',
  '��' => '쐻',
  '��' => '쐾',
  '��' => '쐿',
  '��' => '쑀',
  '��' => '쑁',
  '��' => '쑂',
  '��' => '쑃',
  '��' => '쑄',
  '��' => '쑅',
  '��' => '쑆',
  '��' => '쑇',
  '��' => '쑉',
  '��' => '쑊',
  '��' => '쑋',
  '��' => '쑌',
  '��' => '쑍',
  '��' => '쑎',
  '��' => '쑏',
  '��' => '쑐',
  '��' => '쑑',
  '��' => '쑒',
  '��' => '쑓',
  '��' => '쑔',
  '��' => '쑕',
  '��' => '쑖',
  '��' => '쑗',
  '��' => '쑘',
  '��' => '쑙',
  '��' => '쑚',
  '��' => '쑛',
  '��' => '쑜',
  '��' => '쑝',
  '��' => '쑞',
  '��' => '쑟',
  '��' => '쑠',
  '��' => '쑡',
  '��' => '쑢',
  '��' => '쑣',
  '��' => '쑦',
  '��' => '쑧',
  '��' => '쑩',
  '��' => '쑪',
  '��' => '쑫',
  '��' => '쑭',
  '��' => '쑮',
  '��' => '쑯',
  '��' => '쑰',
  '��' => '쑱',
  '��' => '쑲',
  '��' => '쑳',
  '��' => '쑶',
  '��' => '쑷',
  '��' => '쑸',
  '��' => '쑺',
  '��' => '쑻',
  '��' => '쑼',
  '��' => '쑽',
  '��' => '쑾',
  '��' => '쑿',
  '��' => '쒁',
  '��' => '쒂',
  '��' => '쒃',
  '��' => '쒄',
  '��' => '쒅',
  '��' => '쒆',
  '��' => '쒇',
  '��' => '쒈',
  '��' => '쒉',
  '��' => '쒊',
  '��' => '쒋',
  '��' => '쒌',
  '��' => '쒍',
  '��' => '쒎',
  '��' => '쒏',
  '��' => '쒐',
  '��' => '쒑',
  '��' => '쒒',
  '��' => '쒓',
  '��' => '쒕',
  '��' => '쒖',
  '��' => '쒗',
  '��' => '쒘',
  '��' => '쒙',
  '��' => '쒚',
  '��' => '쒛',
  '��' => '쒝',
  '��' => '쒞',
  '��' => '쒟',
  '��' => '쒠',
  '��' => '쒡',
  '��' => '쒢',
  '��' => '쒣',
  '��' => '쒤',
  '��' => '쒥',
  '��' => '쒦',
  '��' => '쒧',
  '��' => '쒨',
  '��' => '쒩',
  '�A' => '쒪',
  '�B' => '쒫',
  '�C' => '쒬',
  '�D' => '쒭',
  '�E' => '쒮',
  '�F' => '쒯',
  '�G' => '쒰',
  '�H' => '쒱',
  '�I' => '쒲',
  '�J' => '쒳',
  '�K' => '쒴',
  '�L' => '쒵',
  '�M' => '쒶',
  '�N' => '쒷',
  '�O' => '쒹',
  '�P' => '쒺',
  '�Q' => '쒻',
  '�R' => '쒽',
  '�S' => '쒾',
  '�T' => '쒿',
  '�U' => '쓀',
  '�V' => '쓁',
  '�W' => '쓂',
  '�X' => '쓃',
  '�Y' => '쓄',
  '�Z' => '쓅',
  '�a' => '쓆',
  '�b' => '쓇',
  '�c' => '쓈',
  '�d' => '쓉',
  '�e' => '쓊',
  '�f' => '쓋',
  '�g' => '쓌',
  '�h' => '쓍',
  '�i' => '쓎',
  '�j' => '쓏',
  '�k' => '쓐',
  '�l' => '쓑',
  '�m' => '쓒',
  '�n' => '쓓',
  '�o' => '쓔',
  '�p' => '쓕',
  '�q' => '쓖',
  '�r' => '쓗',
  '�s' => '쓘',
  '�t' => '쓙',
  '�u' => '쓚',
  '�v' => '쓛',
  '�w' => '쓜',
  '�x' => '쓝',
  '�y' => '쓞',
  '�z' => '쓟',
  '��' => '쓠',
  '��' => '쓡',
  '��' => '쓢',
  '��' => '쓣',
  '��' => '쓤',
  '��' => '쓥',
  '��' => '쓦',
  '��' => '쓧',
  '��' => '쓨',
  '��' => '쓪',
  '��' => '쓫',
  '��' => '쓬',
  '��' => '쓭',
  '��' => '쓮',
  '��' => '쓯',
  '��' => '쓲',
  '��' => '쓳',
  '��' => '쓵',
  '��' => '쓶',
  '��' => '쓷',
  '��' => '쓹',
  '��' => '쓻',
  '��' => '쓼',
  '��' => '쓽',
  '��' => '쓾',
  '��' => '씂',
  '��' => '씃',
  '��' => '씄',
  '��' => '씅',
  '��' => '씆',
  '��' => '씇',
  '��' => '씈',
  '��' => '씉',
  '��' => '씊',
  '��' => '씋',
  '��' => '씍',
  '��' => '씎',
  '��' => '씏',
  '��' => '씑',
  '��' => '씒',
  '��' => '씓',
  '��' => '씕',
  '��' => '씖',
  '��' => '씗',
  '��' => '씘',
  '��' => '씙',
  '��' => '씚',
  '��' => '씛',
  '��' => '씝',
  '��' => '씞',
  '��' => '씟',
  '��' => '씠',
  '��' => '씡',
  '��' => '씢',
  '��' => '씣',
  '��' => '씤',
  '��' => '씥',
  '��' => '씦',
  '��' => '씧',
  '��' => '씪',
  '��' => '씫',
  '��' => '씭',
  '��' => '씮',
  '��' => '씯',
  '��' => '씱',
  '��' => '씲',
  '��' => '씳',
  '��' => '씴',
  '��' => '씵',
  '��' => '씶',
  '��' => '씷',
  '��' => '씺',
  '��' => '씼',
  '��' => '씾',
  '��' => '씿',
  '��' => '앀',
  '��' => '앁',
  '��' => '앂',
  '��' => '앃',
  '��' => '앆',
  '��' => '앇',
  '��' => '앋',
  '��' => '앏',
  '��' => '앐',
  '��' => '앑',
  '��' => '앒',
  '��' => '앖',
  '��' => '앚',
  '��' => '앛',
  '��' => '앜',
  '��' => '앟',
  '��' => '앢',
  '��' => '앣',
  '��' => '앥',
  '��' => '앦',
  '��' => '앧',
  '��' => '앩',
  '��' => '앪',
  '��' => '앫',
  '��' => '앬',
  '��' => '앭',
  '��' => '앮',
  '��' => '앯',
  '��' => '앲',
  '��' => '앶',
  '��' => '앷',
  '��' => '앸',
  '��' => '앹',
  '��' => '앺',
  '��' => '앻',
  '��' => '앾',
  '��' => '앿',
  '��' => '얁',
  '��' => '얂',
  '��' => '얃',
  '��' => '얅',
  '��' => '얆',
  '��' => '얈',
  '��' => '얉',
  '��' => '얊',
  '��' => '얋',
  '��' => '얎',
  '��' => '얐',
  '��' => '얒',
  '��' => '얓',
  '��' => '얔',
  '�A' => '얖',
  '�B' => '얙',
  '�C' => '얚',
  '�D' => '얛',
  '�E' => '얝',
  '�F' => '얞',
  '�G' => '얟',
  '�H' => '얡',
  '�I' => '얢',
  '�J' => '얣',
  '�K' => '얤',
  '�L' => '얥',
  '�M' => '얦',
  '�N' => '얧',
  '�O' => '얨',
  '�P' => '얪',
  '�Q' => '얫',
  '�R' => '얬',
  '�S' => '얭',
  '�T' => '얮',
  '�U' => '얯',
  '�V' => '얰',
  '�W' => '얱',
  '�X' => '얲',
  '�Y' => '얳',
  '�Z' => '얶',
  '�a' => '얷',
  '�b' => '얺',
  '�c' => '얿',
  '�d' => '엀',
  '�e' => '엁',
  '�f' => '엂',
  '�g' => '엃',
  '�h' => '엋',
  '�i' => '엍',
  '�j' => '엏',
  '�k' => '엒',
  '�l' => '엓',
  '�m' => '엕',
  '�n' => '엖',
  '�o' => '엗',
  '�p' => '엙',
  '�q' => '엚',
  '�r' => '엛',
  '�s' => '엜',
  '�t' => '엝',
  '�u' => '엞',
  '�v' => '엟',
  '�w' => '엢',
  '�x' => '엤',
  '�y' => '엦',
  '�z' => '엧',
  '��' => '엨',
  '��' => '엩',
  '��' => '엪',
  '��' => '엫',
  '��' => '엯',
  '��' => '엱',
  '��' => '엲',
  '��' => '엳',
  '��' => '엵',
  '��' => '엸',
  '��' => '엹',
  '��' => '엺',
  '��' => '엻',
  '��' => '옂',
  '��' => '옃',
  '��' => '옄',
  '��' => '옉',
  '��' => '옊',
  '��' => '옋',
  '��' => '옍',
  '��' => '옎',
  '��' => '옏',
  '��' => '옑',
  '��' => '옒',
  '��' => '옓',
  '��' => '옔',
  '��' => '옕',
  '��' => '옖',
  '��' => '옗',
  '��' => '옚',
  '��' => '옝',
  '��' => '옞',
  '��' => '옟',
  '��' => '옠',
  '��' => '옡',
  '��' => '옢',
  '��' => '옣',
  '��' => '옦',
  '��' => '옧',
  '��' => '옩',
  '��' => '옪',
  '��' => '옫',
  '��' => '옯',
  '��' => '옱',
  '��' => '옲',
  '��' => '옶',
  '��' => '옸',
  '��' => '옺',
  '��' => '옼',
  '��' => '옽',
  '��' => '옾',
  '��' => '옿',
  '��' => '왂',
  '��' => '왃',
  '��' => '왅',
  '��' => '왆',
  '��' => '왇',
  '��' => '왉',
  '��' => '왊',
  '��' => '왋',
  '��' => '왌',
  '��' => '왍',
  '��' => '왎',
  '��' => '왏',
  '��' => '왒',
  '��' => '왖',
  '��' => '왗',
  '��' => '왘',
  '��' => '왙',
  '��' => '왚',
  '��' => '왛',
  '��' => '왞',
  '��' => '왟',
  '��' => '왡',
  '��' => '왢',
  '��' => '왣',
  '��' => '왤',
  '��' => '왥',
  '��' => '왦',
  '��' => '왧',
  '��' => '왨',
  '��' => '왩',
  '��' => '왪',
  '��' => '왫',
  '��' => '왭',
  '��' => '왮',
  '��' => '왰',
  '��' => '왲',
  '��' => '왳',
  '��' => '왴',
  '��' => '왵',
  '��' => '왶',
  '��' => '왷',
  '��' => '왺',
  '��' => '왻',
  '��' => '왽',
  '��' => '왾',
  '��' => '왿',
  '��' => '욁',
  '��' => '욂',
  '��' => '욃',
  '��' => '욄',
  '��' => '욅',
  '��' => '욆',
  '��' => '욇',
  '��' => '욊',
  '��' => '욌',
  '��' => '욎',
  '��' => '욏',
  '��' => '욐',
  '��' => '욑',
  '��' => '욒',
  '��' => '욓',
  '��' => '욖',
  '��' => '욗',
  '��' => '욙',
  '��' => '욚',
  '��' => '욛',
  '��' => '욝',
  '��' => '욞',
  '��' => '욟',
  '��' => '욠',
  '��' => '욡',
  '��' => '욢',
  '��' => '욣',
  '��' => '욦',
  '�A' => '욨',
  '�B' => '욪',
  '�C' => '욫',
  '�D' => '욬',
  '�E' => '욭',
  '�F' => '욮',
  '�G' => '욯',
  '�H' => '욲',
  '�I' => '욳',
  '�J' => '욵',
  '�K' => '욶',
  '�L' => '욷',
  '�M' => '욻',
  '�N' => '욼',
  '�O' => '욽',
  '�P' => '욾',
  '�Q' => '욿',
  '�R' => '웂',
  '�S' => '웄',
  '�T' => '웆',
  '�U' => '웇',
  '�V' => '웈',
  '�W' => '웉',
  '�X' => '웊',
  '�Y' => '웋',
  '�Z' => '웎',
  '�a' => '웏',
  '�b' => '웑',
  '�c' => '웒',
  '�d' => '웓',
  '�e' => '웕',
  '�f' => '웖',
  '�g' => '웗',
  '�h' => '웘',
  '�i' => '웙',
  '�j' => '웚',
  '�k' => '웛',
  '�l' => '웞',
  '�m' => '웟',
  '�n' => '웢',
  '�o' => '웣',
  '�p' => '웤',
  '�q' => '웥',
  '�r' => '웦',
  '�s' => '웧',
  '�t' => '웪',
  '�u' => '웫',
  '�v' => '웭',
  '�w' => '웮',
  '�x' => '웯',
  '�y' => '웱',
  '�z' => '웲',
  '��' => '웳',
  '��' => '웴',
  '��' => '웵',
  '��' => '웶',
  '��' => '웷',
  '��' => '웺',
  '��' => '웻',
  '��' => '웼',
  '��' => '웾',
  '��' => '웿',
  '��' => '윀',
  '��' => '윁',
  '��' => '윂',
  '��' => '윃',
  '��' => '윆',
  '��' => '윇',
  '��' => '윉',
  '��' => '윊',
  '��' => '윋',
  '��' => '윍',
  '��' => '윎',
  '��' => '윏',
  '��' => '윐',
  '��' => '윑',
  '��' => '윒',
  '��' => '윓',
  '��' => '윖',
  '��' => '윘',
  '��' => '윚',
  '��' => '윛',
  '��' => '윜',
  '��' => '윝',
  '��' => '윞',
  '��' => '윟',
  '��' => '윢',
  '��' => '윣',
  '��' => '윥',
  '��' => '윦',
  '��' => '윧',
  '��' => '윩',
  '��' => '윪',
  '��' => '윫',
  '��' => '윬',
  '��' => '윭',
  '��' => '윮',
  '��' => '윯',
  '��' => '윲',
  '��' => '윴',
  '��' => '윶',
  '��' => '윸',
  '��' => '윹',
  '��' => '윺',
  '��' => '윻',
  '��' => '윾',
  '��' => '윿',
  '��' => '읁',
  '��' => '읂',
  '��' => '읃',
  '��' => '읅',
  '��' => '읆',
  '��' => '읇',
  '��' => '읈',
  '��' => '읉',
  '��' => '읋',
  '��' => '읎',
  '��' => '읐',
  '��' => '읙',
  '��' => '읚',
  '��' => '읛',
  '��' => '읝',
  '��' => '읞',
  '��' => '읟',
  '��' => '읡',
  '��' => '읢',
  '��' => '읣',
  '��' => '읤',
  '��' => '읥',
  '��' => '읦',
  '��' => '읧',
  '��' => '읩',
  '��' => '읪',
  '��' => '읬',
  '��' => '읭',
  '��' => '읮',
  '��' => '읯',
  '��' => '읰',
  '��' => '읱',
  '��' => '읲',
  '��' => '읳',
  '��' => '읶',
  '��' => '읷',
  '��' => '읹',
  '��' => '읺',
  '��' => '읻',
  '��' => '읿',
  '��' => '잀',
  '��' => '잁',
  '��' => '잂',
  '��' => '잆',
  '��' => '잋',
  '��' => '잌',
  '��' => '잍',
  '��' => '잏',
  '��' => '잒',
  '��' => '잓',
  '��' => '잕',
  '��' => '잙',
  '��' => '잛',
  '��' => '잜',
  '��' => '잝',
  '��' => '잞',
  '��' => '잟',
  '��' => '잢',
  '��' => '잧',
  '��' => '잨',
  '��' => '잩',
  '��' => '잪',
  '��' => '잫',
  '��' => '잮',
  '��' => '잯',
  '��' => '잱',
  '��' => '잲',
  '��' => '잳',
  '��' => '잵',
  '��' => '잶',
  '��' => '잷',
  '�A' => '잸',
  '�B' => '잹',
  '�C' => '잺',
  '�D' => '잻',
  '�E' => '잾',
  '�F' => '쟂',
  '�G' => '쟃',
  '�H' => '쟄',
  '�I' => '쟅',
  '�J' => '쟆',
  '�K' => '쟇',
  '�L' => '쟊',
  '�M' => '쟋',
  '�N' => '쟍',
  '�O' => '쟏',
  '�P' => '쟑',
  '�Q' => '쟒',
  '�R' => '쟓',
  '�S' => '쟔',
  '�T' => '쟕',
  '�U' => '쟖',
  '�V' => '쟗',
  '�W' => '쟙',
  '�X' => '쟚',
  '�Y' => '쟛',
  '�Z' => '쟜',
  '�a' => '쟞',
  '�b' => '쟟',
  '�c' => '쟠',
  '�d' => '쟡',
  '�e' => '쟢',
  '�f' => '쟣',
  '�g' => '쟥',
  '�h' => '쟦',
  '�i' => '쟧',
  '�j' => '쟩',
  '�k' => '쟪',
  '�l' => '쟫',
  '�m' => '쟭',
  '�n' => '쟮',
  '�o' => '쟯',
  '�p' => '쟰',
  '�q' => '쟱',
  '�r' => '쟲',
  '�s' => '쟳',
  '�t' => '쟴',
  '�u' => '쟵',
  '�v' => '쟶',
  '�w' => '쟷',
  '�x' => '쟸',
  '�y' => '쟹',
  '�z' => '쟺',
  '��' => '쟻',
  '��' => '쟼',
  '��' => '쟽',
  '��' => '쟾',
  '��' => '쟿',
  '��' => '젂',
  '��' => '젃',
  '��' => '젅',
  '��' => '젆',
  '��' => '젇',
  '��' => '젉',
  '��' => '젋',
  '��' => '젌',
  '��' => '젍',
  '��' => '젎',
  '��' => '젏',
  '��' => '젒',
  '��' => '젔',
  '��' => '젗',
  '��' => '젘',
  '��' => '젙',
  '��' => '젚',
  '��' => '젛',
  '��' => '젞',
  '��' => '젟',
  '��' => '젡',
  '��' => '젢',
  '��' => '젣',
  '��' => '젥',
  '��' => '젦',
  '��' => '젧',
  '��' => '젨',
  '��' => '젩',
  '��' => '젪',
  '��' => '젫',
  '��' => '젮',
  '��' => '젰',
  '��' => '젲',
  '��' => '젳',
  '��' => '젴',
  '��' => '젵',
  '��' => '젶',
  '��' => '젷',
  '��' => '젹',
  '��' => '젺',
  '��' => '젻',
  '��' => '젽',
  '��' => '젾',
  '��' => '젿',
  '��' => '졁',
  '��' => '졂',
  '��' => '졃',
  '��' => '졄',
  '��' => '졅',
  '��' => '졆',
  '��' => '졇',
  '��' => '졊',
  '��' => '졋',
  '��' => '졎',
  '��' => '졏',
  '��' => '졐',
  '��' => '졑',
  '��' => '졒',
  '��' => '졓',
  '��' => '졕',
  '��' => '졖',
  '��' => '졗',
  '��' => '졘',
  '��' => '졙',
  '��' => '졚',
  '��' => '졛',
  '��' => '졜',
  '��' => '졝',
  '��' => '졞',
  '��' => '졟',
  '��' => '졠',
  '��' => '졡',
  '��' => '졢',
  '��' => '졣',
  '��' => '졤',
  '��' => '졥',
  '��' => '졦',
  '��' => '졧',
  '��' => '졨',
  '��' => '졩',
  '��' => '졪',
  '��' => '졫',
  '��' => '졬',
  '��' => '졭',
  '��' => '졮',
  '��' => '졯',
  '��' => '졲',
  '��' => '졳',
  '��' => '졵',
  '��' => '졶',
  '��' => '졷',
  '��' => '졹',
  '��' => '졻',
  '��' => '졼',
  '��' => '졽',
  '��' => '졾',
  '��' => '졿',
  '��' => '좂',
  '��' => '좄',
  '��' => '좈',
  '��' => '좉',
  '��' => '좊',
  '��' => '좎',
  '��' => '좏',
  '��' => '좐',
  '��' => '좑',
  '��' => '좒',
  '��' => '좓',
  '��' => '좕',
  '��' => '좖',
  '��' => '좗',
  '��' => '좘',
  '��' => '좙',
  '��' => '좚',
  '��' => '좛',
  '��' => '좜',
  '��' => '좞',
  '��' => '좠',
  '��' => '좢',
  '��' => '좣',
  '��' => '좤',
  '�A' => '좥',
  '�B' => '좦',
  '�C' => '좧',
  '�D' => '좩',
  '�E' => '좪',
  '�F' => '좫',
  '�G' => '좬',
  '�H' => '좭',
  '�I' => '좮',
  '�J' => '좯',
  '�K' => '좰',
  '�L' => '좱',
  '�M' => '좲',
  '�N' => '좳',
  '�O' => '좴',
  '�P' => '좵',
  '�Q' => '좶',
  '�R' => '좷',
  '�S' => '좸',
  '�T' => '좹',
  '�U' => '좺',
  '�V' => '좻',
  '�W' => '좾',
  '�X' => '좿',
  '�Y' => '죀',
  '�Z' => '죁',
  '�a' => '죂',
  '�b' => '죃',
  '�c' => '죅',
  '�d' => '죆',
  '�e' => '죇',
  '�f' => '죉',
  '�g' => '죊',
  '�h' => '죋',
  '�i' => '죍',
  '�j' => '죎',
  '�k' => '죏',
  '�l' => '죐',
  '�m' => '죑',
  '�n' => '죒',
  '�o' => '죓',
  '�p' => '죖',
  '�q' => '죘',
  '�r' => '죚',
  '�s' => '죛',
  '�t' => '죜',
  '�u' => '죝',
  '�v' => '죞',
  '�w' => '죟',
  '�x' => '죢',
  '�y' => '죣',
  '�z' => '죥',
  '��' => '죦',
  '��' => '죧',
  '��' => '죨',
  '��' => '죩',
  '��' => '죪',
  '��' => '죫',
  '��' => '죬',
  '��' => '죭',
  '��' => '죮',
  '��' => '죯',
  '��' => '죰',
  '��' => '죱',
  '��' => '죲',
  '��' => '죳',
  '��' => '죴',
  '��' => '죶',
  '��' => '죷',
  '��' => '죸',
  '��' => '죹',
  '��' => '죺',
  '��' => '죻',
  '��' => '죾',
  '��' => '죿',
  '��' => '줁',
  '��' => '줂',
  '��' => '줃',
  '��' => '줇',
  '��' => '줈',
  '��' => '줉',
  '��' => '줊',
  '��' => '줋',
  '��' => '줎',
  '��' => ' ',
  '��' => '、',
  '��' => '。',
  '��' => '·',
  '��' => '‥',
  '��' => '…',
  '��' => '¨',
  '��' => '〃',
  '��' => '­',
  '��' => '―',
  '��' => '∥',
  '��' => '\',
  '��' => '∼',
  '��' => '‘',
  '��' => '’',
  '��' => '“',
  '��' => '”',
  '��' => '〔',
  '��' => '〕',
  '��' => '〈',
  '��' => '〉',
  '��' => '《',
  '��' => '》',
  '��' => '「',
  '��' => '」',
  '��' => '『',
  '��' => '』',
  '��' => '【',
  '��' => '】',
  '��' => '±',
  '��' => '×',
  '��' => '÷',
  '��' => '≠',
  '��' => '≤',
  '��' => '≥',
  '��' => '∞',
  '��' => '∴',
  '��' => '°',
  '��' => '′',
  '��' => '″',
  '��' => '℃',
  '��' => 'Å',
  '��' => '¢',
  '��' => '£',
  '��' => '¥',
  '��' => '♂',
  '��' => '♀',
  '��' => '∠',
  '��' => '⊥',
  '��' => '⌒',
  '��' => '∂',
  '��' => '∇',
  '��' => '≡',
  '��' => '≒',
  '��' => '§',
  '��' => '※',
  '��' => '☆',
  '��' => '★',
  '��' => '○',
  '��' => '●',
  '��' => '◎',
  '��' => '◇',
  '��' => '◆',
  '��' => '□',
  '��' => '■',
  '��' => '△',
  '��' => '▲',
  '��' => '▽',
  '��' => '▼',
  '��' => '→',
  '��' => '←',
  '��' => '↑',
  '��' => '↓',
  '��' => '↔',
  '��' => '〓',
  '��' => '≪',
  '��' => '≫',
  '��' => '√',
  '��' => '∽',
  '��' => '∝',
  '��' => '∵',
  '��' => '∫',
  '��' => '∬',
  '��' => '∈',
  '��' => '∋',
  '��' => '⊆',
  '��' => '⊇',
  '��' => '⊂',
  '��' => '⊃',
  '��' => '∪',
  '��' => '∩',
  '��' => '∧',
  '��' => '∨',
  '��' => '¬',
  '�A' => '줐',
  '�B' => '줒',
  '�C' => '줓',
  '�D' => '줔',
  '�E' => '줕',
  '�F' => '줖',
  '�G' => '줗',
  '�H' => '줙',
  '�I' => '줚',
  '�J' => '줛',
  '�K' => '줜',
  '�L' => '줝',
  '�M' => '줞',
  '�N' => '줟',
  '�O' => '줠',
  '�P' => '줡',
  '�Q' => '줢',
  '�R' => '줣',
  '�S' => '줤',
  '�T' => '줥',
  '�U' => '줦',
  '�V' => '줧',
  '�W' => '줨',
  '�X' => '줩',
  '�Y' => '줪',
  '�Z' => '줫',
  '�a' => '줭',
  '�b' => '줮',
  '�c' => '줯',
  '�d' => '줰',
  '�e' => '줱',
  '�f' => '줲',
  '�g' => '줳',
  '�h' => '줵',
  '�i' => '줶',
  '�j' => '줷',
  '�k' => '줸',
  '�l' => '줹',
  '�m' => '줺',
  '�n' => '줻',
  '�o' => '줼',
  '�p' => '줽',
  '�q' => '줾',
  '�r' => '줿',
  '�s' => '쥀',
  '�t' => '쥁',
  '�u' => '쥂',
  '�v' => '쥃',
  '�w' => '쥄',
  '�x' => '쥅',
  '�y' => '쥆',
  '�z' => '쥇',
  '��' => '쥈',
  '��' => '쥉',
  '��' => '쥊',
  '��' => '쥋',
  '��' => '쥌',
  '��' => '쥍',
  '��' => '쥎',
  '��' => '쥏',
  '��' => '쥒',
  '��' => '쥓',
  '��' => '쥕',
  '��' => '쥖',
  '��' => '쥗',
  '��' => '쥙',
  '��' => '쥚',
  '��' => '쥛',
  '��' => '쥜',
  '��' => '쥝',
  '��' => '쥞',
  '��' => '쥟',
  '��' => '쥢',
  '��' => '쥤',
  '��' => '쥥',
  '��' => '쥦',
  '��' => '쥧',
  '��' => '쥨',
  '��' => '쥩',
  '��' => '쥪',
  '��' => '쥫',
  '��' => '쥭',
  '��' => '쥮',
  '��' => '쥯',
  '��' => '⇒',
  '��' => '⇔',
  '��' => '∀',
  '��' => '∃',
  '��' => '´',
  '��' => '~',
  '��' => 'ˇ',
  '��' => '˘',
  '��' => '˝',
  '��' => '˚',
  '��' => '˙',
  '��' => '¸',
  '��' => '˛',
  '��' => '¡',
  '��' => '¿',
  '��' => 'ː',
  '��' => '∮',
  '��' => '∑',
  '��' => '∏',
  '��' => '¤',
  '��' => '℉',
  '��' => '‰',
  '��' => '◁',
  '��' => '◀',
  '��' => '▷',
  '��' => '▶',
  '��' => '♤',
  '��' => '♠',
  '��' => '♡',
  '��' => '♥',
  '��' => '♧',
  '��' => '♣',
  '��' => '⊙',
  '��' => '◈',
  '��' => '▣',
  '��' => '◐',
  '��' => '◑',
  '��' => '▒',
  '��' => '▤',
  '��' => '▥',
  '��' => '▨',
  '��' => '▧',
  '��' => '▦',
  '��' => '▩',
  '��' => '♨',
  '��' => '☏',
  '��' => '☎',
  '��' => '☜',
  '��' => '☞',
  '��' => '¶',
  '��' => '†',
  '��' => '‡',
  '��' => '↕',
  '��' => '↗',
  '��' => '↙',
  '��' => '↖',
  '��' => '↘',
  '��' => '♭',
  '��' => '♩',
  '��' => '♪',
  '��' => '♬',
  '��' => '㉿',
  '��' => '㈜',
  '��' => '№',
  '��' => '㏇',
  '��' => '™',
  '��' => '㏂',
  '��' => '㏘',
  '��' => '℡',
  '��' => '€',
  '��' => '®',
  '�A' => '쥱',
  '�B' => '쥲',
  '�C' => '쥳',
  '�D' => '쥵',
  '�E' => '쥶',
  '�F' => '쥷',
  '�G' => '쥸',
  '�H' => '쥹',
  '�I' => '쥺',
  '�J' => '쥻',
  '�K' => '쥽',
  '�L' => '쥾',
  '�M' => '쥿',
  '�N' => '즀',
  '�O' => '즁',
  '�P' => '즂',
  '�Q' => '즃',
  '�R' => '즄',
  '�S' => '즅',
  '�T' => '즆',
  '�U' => '즇',
  '�V' => '즊',
  '�W' => '즋',
  '�X' => '즍',
  '�Y' => '즎',
  '�Z' => '즏',
  '�a' => '즑',
  '�b' => '즒',
  '�c' => '즓',
  '�d' => '즔',
  '�e' => '즕',
  '�f' => '즖',
  '�g' => '즗',
  '�h' => '즚',
  '�i' => '즜',
  '�j' => '즞',
  '�k' => '즟',
  '�l' => '즠',
  '�m' => '즡',
  '�n' => '즢',
  '�o' => '즣',
  '�p' => '즤',
  '�q' => '즥',
  '�r' => '즦',
  '�s' => '즧',
  '�t' => '즨',
  '�u' => '즩',
  '�v' => '즪',
  '�w' => '즫',
  '�x' => '즬',
  '�y' => '즭',
  '�z' => '즮',
  '��' => '즯',
  '��' => '즰',
  '��' => '즱',
  '��' => '즲',
  '��' => '즳',
  '��' => '즴',
  '��' => '즵',
  '��' => '즶',
  '��' => '즷',
  '��' => '즸',
  '��' => '즹',
  '��' => '즺',
  '��' => '즻',
  '��' => '즼',
  '��' => '즽',
  '��' => '즾',
  '��' => '즿',
  '��' => '짂',
  '��' => '짃',
  '��' => '짅',
  '��' => '짆',
  '��' => '짉',
  '��' => '짋',
  '��' => '짌',
  '��' => '짍',
  '��' => '짎',
  '��' => '짏',
  '��' => '짒',
  '��' => '짔',
  '��' => '짗',
  '��' => '짘',
  '��' => '짛',
  '��' => '!',
  '��' => '"',
  '��' => '#',
  '��' => '$',
  '��' => '%',
  '��' => '&',
  '��' => ''',
  '��' => '(',
  '��' => ')',
  '��' => '*',
  '��' => '+',
  '��' => ',',
  '��' => '-',
  '��' => '.',
  '��' => '/',
  '��' => '0',
  '��' => '1',
  '��' => '2',
  '��' => '3',
  '��' => '4',
  '��' => '5',
  '��' => '6',
  '��' => '7',
  '��' => '8',
  '��' => '9',
  '��' => ':',
  '��' => ';',
  '��' => '<',
  '��' => '=',
  '��' => '>',
  '��' => '?',
  '��' => '@',
  '��' => 'A',
  '��' => 'B',
  '��' => 'C',
  '��' => 'D',
  '��' => 'E',
  '��' => 'F',
  '��' => 'G',
  '��' => 'H',
  '��' => 'I',
  '��' => 'J',
  '��' => 'K',
  '��' => 'L',
  '��' => 'M',
  '��' => 'N',
  '��' => 'O',
  '��' => 'P',
  '��' => 'Q',
  '��' => 'R',
  '��' => 'S',
  '��' => 'T',
  '��' => 'U',
  '��' => 'V',
  '��' => 'W',
  '��' => 'X',
  '��' => 'Y',
  '��' => 'Z',
  '��' => '[',
  '��' => '₩',
  '��' => ']',
  '��' => '^',
  '��' => '_',
  '��' => '`',
  '��' => 'a',
  '��' => 'b',
  '��' => 'c',
  '��' => 'd',
  '��' => 'e',
  '��' => 'f',
  '��' => 'g',
  '��' => 'h',
  '��' => 'i',
  '��' => 'j',
  '��' => 'k',
  '��' => 'l',
  '��' => 'm',
  '��' => 'n',
  '��' => 'o',
  '��' => 'p',
  '��' => 'q',
  '��' => 'r',
  '��' => 's',
  '��' => 't',
  '��' => 'u',
  '��' => 'v',
  '��' => 'w',
  '��' => 'x',
  '��' => 'y',
  '��' => 'z',
  '��' => '{',
  '��' => '|',
  '��' => '}',
  '��' => ' ̄',
  '�A' => '짞',
  '�B' => '짟',
  '�C' => '짡',
  '�D' => '짣',
  '�E' => '짥',
  '�F' => '짦',
  '�G' => '짨',
  '�H' => '짩',
  '�I' => '짪',
  '�J' => '짫',
  '�K' => '짮',
  '�L' => '짲',
  '�M' => '짳',
  '�N' => '짴',
  '�O' => '짵',
  '�P' => '짶',
  '�Q' => '짷',
  '�R' => '짺',
  '�S' => '짻',
  '�T' => '짽',
  '�U' => '짾',
  '�V' => '짿',
  '�W' => '쨁',
  '�X' => '쨂',
  '�Y' => '쨃',
  '�Z' => '쨄',
  '�a' => '쨅',
  '�b' => '쨆',
  '�c' => '쨇',
  '�d' => '쨊',
  '�e' => '쨎',
  '�f' => '쨏',
  '�g' => '쨐',
  '�h' => '쨑',
  '�i' => '쨒',
  '�j' => '쨓',
  '�k' => '쨕',
  '�l' => '쨖',
  '�m' => '쨗',
  '�n' => '쨙',
  '�o' => '쨚',
  '�p' => '쨛',
  '�q' => '쨜',
  '�r' => '쨝',
  '�s' => '쨞',
  '�t' => '쨟',
  '�u' => '쨠',
  '�v' => '쨡',
  '�w' => '쨢',
  '�x' => '쨣',
  '�y' => '쨤',
  '�z' => '쨥',
  '��' => '쨦',
  '��' => '쨧',
  '��' => '쨨',
  '��' => '쨪',
  '��' => '쨫',
  '��' => '쨬',
  '��' => '쨭',
  '��' => '쨮',
  '��' => '쨯',
  '��' => '쨰',
  '��' => '쨱',
  '��' => '쨲',
  '��' => '쨳',
  '��' => '쨴',
  '��' => '쨵',
  '��' => '쨶',
  '��' => '쨷',
  '��' => '쨸',
  '��' => '쨹',
  '��' => '쨺',
  '��' => '쨻',
  '��' => '쨼',
  '��' => '쨽',
  '��' => '쨾',
  '��' => '쨿',
  '��' => '쩀',
  '��' => '쩁',
  '��' => '쩂',
  '��' => '쩃',
  '��' => '쩄',
  '��' => '쩅',
  '��' => '쩆',
  '��' => 'ㄱ',
  '��' => 'ㄲ',
  '��' => 'ㄳ',
  '��' => 'ㄴ',
  '��' => 'ㄵ',
  '��' => 'ㄶ',
  '��' => 'ㄷ',
  '��' => 'ㄸ',
  '��' => 'ㄹ',
  '��' => 'ㄺ',
  '��' => 'ㄻ',
  '��' => 'ㄼ',
  '��' => 'ㄽ',
  '��' => 'ㄾ',
  '��' => 'ㄿ',
  '��' => 'ㅀ',
  '��' => 'ㅁ',
  '��' => 'ㅂ',
  '��' => 'ㅃ',
  '��' => 'ㅄ',
  '��' => 'ㅅ',
  '��' => 'ㅆ',
  '��' => 'ㅇ',
  '��' => 'ㅈ',
  '��' => 'ㅉ',
  '��' => 'ㅊ',
  '��' => 'ㅋ',
  '��' => 'ㅌ',
  '��' => 'ㅍ',
  '��' => 'ㅎ',
  '��' => 'ㅏ',
  '��' => 'ㅐ',
  '��' => 'ㅑ',
  '��' => 'ㅒ',
  '��' => 'ㅓ',
  '��' => 'ㅔ',
  '��' => 'ㅕ',
  '��' => 'ㅖ',
  '��' => 'ㅗ',
  '��' => 'ㅘ',
  '��' => 'ㅙ',
  '��' => 'ㅚ',
  '��' => 'ㅛ',
  '��' => 'ㅜ',
  '��' => 'ㅝ',
  '��' => 'ㅞ',
  '��' => 'ㅟ',
  '��' => 'ㅠ',
  '��' => 'ㅡ',
  '��' => 'ㅢ',
  '��' => 'ㅣ',
  '��' => 'ㅤ',
  '��' => 'ㅥ',
  '��' => 'ㅦ',
  '��' => 'ㅧ',
  '��' => 'ㅨ',
  '��' => 'ㅩ',
  '��' => 'ㅪ',
  '��' => 'ㅫ',
  '��' => 'ㅬ',
  '��' => 'ㅭ',
  '��' => 'ㅮ',
  '��' => 'ㅯ',
  '��' => 'ㅰ',
  '��' => 'ㅱ',
  '��' => 'ㅲ',
  '��' => 'ㅳ',
  '��' => 'ㅴ',
  '��' => 'ㅵ',
  '��' => 'ㅶ',
  '��' => 'ㅷ',
  '��' => 'ㅸ',
  '��' => 'ㅹ',
  '��' => 'ㅺ',
  '��' => 'ㅻ',
  '��' => 'ㅼ',
  '��' => 'ㅽ',
  '��' => 'ㅾ',
  '��' => 'ㅿ',
  '��' => 'ㆀ',
  '��' => 'ㆁ',
  '��' => 'ㆂ',
  '��' => 'ㆃ',
  '��' => 'ㆄ',
  '��' => 'ㆅ',
  '��' => 'ㆆ',
  '��' => 'ㆇ',
  '��' => 'ㆈ',
  '��' => 'ㆉ',
  '��' => 'ㆊ',
  '��' => 'ㆋ',
  '��' => 'ㆌ',
  '��' => 'ㆍ',
  '��' => 'ㆎ',
  '�A' => '쩇',
  '�B' => '쩈',
  '�C' => '쩉',
  '�D' => '쩊',
  '�E' => '쩋',
  '�F' => '쩎',
  '�G' => '쩏',
  '�H' => '쩑',
  '�I' => '쩒',
  '�J' => '쩓',
  '�K' => '쩕',
  '�L' => '쩖',
  '�M' => '쩗',
  '�N' => '쩘',
  '�O' => '쩙',
  '�P' => '쩚',
  '�Q' => '쩛',
  '�R' => '쩞',
  '�S' => '쩢',
  '�T' => '쩣',
  '�U' => '쩤',
  '�V' => '쩥',
  '�W' => '쩦',
  '�X' => '쩧',
  '�Y' => '쩩',
  '�Z' => '쩪',
  '�a' => '쩫',
  '�b' => '쩬',
  '�c' => '쩭',
  '�d' => '쩮',
  '�e' => '쩯',
  '�f' => '쩰',
  '�g' => '쩱',
  '�h' => '쩲',
  '�i' => '쩳',
  '�j' => '쩴',
  '�k' => '쩵',
  '�l' => '쩶',
  '�m' => '쩷',
  '�n' => '쩸',
  '�o' => '쩹',
  '�p' => '쩺',
  '�q' => '쩻',
  '�r' => '쩼',
  '�s' => '쩾',
  '�t' => '쩿',
  '�u' => '쪀',
  '�v' => '쪁',
  '�w' => '쪂',
  '�x' => '쪃',
  '�y' => '쪅',
  '�z' => '쪆',
  '��' => '쪇',
  '��' => '쪈',
  '��' => '쪉',
  '��' => '쪊',
  '��' => '쪋',
  '��' => '쪌',
  '��' => '쪍',
  '��' => '쪎',
  '��' => '쪏',
  '��' => '쪐',
  '��' => '쪑',
  '��' => '쪒',
  '��' => '쪓',
  '��' => '쪔',
  '��' => '쪕',
  '��' => '쪖',
  '��' => '쪗',
  '��' => '쪙',
  '��' => '쪚',
  '��' => '쪛',
  '��' => '쪜',
  '��' => '쪝',
  '��' => '쪞',
  '��' => '쪟',
  '��' => '쪠',
  '��' => '쪡',
  '��' => '쪢',
  '��' => '쪣',
  '��' => '쪤',
  '��' => '쪥',
  '��' => '쪦',
  '��' => '쪧',
  '��' => 'ⅰ',
  '��' => 'ⅱ',
  '��' => 'ⅲ',
  '��' => 'ⅳ',
  '��' => 'ⅴ',
  '��' => 'ⅵ',
  '��' => 'ⅶ',
  '��' => 'ⅷ',
  '��' => 'ⅸ',
  '��' => 'ⅹ',
  '��' => 'Ⅰ',
  '��' => 'Ⅱ',
  '��' => 'Ⅲ',
  '��' => 'Ⅳ',
  '��' => 'Ⅴ',
  '��' => 'Ⅵ',
  '��' => 'Ⅶ',
  '��' => 'Ⅷ',
  '��' => 'Ⅸ',
  '��' => 'Ⅹ',
  '��' => 'Α',
  '��' => 'Β',
  '��' => 'Γ',
  '��' => 'Δ',
  '��' => 'Ε',
  '��' => 'Ζ',
  '��' => 'Η',
  '��' => 'Θ',
  '��' => 'Ι',
  '��' => 'Κ',
  '��' => 'Λ',
  '��' => 'Μ',
  '��' => 'Ν',
  '��' => 'Ξ',
  '��' => 'Ο',
  '��' => 'Π',
  '��' => 'Ρ',
  '��' => 'Σ',
  '��' => 'Τ',
  '��' => 'Υ',
  '��' => 'Φ',
  '��' => 'Χ',
  '��' => 'Ψ',
  '��' => 'Ω',
  '��' => 'α',
  '��' => 'β',
  '��' => 'γ',
  '��' => 'δ',
  '��' => 'ε',
  '��' => 'ζ',
  '��' => 'η',
  '��' => 'θ',
  '��' => 'ι',
  '��' => 'κ',
  '��' => 'λ',
  '��' => 'μ',
  '��' => 'ν',
  '��' => 'ξ',
  '��' => 'ο',
  '��' => 'π',
  '��' => 'ρ',
  '��' => 'σ',
  '��' => 'τ',
  '��' => 'υ',
  '��' => 'φ',
  '��' => 'χ',
  '��' => 'ψ',
  '��' => 'ω',
  '�A' => '쪨',
  '�B' => '쪩',
  '�C' => '쪪',
  '�D' => '쪫',
  '�E' => '쪬',
  '�F' => '쪭',
  '�G' => '쪮',
  '�H' => '쪯',
  '�I' => '쪰',
  '�J' => '쪱',
  '�K' => '쪲',
  '�L' => '쪳',
  '�M' => '쪴',
  '�N' => '쪵',
  '�O' => '쪶',
  '�P' => '쪷',
  '�Q' => '쪸',
  '�R' => '쪹',
  '�S' => '쪺',
  '�T' => '쪻',
  '�U' => '쪾',
  '�V' => '쪿',
  '�W' => '쫁',
  '�X' => '쫂',
  '�Y' => '쫃',
  '�Z' => '쫅',
  '�a' => '쫆',
  '�b' => '쫇',
  '�c' => '쫈',
  '�d' => '쫉',
  '�e' => '쫊',
  '�f' => '쫋',
  '�g' => '쫎',
  '�h' => '쫐',
  '�i' => '쫒',
  '�j' => '쫔',
  '�k' => '쫕',
  '�l' => '쫖',
  '�m' => '쫗',
  '�n' => '쫚',
  '�o' => '쫛',
  '�p' => '쫜',
  '�q' => '쫝',
  '�r' => '쫞',
  '�s' => '쫟',
  '�t' => '쫡',
  '�u' => '쫢',
  '�v' => '쫣',
  '�w' => '쫤',
  '�x' => '쫥',
  '�y' => '쫦',
  '�z' => '쫧',
  '��' => '쫨',
  '��' => '쫩',
  '��' => '쫪',
  '��' => '쫫',
  '��' => '쫭',
  '��' => '쫮',
  '��' => '쫯',
  '��' => '쫰',
  '��' => '쫱',
  '��' => '쫲',
  '��' => '쫳',
  '��' => '쫵',
  '��' => '쫶',
  '��' => '쫷',
  '��' => '쫸',
  '��' => '쫹',
  '��' => '쫺',
  '��' => '쫻',
  '��' => '쫼',
  '��' => '쫽',
  '��' => '쫾',
  '��' => '쫿',
  '��' => '쬀',
  '��' => '쬁',
  '��' => '쬂',
  '��' => '쬃',
  '��' => '쬄',
  '��' => '쬅',
  '��' => '쬆',
  '��' => '쬇',
  '��' => '쬉',
  '��' => '쬊',
  '��' => '─',
  '��' => '│',
  '��' => '┌',
  '��' => '┐',
  '��' => '┘',
  '��' => '└',
  '��' => '├',
  '��' => '┬',
  '��' => '┤',
  '��' => '┴',
  '��' => '┼',
  '��' => '━',
  '��' => '┃',
  '��' => '┏',
  '��' => '┓',
  '��' => '┛',
  '��' => '┗',
  '��' => '┣',
  '��' => '┳',
  '��' => '┫',
  '��' => '┻',
  '��' => '╋',
  '��' => '┠',
  '��' => '┯',
  '��' => '┨',
  '��' => '┷',
  '��' => '┿',
  '��' => '┝',
  '��' => '┰',
  '��' => '┥',
  '��' => '┸',
  '��' => '╂',
  '��' => '┒',
  '��' => '┑',
  '��' => '┚',
  '��' => '┙',
  '��' => '┖',
  '��' => '┕',
  '��' => '┎',
  '��' => '┍',
  '��' => '┞',
  '��' => '┟',
  '��' => '┡',
  '��' => '┢',
  '��' => '┦',
  '��' => '┧',
  '��' => '┩',
  '��' => '┪',
  '��' => '┭',
  '��' => '┮',
  '��' => '┱',
  '��' => '┲',
  '��' => '┵',
  '��' => '┶',
  '��' => '┹',
  '��' => '┺',
  '��' => '┽',
  '��' => '┾',
  '��' => '╀',
  '��' => '╁',
  '��' => '╃',
  '��' => '╄',
  '��' => '╅',
  '��' => '╆',
  '��' => '╇',
  '��' => '╈',
  '��' => '╉',
  '��' => '╊',
  '�A' => '쬋',
  '�B' => '쬌',
  '�C' => '쬍',
  '�D' => '쬎',
  '�E' => '쬏',
  '�F' => '쬑',
  '�G' => '쬒',
  '�H' => '쬓',
  '�I' => '쬕',
  '�J' => '쬖',
  '�K' => '쬗',
  '�L' => '쬙',
  '�M' => '쬚',
  '�N' => '쬛',
  '�O' => '쬜',
  '�P' => '쬝',
  '�Q' => '쬞',
  '�R' => '쬟',
  '�S' => '쬢',
  '�T' => '쬣',
  '�U' => '쬤',
  '�V' => '쬥',
  '�W' => '쬦',
  '�X' => '쬧',
  '�Y' => '쬨',
  '�Z' => '쬩',
  '�a' => '쬪',
  '�b' => '쬫',
  '�c' => '쬬',
  '�d' => '쬭',
  '�e' => '쬮',
  '�f' => '쬯',
  '�g' => '쬰',
  '�h' => '쬱',
  '�i' => '쬲',
  '�j' => '쬳',
  '�k' => '쬴',
  '�l' => '쬵',
  '�m' => '쬶',
  '�n' => '쬷',
  '�o' => '쬸',
  '�p' => '쬹',
  '�q' => '쬺',
  '�r' => '쬻',
  '�s' => '쬼',
  '�t' => '쬽',
  '�u' => '쬾',
  '�v' => '쬿',
  '�w' => '쭀',
  '�x' => '쭂',
  '�y' => '쭃',
  '�z' => '쭄',
  '��' => '쭅',
  '��' => '쭆',
  '��' => '쭇',
  '��' => '쭊',
  '��' => '쭋',
  '��' => '쭍',
  '��' => '쭎',
  '��' => '쭏',
  '��' => '쭑',
  '��' => '쭒',
  '��' => '쭓',
  '��' => '쭔',
  '��' => '쭕',
  '��' => '쭖',
  '��' => '쭗',
  '��' => '쭚',
  '��' => '쭛',
  '��' => '쭜',
  '��' => '쭞',
  '��' => '쭟',
  '��' => '쭠',
  '��' => '쭡',
  '��' => '쭢',
  '��' => '쭣',
  '��' => '쭥',
  '��' => '쭦',
  '��' => '쭧',
  '��' => '쭨',
  '��' => '쭩',
  '��' => '쭪',
  '��' => '쭫',
  '��' => '쭬',
  '��' => '㎕',
  '��' => '㎖',
  '��' => '㎗',
  '��' => 'ℓ',
  '��' => '㎘',
  '��' => '㏄',
  '��' => '㎣',
  '��' => '㎤',
  '��' => '㎥',
  '��' => '㎦',
  '��' => '㎙',
  '��' => '㎚',
  '��' => '㎛',
  '��' => '㎜',
  '��' => '㎝',
  '��' => '㎞',
  '��' => '㎟',
  '��' => '㎠',
  '��' => '㎡',
  '��' => '㎢',
  '��' => '㏊',
  '��' => '㎍',
  '��' => '㎎',
  '��' => '㎏',
  '��' => '㏏',
  '��' => '㎈',
  '��' => '㎉',
  '��' => '㏈',
  '��' => '㎧',
  '��' => '㎨',
  '��' => '㎰',
  '��' => '㎱',
  '��' => '㎲',
  '��' => '㎳',
  '��' => '㎴',
  '��' => '㎵',
  '��' => '㎶',
  '��' => '㎷',
  '��' => '㎸',
  '��' => '㎹',
  '��' => '㎀',
  '��' => '㎁',
  '��' => '㎂',
  '��' => '㎃',
  '��' => '㎄',
  '��' => '㎺',
  '��' => '㎻',
  '��' => '㎼',
  '��' => '㎽',
  '��' => '㎾',
  '��' => '㎿',
  '��' => '㎐',
  '��' => '㎑',
  '��' => '㎒',
  '��' => '㎓',
  '��' => '㎔',
  '��' => 'Ω',
  '��' => '㏀',
  '��' => '㏁',
  '��' => '㎊',
  '��' => '㎋',
  '��' => '㎌',
  '��' => '㏖',
  '��' => '㏅',
  '��' => '㎭',
  '��' => '㎮',
  '��' => '㎯',
  '��' => '㏛',
  '��' => '㎩',
  '��' => '㎪',
  '��' => '㎫',
  '��' => '㎬',
  '��' => '㏝',
  '��' => '㏐',
  '��' => '㏓',
  '��' => '㏃',
  '��' => '㏉',
  '��' => '㏜',
  '��' => '㏆',
  '�A' => '쭭',
  '�B' => '쭮',
  '�C' => '쭯',
  '�D' => '쭰',
  '�E' => '쭱',
  '�F' => '쭲',
  '�G' => '쭳',
  '�H' => '쭴',
  '�I' => '쭵',
  '�J' => '쭶',
  '�K' => '쭷',
  '�L' => '쭺',
  '�M' => '쭻',
  '�N' => '쭼',
  '�O' => '쭽',
  '�P' => '쭾',
  '�Q' => '쭿',
  '�R' => '쮀',
  '�S' => '쮁',
  '�T' => '쮂',
  '�U' => '쮃',
  '�V' => '쮄',
  '�W' => '쮅',
  '�X' => '쮆',
  '�Y' => '쮇',
  '�Z' => '쮈',
  '�a' => '쮉',
  '�b' => '쮊',
  '�c' => '쮋',
  '�d' => '쮌',
  '�e' => '쮍',
  '�f' => '쮎',
  '�g' => '쮏',
  '�h' => '쮐',
  '�i' => '쮑',
  '�j' => '쮒',
  '�k' => '쮓',
  '�l' => '쮔',
  '�m' => '쮕',
  '�n' => '쮖',
  '�o' => '쮗',
  '�p' => '쮘',
  '�q' => '쮙',
  '�r' => '쮚',
  '�s' => '쮛',
  '�t' => '쮝',
  '�u' => '쮞',
  '�v' => '쮟',
  '�w' => '쮠',
  '�x' => '쮡',
  '�y' => '쮢',
  '�z' => '쮣',
  '��' => '쮤',
  '��' => '쮥',
  '��' => '쮦',
  '��' => '쮧',
  '��' => '쮨',
  '��' => '쮩',
  '��' => '쮪',
  '��' => '쮫',
  '��' => '쮬',
  '��' => '쮭',
  '��' => '쮮',
  '��' => '쮯',
  '��' => '쮰',
  '��' => '쮱',
  '��' => '쮲',
  '��' => '쮳',
  '��' => '쮴',
  '��' => '쮵',
  '��' => '쮶',
  '��' => '쮷',
  '��' => '쮹',
  '��' => '쮺',
  '��' => '쮻',
  '��' => '쮼',
  '��' => '쮽',
  '��' => '쮾',
  '��' => '쮿',
  '��' => '쯀',
  '��' => '쯁',
  '��' => '쯂',
  '��' => '쯃',
  '��' => '쯄',
  '��' => 'Æ',
  '��' => 'Ð',
  '��' => 'ª',
  '��' => 'Ħ',
  '��' => 'IJ',
  '��' => 'Ŀ',
  '��' => 'Ł',
  '��' => 'Ø',
  '��' => 'Œ',
  '��' => 'º',
  '��' => 'Þ',
  '��' => 'Ŧ',
  '��' => 'Ŋ',
  '��' => '㉠',
  '��' => '㉡',
  '��' => '㉢',
  '��' => '㉣',
  '��' => '㉤',
  '��' => '㉥',
  '��' => '㉦',
  '��' => '㉧',
  '��' => '㉨',
  '��' => '㉩',
  '��' => '㉪',
  '��' => '㉫',
  '��' => '㉬',
  '��' => '㉭',
  '��' => '㉮',
  '��' => '㉯',
  '��' => '㉰',
  '��' => '㉱',
  '��' => '㉲',
  '��' => '㉳',
  '��' => '㉴',
  '��' => '㉵',
  '��' => '㉶',
  '��' => '㉷',
  '��' => '㉸',
  '��' => '㉹',
  '��' => '㉺',
  '��' => '㉻',
  '��' => 'ⓐ',
  '��' => 'ⓑ',
  '��' => 'ⓒ',
  '��' => 'ⓓ',
  '��' => 'ⓔ',
  '��' => 'ⓕ',
  '��' => 'ⓖ',
  '��' => 'ⓗ',
  '��' => 'ⓘ',
  '��' => 'ⓙ',
  '��' => 'ⓚ',
  '��' => 'ⓛ',
  '��' => 'ⓜ',
  '��' => 'ⓝ',
  '��' => 'ⓞ',
  '��' => 'ⓟ',
  '��' => 'ⓠ',
  '��' => 'ⓡ',
  '��' => 'ⓢ',
  '��' => 'ⓣ',
  '��' => 'ⓤ',
  '��' => 'ⓥ',
  '��' => 'ⓦ',
  '��' => 'ⓧ',
  '��' => 'ⓨ',
  '��' => 'ⓩ',
  '��' => '①',
  '��' => '②',
  '��' => '③',
  '��' => '④',
  '��' => '⑤',
  '��' => '⑥',
  '��' => '⑦',
  '��' => '⑧',
  '��' => '⑨',
  '��' => '⑩',
  '��' => '⑪',
  '��' => '⑫',
  '��' => '⑬',
  '��' => '⑭',
  '��' => '⑮',
  '��' => '½',
  '��' => '⅓',
  '��' => '⅔',
  '��' => '¼',
  '��' => '¾',
  '��' => '⅛',
  '��' => '⅜',
  '��' => '⅝',
  '��' => '⅞',
  '�A' => '쯅',
  '�B' => '쯆',
  '�C' => '쯇',
  '�D' => '쯈',
  '�E' => '쯉',
  '�F' => '쯊',
  '�G' => '쯋',
  '�H' => '쯌',
  '�I' => '쯍',
  '�J' => '쯎',
  '�K' => '쯏',
  '�L' => '쯐',
  '�M' => '쯑',
  '�N' => '쯒',
  '�O' => '쯓',
  '�P' => '쯕',
  '�Q' => '쯖',
  '�R' => '쯗',
  '�S' => '쯘',
  '�T' => '쯙',
  '�U' => '쯚',
  '�V' => '쯛',
  '�W' => '쯜',
  '�X' => '쯝',
  '�Y' => '쯞',
  '�Z' => '쯟',
  '�a' => '쯠',
  '�b' => '쯡',
  '�c' => '쯢',
  '�d' => '쯣',
  '�e' => '쯥',
  '�f' => '쯦',
  '�g' => '쯨',
  '�h' => '쯪',
  '�i' => '쯫',
  '�j' => '쯬',
  '�k' => '쯭',
  '�l' => '쯮',
  '�m' => '쯯',
  '�n' => '쯰',
  '�o' => '쯱',
  '�p' => '쯲',
  '�q' => '쯳',
  '�r' => '쯴',
  '�s' => '쯵',
  '�t' => '쯶',
  '�u' => '쯷',
  '�v' => '쯸',
  '�w' => '쯹',
  '�x' => '쯺',
  '�y' => '쯻',
  '�z' => '쯼',
  '��' => '쯽',
  '��' => '쯾',
  '��' => '쯿',
  '��' => '찀',
  '��' => '찁',
  '��' => '찂',
  '��' => '찃',
  '��' => '찄',
  '��' => '찅',
  '��' => '찆',
  '��' => '찇',
  '��' => '찈',
  '��' => '찉',
  '��' => '찊',
  '��' => '찋',
  '��' => '찎',
  '��' => '찏',
  '��' => '찑',
  '��' => '찒',
  '��' => '찓',
  '��' => '찕',
  '��' => '찖',
  '��' => '찗',
  '��' => '찘',
  '��' => '찙',
  '��' => '찚',
  '��' => '찛',
  '��' => '찞',
  '��' => '찟',
  '��' => '찠',
  '��' => '찣',
  '��' => '찤',
  '��' => 'æ',
  '��' => 'đ',
  '��' => 'ð',
  '��' => 'ħ',
  '��' => 'ı',
  '��' => 'ij',
  '��' => 'ĸ',
  '��' => 'ŀ',
  '��' => 'ł',
  '��' => 'ø',
  '��' => 'œ',
  '��' => 'ß',
  '��' => 'þ',
  '��' => 'ŧ',
  '��' => 'ŋ',
  '��' => 'ʼn',
  '��' => '㈀',
  '��' => '㈁',
  '��' => '㈂',
  '��' => '㈃',
  '��' => '㈄',
  '��' => '㈅',
  '��' => '㈆',
  '��' => '㈇',
  '��' => '㈈',
  '��' => '㈉',
  '��' => '㈊',
  '��' => '㈋',
  '��' => '㈌',
  '��' => '㈍',
  '��' => '㈎',
  '��' => '㈏',
  '��' => '㈐',
  '��' => '㈑',
  '��' => '㈒',
  '��' => '㈓',
  '��' => '㈔',
  '��' => '㈕',
  '��' => '㈖',
  '��' => '㈗',
  '��' => '㈘',
  '��' => '㈙',
  '��' => '㈚',
  '��' => '㈛',
  '��' => '⒜',
  '��' => '⒝',
  '��' => '⒞',
  '��' => '⒟',
  '��' => '⒠',
  '��' => '⒡',
  '��' => '⒢',
  '��' => '⒣',
  '��' => '⒤',
  '��' => '⒥',
  '��' => '⒦',
  '��' => '⒧',
  '��' => '⒨',
  '��' => '⒩',
  '��' => '⒪',
  '��' => '⒫',
  '��' => '⒬',
  '��' => '⒭',
  '��' => '⒮',
  '��' => '⒯',
  '��' => '⒰',
  '��' => '⒱',
  '��' => '⒲',
  '��' => '⒳',
  '��' => '⒴',
  '��' => '⒵',
  '��' => '⑴',
  '��' => '⑵',
  '��' => '⑶',
  '��' => '⑷',
  '��' => '⑸',
  '��' => '⑹',
  '��' => '⑺',
  '��' => '⑻',
  '��' => '⑼',
  '��' => '⑽',
  '��' => '⑾',
  '��' => '⑿',
  '��' => '⒀',
  '��' => '⒁',
  '��' => '⒂',
  '��' => '¹',
  '��' => '²',
  '��' => '³',
  '��' => '⁴',
  '��' => 'ⁿ',
  '��' => '₁',
  '��' => '₂',
  '��' => '₃',
  '��' => '₄',
  '�A' => '찥',
  '�B' => '찦',
  '�C' => '찪',
  '�D' => '찫',
  '�E' => '찭',
  '�F' => '찯',
  '�G' => '찱',
  '�H' => '찲',
  '�I' => '찳',
  '�J' => '찴',
  '�K' => '찵',
  '�L' => '찶',
  '�M' => '찷',
  '�N' => '찺',
  '�O' => '찿',
  '�P' => '챀',
  '�Q' => '챁',
  '�R' => '챂',
  '�S' => '챃',
  '�T' => '챆',
  '�U' => '챇',
  '�V' => '챉',
  '�W' => '챊',
  '�X' => '챋',
  '�Y' => '챍',
  '�Z' => '챎',
  '�a' => '챏',
  '�b' => '챐',
  '�c' => '챑',
  '�d' => '챒',
  '�e' => '챓',
  '�f' => '챖',
  '�g' => '챚',
  '�h' => '챛',
  '�i' => '챜',
  '�j' => '챝',
  '�k' => '챞',
  '�l' => '챟',
  '�m' => '챡',
  '�n' => '챢',
  '�o' => '챣',
  '�p' => '챥',
  '�q' => '챧',
  '�r' => '챩',
  '�s' => '챪',
  '�t' => '챫',
  '�u' => '챬',
  '�v' => '챭',
  '�w' => '챮',
  '�x' => '챯',
  '�y' => '챱',
  '�z' => '챲',
  '��' => '챳',
  '��' => '챴',
  '��' => '챶',
  '��' => '챷',
  '��' => '챸',
  '��' => '챹',
  '��' => '챺',
  '��' => '챻',
  '��' => '챼',
  '��' => '챽',
  '��' => '챾',
  '��' => '챿',
  '��' => '첀',
  '��' => '첁',
  '��' => '첂',
  '��' => '첃',
  '��' => '첄',
  '��' => '첅',
  '��' => '첆',
  '��' => '첇',
  '��' => '첈',
  '��' => '첉',
  '��' => '첊',
  '��' => '첋',
  '��' => '첌',
  '��' => '첍',
  '��' => '첎',
  '��' => '첏',
  '��' => '첐',
  '��' => '첑',
  '��' => '첒',
  '��' => '첓',
  '��' => 'ぁ',
  '��' => 'あ',
  '��' => 'ぃ',
  '��' => 'い',
  '��' => 'ぅ',
  '��' => 'う',
  '��' => 'ぇ',
  '��' => 'え',
  '��' => 'ぉ',
  '��' => 'お',
  '��' => 'か',
  '��' => 'が',
  '��' => 'き',
  '��' => 'ぎ',
  '��' => 'く',
  '��' => 'ぐ',
  '��' => 'け',
  '��' => 'げ',
  '��' => 'こ',
  '��' => 'ご',
  '��' => 'さ',
  '��' => 'ざ',
  '��' => 'し',
  '��' => 'じ',
  '��' => 'す',
  '��' => 'ず',
  '��' => 'せ',
  '��' => 'ぜ',
  '��' => 'そ',
  '��' => 'ぞ',
  '��' => 'た',
  '��' => 'だ',
  '��' => 'ち',
  '��' => 'ぢ',
  '��' => 'っ',
  '��' => 'つ',
  '��' => 'づ',
  '��' => 'て',
  '��' => 'で',
  '��' => 'と',
  '��' => 'ど',
  '��' => 'な',
  '��' => 'に',
  '��' => 'ぬ',
  '��' => 'ね',
  '��' => 'の',
  '��' => 'は',
  '��' => 'ば',
  '��' => 'ぱ',
  '��' => 'ひ',
  '��' => 'び',
  '��' => 'ぴ',
  '��' => 'ふ',
  '��' => 'ぶ',
  '��' => 'ぷ',
  '��' => 'へ',
  '��' => 'べ',
  '��' => 'ぺ',
  '��' => 'ほ',
  '��' => 'ぼ',
  '��' => 'ぽ',
  '��' => 'ま',
  '��' => 'み',
  '��' => 'む',
  '��' => 'め',
  '��' => 'も',
  '��' => 'ゃ',
  '��' => 'や',
  '��' => 'ゅ',
  '��' => 'ゆ',
  '��' => 'ょ',
  '��' => 'よ',
  '��' => 'ら',
  '��' => 'り',
  '��' => 'る',
  '��' => 'れ',
  '��' => 'ろ',
  '��' => 'ゎ',
  '��' => 'わ',
  '��' => 'ゐ',
  '��' => 'ゑ',
  '��' => 'を',
  '��' => 'ん',
  '�A' => '첔',
  '�B' => '첕',
  '�C' => '첖',
  '�D' => '첗',
  '�E' => '첚',
  '�F' => '첛',
  '�G' => '첝',
  '�H' => '첞',
  '�I' => '첟',
  '�J' => '첡',
  '�K' => '첢',
  '�L' => '첣',
  '�M' => '첤',
  '�N' => '첥',
  '�O' => '첦',
  '�P' => '첧',
  '�Q' => '첪',
  '�R' => '첮',
  '�S' => '첯',
  '�T' => '첰',
  '�U' => '첱',
  '�V' => '첲',
  '�W' => '첳',
  '�X' => '첶',
  '�Y' => '첷',
  '�Z' => '첹',
  '�a' => '첺',
  '�b' => '첻',
  '�c' => '첽',
  '�d' => '첾',
  '�e' => '첿',
  '�f' => '쳀',
  '�g' => '쳁',
  '�h' => '쳂',
  '�i' => '쳃',
  '�j' => '쳆',
  '�k' => '쳈',
  '�l' => '쳊',
  '�m' => '쳋',
  '�n' => '쳌',
  '�o' => '쳍',
  '�p' => '쳎',
  '�q' => '쳏',
  '�r' => '쳑',
  '�s' => '쳒',
  '�t' => '쳓',
  '�u' => '쳕',
  '�v' => '쳖',
  '�w' => '쳗',
  '�x' => '쳘',
  '�y' => '쳙',
  '�z' => '쳚',
  '��' => '쳛',
  '��' => '쳜',
  '��' => '쳝',
  '��' => '쳞',
  '��' => '쳟',
  '��' => '쳠',
  '��' => '쳡',
  '��' => '쳢',
  '��' => '쳣',
  '��' => '쳥',
  '��' => '쳦',
  '��' => '쳧',
  '��' => '쳨',
  '��' => '쳩',
  '��' => '쳪',
  '��' => '쳫',
  '��' => '쳭',
  '��' => '쳮',
  '��' => '쳯',
  '��' => '쳱',
  '��' => '쳲',
  '��' => '쳳',
  '��' => '쳴',
  '��' => '쳵',
  '��' => '쳶',
  '��' => '쳷',
  '��' => '쳸',
  '��' => '쳹',
  '��' => '쳺',
  '��' => '쳻',
  '��' => '쳼',
  '��' => '쳽',
  '��' => 'ァ',
  '��' => 'ア',
  '��' => 'ィ',
  '��' => 'イ',
  '��' => 'ゥ',
  '��' => 'ウ',
  '��' => 'ェ',
  '��' => 'エ',
  '��' => 'ォ',
  '��' => 'オ',
  '��' => 'カ',
  '��' => 'ガ',
  '��' => 'キ',
  '��' => 'ギ',
  '��' => 'ク',
  '��' => 'グ',
  '��' => 'ケ',
  '��' => 'ゲ',
  '��' => 'コ',
  '��' => 'ゴ',
  '��' => 'サ',
  '��' => 'ザ',
  '��' => 'シ',
  '��' => 'ジ',
  '��' => 'ス',
  '��' => 'ズ',
  '��' => 'セ',
  '��' => 'ゼ',
  '��' => 'ソ',
  '��' => 'ゾ',
  '��' => 'タ',
  '��' => 'ダ',
  '��' => 'チ',
  '��' => 'ヂ',
  '��' => 'ッ',
  '��' => 'ツ',
  '��' => 'ヅ',
  '��' => 'テ',
  '��' => 'デ',
  '��' => 'ト',
  '��' => 'ド',
  '��' => 'ナ',
  '��' => 'ニ',
  '��' => 'ヌ',
  '��' => 'ネ',
  '��' => 'ノ',
  '��' => 'ハ',
  '��' => 'バ',
  '��' => 'パ',
  '��' => 'ヒ',
  '��' => 'ビ',
  '��' => 'ピ',
  '��' => 'フ',
  '��' => 'ブ',
  '��' => 'プ',
  '��' => 'ヘ',
  '��' => 'ベ',
  '��' => 'ペ',
  '��' => 'ホ',
  '��' => 'ボ',
  '��' => 'ポ',
  '��' => 'マ',
  '��' => 'ミ',
  '��' => 'ム',
  '��' => 'メ',
  '��' => 'モ',
  '��' => 'ャ',
  '��' => 'ヤ',
  '��' => 'ュ',
  '��' => 'ユ',
  '��' => 'ョ',
  '��' => 'ヨ',
  '��' => 'ラ',
  '��' => 'リ',
  '��' => 'ル',
  '��' => 'レ',
  '��' => 'ロ',
  '��' => 'ヮ',
  '��' => 'ワ',
  '��' => 'ヰ',
  '��' => 'ヱ',
  '��' => 'ヲ',
  '��' => 'ン',
  '��' => 'ヴ',
  '��' => 'ヵ',
  '��' => 'ヶ',
  '�A' => '쳾',
  '�B' => '쳿',
  '�C' => '촀',
  '�D' => '촂',
  '�E' => '촃',
  '�F' => '촄',
  '�G' => '촅',
  '�H' => '촆',
  '�I' => '촇',
  '�J' => '촊',
  '�K' => '촋',
  '�L' => '촍',
  '�M' => '촎',
  '�N' => '촏',
  '�O' => '촑',
  '�P' => '촒',
  '�Q' => '촓',
  '�R' => '촔',
  '�S' => '촕',
  '�T' => '촖',
  '�U' => '촗',
  '�V' => '촚',
  '�W' => '촜',
  '�X' => '촞',
  '�Y' => '촟',
  '�Z' => '촠',
  '�a' => '촡',
  '�b' => '촢',
  '�c' => '촣',
  '�d' => '촥',
  '�e' => '촦',
  '�f' => '촧',
  '�g' => '촩',
  '�h' => '촪',
  '�i' => '촫',
  '�j' => '촭',
  '�k' => '촮',
  '�l' => '촯',
  '�m' => '촰',
  '�n' => '촱',
  '�o' => '촲',
  '�p' => '촳',
  '�q' => '촴',
  '�r' => '촵',
  '�s' => '촶',
  '�t' => '촷',
  '�u' => '촸',
  '�v' => '촺',
  '�w' => '촻',
  '�x' => '촼',
  '�y' => '촽',
  '�z' => '촾',
  '��' => '촿',
  '��' => '쵀',
  '��' => '쵁',
  '��' => '쵂',
  '��' => '쵃',
  '��' => '쵄',
  '��' => '쵅',
  '��' => '쵆',
  '��' => '쵇',
  '��' => '쵈',
  '��' => '쵉',
  '��' => '쵊',
  '��' => '쵋',
  '��' => '쵌',
  '��' => '쵍',
  '��' => '쵎',
  '��' => '쵏',
  '��' => '쵐',
  '��' => '쵑',
  '��' => '쵒',
  '��' => '쵓',
  '��' => '쵔',
  '��' => '쵕',
  '��' => '쵖',
  '��' => '쵗',
  '��' => '쵘',
  '��' => '쵙',
  '��' => '쵚',
  '��' => '쵛',
  '��' => '쵝',
  '��' => '쵞',
  '��' => '쵟',
  '��' => 'А',
  '��' => 'Б',
  '��' => 'В',
  '��' => 'Г',
  '��' => 'Д',
  '��' => 'Е',
  '��' => 'Ё',
  '��' => 'Ж',
  '��' => 'З',
  '��' => 'И',
  '��' => 'Й',
  '��' => 'К',
  '��' => 'Л',
  '��' => 'М',
  '��' => 'Н',
  '��' => 'О',
  '��' => 'П',
  '��' => 'Р',
  '��' => 'С',
  '��' => 'Т',
  '��' => 'У',
  '��' => 'Ф',
  '��' => 'Х',
  '��' => 'Ц',
  '��' => 'Ч',
  '��' => 'Ш',
  '��' => 'Щ',
  '��' => 'Ъ',
  '��' => 'Ы',
  '��' => 'Ь',
  '��' => 'Э',
  '��' => 'Ю',
  '��' => 'Я',
  '��' => 'а',
  '��' => 'б',
  '��' => 'в',
  '��' => 'г',
  '��' => 'д',
  '��' => 'е',
  '��' => 'ё',
  '��' => 'ж',
  '��' => 'з',
  '��' => 'и',
  '��' => 'й',
  '��' => 'к',
  '��' => 'л',
  '��' => 'м',
  '��' => 'н',
  '��' => 'о',
  '��' => 'п',
  '��' => 'р',
  '��' => 'с',
  '��' => 'т',
  '��' => 'у',
  '��' => 'ф',
  '��' => 'х',
  '��' => 'ц',
  '��' => 'ч',
  '��' => 'ш',
  '��' => 'щ',
  '��' => 'ъ',
  '��' => 'ы',
  '��' => 'ь',
  '��' => 'э',
  '��' => 'ю',
  '��' => 'я',
  '�A' => '쵡',
  '�B' => '쵢',
  '�C' => '쵣',
  '�D' => '쵥',
  '�E' => '쵦',
  '�F' => '쵧',
  '�G' => '쵨',
  '�H' => '쵩',
  '�I' => '쵪',
  '�J' => '쵫',
  '�K' => '쵮',
  '�L' => '쵰',
  '�M' => '쵲',
  '�N' => '쵳',
  '�O' => '쵴',
  '�P' => '쵵',
  '�Q' => '쵶',
  '�R' => '쵷',
  '�S' => '쵹',
  '�T' => '쵺',
  '�U' => '쵻',
  '�V' => '쵼',
  '�W' => '쵽',
  '�X' => '쵾',
  '�Y' => '쵿',
  '�Z' => '춀',
  '�a' => '춁',
  '�b' => '춂',
  '�c' => '춃',
  '�d' => '춄',
  '�e' => '춅',
  '�f' => '춆',
  '�g' => '춇',
  '�h' => '춉',
  '�i' => '춊',
  '�j' => '춋',
  '�k' => '춌',
  '�l' => '춍',
  '�m' => '춎',
  '�n' => '춏',
  '�o' => '춐',
  '�p' => '춑',
  '�q' => '춒',
  '�r' => '춓',
  '�s' => '춖',
  '�t' => '춗',
  '�u' => '춙',
  '�v' => '춚',
  '�w' => '춛',
  '�x' => '춝',
  '�y' => '춞',
  '�z' => '춟',
  '��' => '춠',
  '��' => '춡',
  '��' => '춢',
  '��' => '춣',
  '��' => '춦',
  '��' => '춨',
  '��' => '춪',
  '��' => '춫',
  '��' => '춬',
  '��' => '춭',
  '��' => '춮',
  '��' => '춯',
  '��' => '춱',
  '��' => '춲',
  '��' => '춳',
  '��' => '춴',
  '��' => '춵',
  '��' => '춶',
  '��' => '춷',
  '��' => '춸',
  '��' => '춹',
  '��' => '춺',
  '��' => '춻',
  '��' => '춼',
  '��' => '춽',
  '��' => '춾',
  '��' => '춿',
  '��' => '췀',
  '��' => '췁',
  '��' => '췂',
  '��' => '췃',
  '��' => '췅',
  '�A' => '췆',
  '�B' => '췇',
  '�C' => '췈',
  '�D' => '췉',
  '�E' => '췊',
  '�F' => '췋',
  '�G' => '췍',
  '�H' => '췎',
  '�I' => '췏',
  '�J' => '췑',
  '�K' => '췒',
  '�L' => '췓',
  '�M' => '췔',
  '�N' => '췕',
  '�O' => '췖',
  '�P' => '췗',
  '�Q' => '췘',
  '�R' => '췙',
  '�S' => '췚',
  '�T' => '췛',
  '�U' => '췜',
  '�V' => '췝',
  '�W' => '췞',
  '�X' => '췟',
  '�Y' => '췠',
  '�Z' => '췡',
  '�a' => '췢',
  '�b' => '췣',
  '�c' => '췤',
  '�d' => '췥',
  '�e' => '췦',
  '�f' => '췧',
  '�g' => '췩',
  '�h' => '췪',
  '�i' => '췫',
  '�j' => '췭',
  '�k' => '췮',
  '�l' => '췯',
  '�m' => '췱',
  '�n' => '췲',
  '�o' => '췳',
  '�p' => '췴',
  '�q' => '췵',
  '�r' => '췶',
  '�s' => '췷',
  '�t' => '췺',
  '�u' => '췼',
  '�v' => '췾',
  '�w' => '췿',
  '�x' => '츀',
  '�y' => '츁',
  '�z' => '츂',
  '��' => '츃',
  '��' => '츅',
  '��' => '츆',
  '��' => '츇',
  '��' => '츉',
  '��' => '츊',
  '��' => '츋',
  '��' => '츍',
  '��' => '츎',
  '��' => '츏',
  '��' => '츐',
  '��' => '츑',
  '��' => '츒',
  '��' => '츓',
  '��' => '츕',
  '��' => '츖',
  '��' => '츗',
  '��' => '츘',
  '��' => '츚',
  '��' => '츛',
  '��' => '츜',
  '��' => '츝',
  '��' => '츞',
  '��' => '츟',
  '��' => '츢',
  '��' => '츣',
  '��' => '츥',
  '��' => '츦',
  '��' => '츧',
  '��' => '츩',
  '��' => '츪',
  '��' => '츫',
  '�A' => '츬',
  '�B' => '츭',
  '�C' => '츮',
  '�D' => '츯',
  '�E' => '츲',
  '�F' => '츴',
  '�G' => '츶',
  '�H' => '츷',
  '�I' => '츸',
  '�J' => '츹',
  '�K' => '츺',
  '�L' => '츻',
  '�M' => '츼',
  '�N' => '츽',
  '�O' => '츾',
  '�P' => '츿',
  '�Q' => '칀',
  '�R' => '칁',
  '�S' => '칂',
  '�T' => '칃',
  '�U' => '칄',
  '�V' => '칅',
  '�W' => '칆',
  '�X' => '칇',
  '�Y' => '칈',
  '�Z' => '칉',
  '�a' => '칊',
  '�b' => '칋',
  '�c' => '칌',
  '�d' => '칍',
  '�e' => '칎',
  '�f' => '칏',
  '�g' => '칐',
  '�h' => '칑',
  '�i' => '칒',
  '�j' => '칓',
  '�k' => '칔',
  '�l' => '칕',
  '�m' => '칖',
  '�n' => '칗',
  '�o' => '칚',
  '�p' => '칛',
  '�q' => '칝',
  '�r' => '칞',
  '�s' => '칢',
  '�t' => '칣',
  '�u' => '칤',
  '�v' => '칥',
  '�w' => '칦',
  '�x' => '칧',
  '�y' => '칪',
  '�z' => '칬',
  '��' => '칮',
  '��' => '칯',
  '��' => '칰',
  '��' => '칱',
  '��' => '칲',
  '��' => '칳',
  '��' => '칶',
  '��' => '칷',
  '��' => '칹',
  '��' => '칺',
  '��' => '칻',
  '��' => '칽',
  '��' => '칾',
  '��' => '칿',
  '��' => '캀',
  '��' => '캁',
  '��' => '캂',
  '��' => '캃',
  '��' => '캆',
  '��' => '캈',
  '��' => '캊',
  '��' => '캋',
  '��' => '캌',
  '��' => '캍',
  '��' => '캎',
  '��' => '캏',
  '��' => '캒',
  '��' => '캓',
  '��' => '캕',
  '��' => '캖',
  '��' => '캗',
  '��' => '캙',
  '�A' => '캚',
  '�B' => '캛',
  '�C' => '캜',
  '�D' => '캝',
  '�E' => '캞',
  '�F' => '캟',
  '�G' => '캢',
  '�H' => '캦',
  '�I' => '캧',
  '�J' => '캨',
  '�K' => '캩',
  '�L' => '캪',
  '�M' => '캫',
  '�N' => '캮',
  '�O' => '캯',
  '�P' => '캰',
  '�Q' => '캱',
  '�R' => '캲',
  '�S' => '캳',
  '�T' => '캴',
  '�U' => '캵',
  '�V' => '캶',
  '�W' => '캷',
  '�X' => '캸',
  '�Y' => '캹',
  '�Z' => '캺',
  '�a' => '캻',
  '�b' => '캼',
  '�c' => '캽',
  '�d' => '캾',
  '�e' => '캿',
  '�f' => '컀',
  '�g' => '컂',
  '�h' => '컃',
  '�i' => '컄',
  '�j' => '컅',
  '�k' => '컆',
  '�l' => '컇',
  '�m' => '컈',
  '�n' => '컉',
  '�o' => '컊',
  '�p' => '컋',
  '�q' => '컌',
  '�r' => '컍',
  '�s' => '컎',
  '�t' => '컏',
  '�u' => '컐',
  '�v' => '컑',
  '�w' => '컒',
  '�x' => '컓',
  '�y' => '컔',
  '�z' => '컕',
  '��' => '컖',
  '��' => '컗',
  '��' => '컘',
  '��' => '컙',
  '��' => '컚',
  '��' => '컛',
  '��' => '컜',
  '��' => '컝',
  '��' => '컞',
  '��' => '컟',
  '��' => '컠',
  '��' => '컡',
  '��' => '컢',
  '��' => '컣',
  '��' => '컦',
  '��' => '컧',
  '��' => '컩',
  '��' => '컪',
  '��' => '컭',
  '��' => '컮',
  '��' => '컯',
  '��' => '컰',
  '��' => '컱',
  '��' => '컲',
  '��' => '컳',
  '��' => '컶',
  '��' => '컺',
  '��' => '컻',
  '��' => '컼',
  '��' => '컽',
  '��' => '컾',
  '��' => '컿',
  '��' => '가',
  '��' => '각',
  '��' => '간',
  '��' => '갇',
  '��' => '갈',
  '��' => '갉',
  '��' => '갊',
  '��' => '감',
  '��' => '갑',
  '��' => '값',
  '��' => '갓',
  '��' => '갔',
  '��' => '강',
  '��' => '갖',
  '��' => '갗',
  '��' => '같',
  '��' => '갚',
  '��' => '갛',
  '��' => '개',
  '��' => '객',
  '��' => '갠',
  '��' => '갤',
  '��' => '갬',
  '��' => '갭',
  '��' => '갯',
  '��' => '갰',
  '��' => '갱',
  '��' => '갸',
  '��' => '갹',
  '��' => '갼',
  '��' => '걀',
  '��' => '걋',
  '��' => '걍',
  '��' => '걔',
  '��' => '걘',
  '��' => '걜',
  '��' => '거',
  '��' => '걱',
  '��' => '건',
  '��' => '걷',
  '��' => '걸',
  '��' => '걺',
  '��' => '검',
  '��' => '겁',
  '��' => '것',
  '��' => '겄',
  '��' => '겅',
  '��' => '겆',
  '��' => '겉',
  '��' => '겊',
  '��' => '겋',
  '��' => '게',
  '��' => '겐',
  '��' => '겔',
  '��' => '겜',
  '��' => '겝',
  '��' => '겟',
  '��' => '겠',
  '��' => '겡',
  '��' => '겨',
  '��' => '격',
  '��' => '겪',
  '��' => '견',
  '��' => '겯',
  '��' => '결',
  '��' => '겸',
  '��' => '겹',
  '��' => '겻',
  '��' => '겼',
  '��' => '경',
  '��' => '곁',
  '��' => '계',
  '��' => '곈',
  '��' => '곌',
  '��' => '곕',
  '��' => '곗',
  '��' => '고',
  '��' => '곡',
  '��' => '곤',
  '��' => '곧',
  '��' => '골',
  '��' => '곪',
  '��' => '곬',
  '��' => '곯',
  '��' => '곰',
  '��' => '곱',
  '��' => '곳',
  '��' => '공',
  '��' => '곶',
  '��' => '과',
  '��' => '곽',
  '��' => '관',
  '��' => '괄',
  '��' => '괆',
  '�A' => '켂',
  '�B' => '켃',
  '�C' => '켅',
  '�D' => '켆',
  '�E' => '켇',
  '�F' => '켉',
  '�G' => '켊',
  '�H' => '켋',
  '�I' => '켌',
  '�J' => '켍',
  '�K' => '켎',
  '�L' => '켏',
  '�M' => '켒',
  '�N' => '켔',
  '�O' => '켖',
  '�P' => '켗',
  '�Q' => '켘',
  '�R' => '켙',
  '�S' => '켚',
  '�T' => '켛',
  '�U' => '켝',
  '�V' => '켞',
  '�W' => '켟',
  '�X' => '켡',
  '�Y' => '켢',
  '�Z' => '켣',
  '�a' => '켥',
  '�b' => '켦',
  '�c' => '켧',
  '�d' => '켨',
  '�e' => '켩',
  '�f' => '켪',
  '�g' => '켫',
  '�h' => '켮',
  '�i' => '켲',
  '�j' => '켳',
  '�k' => '켴',
  '�l' => '켵',
  '�m' => '켶',
  '�n' => '켷',
  '�o' => '켹',
  '�p' => '켺',
  '�q' => '켻',
  '�r' => '켼',
  '�s' => '켽',
  '�t' => '켾',
  '�u' => '켿',
  '�v' => '콀',
  '�w' => '콁',
  '�x' => '콂',
  '�y' => '콃',
  '�z' => '콄',
  '��' => '콅',
  '��' => '콆',
  '��' => '콇',
  '��' => '콈',
  '��' => '콉',
  '��' => '콊',
  '��' => '콋',
  '��' => '콌',
  '��' => '콍',
  '��' => '콎',
  '��' => '콏',
  '��' => '콐',
  '��' => '콑',
  '��' => '콒',
  '��' => '콓',
  '��' => '콖',
  '��' => '콗',
  '��' => '콙',
  '��' => '콚',
  '��' => '콛',
  '��' => '콝',
  '��' => '콞',
  '��' => '콟',
  '��' => '콠',
  '��' => '콡',
  '��' => '콢',
  '��' => '콣',
  '��' => '콦',
  '��' => '콨',
  '��' => '콪',
  '��' => '콫',
  '��' => '콬',
  '��' => '괌',
  '��' => '괍',
  '��' => '괏',
  '��' => '광',
  '��' => '괘',
  '��' => '괜',
  '��' => '괠',
  '��' => '괩',
  '��' => '괬',
  '��' => '괭',
  '��' => '괴',
  '��' => '괵',
  '��' => '괸',
  '��' => '괼',
  '��' => '굄',
  '��' => '굅',
  '��' => '굇',
  '��' => '굉',
  '��' => '교',
  '��' => '굔',
  '��' => '굘',
  '��' => '굡',
  '��' => '굣',
  '��' => '구',
  '��' => '국',
  '��' => '군',
  '��' => '굳',
  '��' => '굴',
  '��' => '굵',
  '��' => '굶',
  '��' => '굻',
  '��' => '굼',
  '��' => '굽',
  '��' => '굿',
  '��' => '궁',
  '��' => '궂',
  '��' => '궈',
  '��' => '궉',
  '��' => '권',
  '��' => '궐',
  '��' => '궜',
  '��' => '궝',
  '��' => '궤',
  '��' => '궷',
  '��' => '귀',
  '��' => '귁',
  '��' => '귄',
  '��' => '귈',
  '��' => '귐',
  '��' => '귑',
  '��' => '귓',
  '��' => '규',
  '��' => '균',
  '��' => '귤',
  '��' => '그',
  '��' => '극',
  '��' => '근',
  '��' => '귿',
  '��' => '글',
  '��' => '긁',
  '��' => '금',
  '��' => '급',
  '��' => '긋',
  '��' => '긍',
  '��' => '긔',
  '��' => '기',
  '��' => '긱',
  '��' => '긴',
  '��' => '긷',
  '��' => '길',
  '��' => '긺',
  '��' => '김',
  '��' => '깁',
  '��' => '깃',
  '��' => '깅',
  '��' => '깆',
  '��' => '깊',
  '��' => '까',
  '��' => '깍',
  '��' => '깎',
  '��' => '깐',
  '��' => '깔',
  '��' => '깖',
  '��' => '깜',
  '��' => '깝',
  '��' => '깟',
  '��' => '깠',
  '��' => '깡',
  '��' => '깥',
  '��' => '깨',
  '��' => '깩',
  '��' => '깬',
  '��' => '깰',
  '��' => '깸',
  '�A' => '콭',
  '�B' => '콮',
  '�C' => '콯',
  '�D' => '콲',
  '�E' => '콳',
  '�F' => '콵',
  '�G' => '콶',
  '�H' => '콷',
  '�I' => '콹',
  '�J' => '콺',
  '�K' => '콻',
  '�L' => '콼',
  '�M' => '콽',
  '�N' => '콾',
  '�O' => '콿',
  '�P' => '쾁',
  '�Q' => '쾂',
  '�R' => '쾃',
  '�S' => '쾄',
  '�T' => '쾆',
  '�U' => '쾇',
  '�V' => '쾈',
  '�W' => '쾉',
  '�X' => '쾊',
  '�Y' => '쾋',
  '�Z' => '쾍',
  '�a' => '쾎',
  '�b' => '쾏',
  '�c' => '쾐',
  '�d' => '쾑',
  '�e' => '쾒',
  '�f' => '쾓',
  '�g' => '쾔',
  '�h' => '쾕',
  '�i' => '쾖',
  '�j' => '쾗',
  '�k' => '쾘',
  '�l' => '쾙',
  '�m' => '쾚',
  '�n' => '쾛',
  '�o' => '쾜',
  '�p' => '쾝',
  '�q' => '쾞',
  '�r' => '쾟',
  '�s' => '쾠',
  '�t' => '쾢',
  '�u' => '쾣',
  '�v' => '쾤',
  '�w' => '쾥',
  '�x' => '쾦',
  '�y' => '쾧',
  '�z' => '쾩',
  '��' => '쾪',
  '��' => '쾫',
  '��' => '쾬',
  '��' => '쾭',
  '��' => '쾮',
  '��' => '쾯',
  '��' => '쾱',
  '��' => '쾲',
  '��' => '쾳',
  '��' => '쾴',
  '��' => '쾵',
  '��' => '쾶',
  '��' => '쾷',
  '��' => '쾸',
  '��' => '쾹',
  '��' => '쾺',
  '��' => '쾻',
  '��' => '쾼',
  '��' => '쾽',
  '��' => '쾾',
  '��' => '쾿',
  '��' => '쿀',
  '��' => '쿁',
  '��' => '쿂',
  '��' => '쿃',
  '��' => '쿅',
  '��' => '쿆',
  '��' => '쿇',
  '��' => '쿈',
  '��' => '쿉',
  '��' => '쿊',
  '��' => '쿋',
  '��' => '깹',
  '��' => '깻',
  '��' => '깼',
  '��' => '깽',
  '��' => '꺄',
  '��' => '꺅',
  '��' => '꺌',
  '��' => '꺼',
  '��' => '꺽',
  '��' => '꺾',
  '��' => '껀',
  '��' => '껄',
  '��' => '껌',
  '��' => '껍',
  '��' => '껏',
  '��' => '껐',
  '��' => '껑',
  '��' => '께',
  '��' => '껙',
  '��' => '껜',
  '��' => '껨',
  '��' => '껫',
  '��' => '껭',
  '��' => '껴',
  '��' => '껸',
  '��' => '껼',
  '��' => '꼇',
  '��' => '꼈',
  '��' => '꼍',
  '��' => '꼐',
  '��' => '꼬',
  '��' => '꼭',
  '��' => '꼰',
  '��' => '꼲',
  '��' => '꼴',
  '��' => '꼼',
  '��' => '꼽',
  '��' => '꼿',
  '��' => '꽁',
  '��' => '꽂',
  '��' => '꽃',
  '��' => '꽈',
  '��' => '꽉',
  '��' => '꽐',
  '��' => '꽜',
  '��' => '꽝',
  '��' => '꽤',
  '��' => '꽥',
  '��' => '꽹',
  '��' => '꾀',
  '��' => '꾄',
  '��' => '꾈',
  '��' => '꾐',
  '��' => '꾑',
  '��' => '꾕',
  '��' => '꾜',
  '��' => '꾸',
  '��' => '꾹',
  '��' => '꾼',
  '��' => '꿀',
  '��' => '꿇',
  '��' => '꿈',
  '��' => '꿉',
  '��' => '꿋',
  '��' => '꿍',
  '��' => '꿎',
  '��' => '꿔',
  '��' => '꿜',
  '��' => '꿨',
  '��' => '꿩',
  '��' => '꿰',
  '��' => '꿱',
  '��' => '꿴',
  '��' => '꿸',
  '��' => '뀀',
  '��' => '뀁',
  '��' => '뀄',
  '��' => '뀌',
  '��' => '뀐',
  '��' => '뀔',
  '��' => '뀜',
  '��' => '뀝',
  '��' => '뀨',
  '��' => '끄',
  '��' => '끅',
  '��' => '끈',
  '��' => '끊',
  '��' => '끌',
  '��' => '끎',
  '��' => '끓',
  '��' => '끔',
  '��' => '끕',
  '��' => '끗',
  '��' => '끙',
  '�A' => '쿌',
  '�B' => '쿍',
  '�C' => '쿎',
  '�D' => '쿏',
  '�E' => '쿐',
  '�F' => '쿑',
  '�G' => '쿒',
  '�H' => '쿓',
  '�I' => '쿔',
  '�J' => '쿕',
  '�K' => '쿖',
  '�L' => '쿗',
  '�M' => '쿘',
  '�N' => '쿙',
  '�O' => '쿚',
  '�P' => '쿛',
  '�Q' => '쿜',
  '�R' => '쿝',
  '�S' => '쿞',
  '�T' => '쿟',
  '�U' => '쿢',
  '�V' => '쿣',
  '�W' => '쿥',
  '�X' => '쿦',
  '�Y' => '쿧',
  '�Z' => '쿩',
  '�a' => '쿪',
  '�b' => '쿫',
  '�c' => '쿬',
  '�d' => '쿭',
  '�e' => '쿮',
  '�f' => '쿯',
  '�g' => '쿲',
  '�h' => '쿴',
  '�i' => '쿶',
  '�j' => '쿷',
  '�k' => '쿸',
  '�l' => '쿹',
  '�m' => '쿺',
  '�n' => '쿻',
  '�o' => '쿽',
  '�p' => '쿾',
  '�q' => '쿿',
  '�r' => '퀁',
  '�s' => '퀂',
  '�t' => '퀃',
  '�u' => '퀅',
  '�v' => '퀆',
  '�w' => '퀇',
  '�x' => '퀈',
  '�y' => '퀉',
  '�z' => '퀊',
  '��' => '퀋',
  '��' => '퀌',
  '��' => '퀍',
  '��' => '퀎',
  '��' => '퀏',
  '��' => '퀐',
  '��' => '퀒',
  '��' => '퀓',
  '��' => '퀔',
  '��' => '퀕',
  '��' => '퀖',
  '��' => '퀗',
  '��' => '퀙',
  '��' => '퀚',
  '��' => '퀛',
  '��' => '퀜',
  '��' => '퀝',
  '��' => '퀞',
  '��' => '퀟',
  '��' => '퀠',
  '��' => '퀡',
  '��' => '퀢',
  '��' => '퀣',
  '��' => '퀤',
  '��' => '퀥',
  '��' => '퀦',
  '��' => '퀧',
  '��' => '퀨',
  '��' => '퀩',
  '��' => '퀪',
  '��' => '퀫',
  '��' => '퀬',
  '��' => '끝',
  '��' => '끼',
  '��' => '끽',
  '��' => '낀',
  '��' => '낄',
  '��' => '낌',
  '��' => '낍',
  '��' => '낏',
  '��' => '낑',
  '��' => '나',
  '��' => '낙',
  '��' => '낚',
  '��' => '난',
  '��' => '낟',
  '��' => '날',
  '��' => '낡',
  '��' => '낢',
  '��' => '남',
  '��' => '납',
  '��' => '낫',
  '��' => '났',
  '��' => '낭',
  '��' => '낮',
  '��' => '낯',
  '��' => '낱',
  '��' => '낳',
  '��' => '내',
  '��' => '낵',
  '��' => '낸',
  '��' => '낼',
  '��' => '냄',
  '��' => '냅',
  '��' => '냇',
  '��' => '냈',
  '��' => '냉',
  '��' => '냐',
  '��' => '냑',
  '��' => '냔',
  '��' => '냘',
  '��' => '냠',
  '��' => '냥',
  '��' => '너',
  '��' => '넉',
  '��' => '넋',
  '��' => '넌',
  '��' => '널',
  '��' => '넒',
  '��' => '넓',
  '��' => '넘',
  '��' => '넙',
  '��' => '넛',
  '��' => '넜',
  '��' => '넝',
  '��' => '넣',
  '��' => '네',
  '��' => '넥',
  '��' => '넨',
  '��' => '넬',
  '��' => '넴',
  '��' => '넵',
  '��' => '넷',
  '��' => '넸',
  '��' => '넹',
  '��' => '녀',
  '��' => '녁',
  '��' => '년',
  '��' => '녈',
  '��' => '념',
  '��' => '녑',
  '��' => '녔',
  '��' => '녕',
  '��' => '녘',
  '��' => '녜',
  '��' => '녠',
  '��' => '노',
  '��' => '녹',
  '��' => '논',
  '��' => '놀',
  '��' => '놂',
  '��' => '놈',
  '��' => '놉',
  '��' => '놋',
  '��' => '농',
  '��' => '높',
  '��' => '놓',
  '��' => '놔',
  '��' => '놘',
  '��' => '놜',
  '��' => '놨',
  '��' => '뇌',
  '��' => '뇐',
  '��' => '뇔',
  '��' => '뇜',
  '��' => '뇝',
  '�A' => '퀮',
  '�B' => '퀯',
  '�C' => '퀰',
  '�D' => '퀱',
  '�E' => '퀲',
  '�F' => '퀳',
  '�G' => '퀶',
  '�H' => '퀷',
  '�I' => '퀹',
  '�J' => '퀺',
  '�K' => '퀻',
  '�L' => '퀽',
  '�M' => '퀾',
  '�N' => '퀿',
  '�O' => '큀',
  '�P' => '큁',
  '�Q' => '큂',
  '�R' => '큃',
  '�S' => '큆',
  '�T' => '큈',
  '�U' => '큊',
  '�V' => '큋',
  '�W' => '큌',
  '�X' => '큍',
  '�Y' => '큎',
  '�Z' => '큏',
  '�a' => '큑',
  '�b' => '큒',
  '�c' => '큓',
  '�d' => '큕',
  '�e' => '큖',
  '�f' => '큗',
  '�g' => '큙',
  '�h' => '큚',
  '�i' => '큛',
  '�j' => '큜',
  '�k' => '큝',
  '�l' => '큞',
  '�m' => '큟',
  '�n' => '큡',
  '�o' => '큢',
  '�p' => '큣',
  '�q' => '큤',
  '�r' => '큥',
  '�s' => '큦',
  '�t' => '큧',
  '�u' => '큨',
  '�v' => '큩',
  '�w' => '큪',
  '�x' => '큫',
  '�y' => '큮',
  '�z' => '큯',
  '��' => '큱',
  '��' => '큲',
  '��' => '큳',
  '��' => '큵',
  '��' => '큶',
  '��' => '큷',
  '��' => '큸',
  '��' => '큹',
  '��' => '큺',
  '��' => '큻',
  '��' => '큾',
  '��' => '큿',
  '��' => '킀',
  '��' => '킂',
  '��' => '킃',
  '��' => '킄',
  '��' => '킅',
  '��' => '킆',
  '��' => '킇',
  '��' => '킈',
  '��' => '킉',
  '��' => '킊',
  '��' => '킋',
  '��' => '킌',
  '��' => '킍',
  '��' => '킎',
  '��' => '킏',
  '��' => '킐',
  '��' => '킑',
  '��' => '킒',
  '��' => '킓',
  '��' => '킔',
  '��' => '뇟',
  '��' => '뇨',
  '��' => '뇩',
  '��' => '뇬',
  '��' => '뇰',
  '��' => '뇹',
  '��' => '뇻',
  '��' => '뇽',
  '��' => '누',
  '��' => '눅',
  '��' => '눈',
  '��' => '눋',
  '��' => '눌',
  '��' => '눔',
  '��' => '눕',
  '��' => '눗',
  '��' => '눙',
  '��' => '눠',
  '��' => '눴',
  '��' => '눼',
  '��' => '뉘',
  '��' => '뉜',
  '��' => '뉠',
  '��' => '뉨',
  '��' => '뉩',
  '��' => '뉴',
  '��' => '뉵',
  '��' => '뉼',
  '��' => '늄',
  '��' => '늅',
  '��' => '늉',
  '��' => '느',
  '��' => '늑',
  '��' => '는',
  '��' => '늘',
  '��' => '늙',
  '��' => '늚',
  '��' => '늠',
  '��' => '늡',
  '��' => '늣',
  '��' => '능',
  '��' => '늦',
  '��' => '늪',
  '��' => '늬',
  '��' => '늰',
  '��' => '늴',
  '��' => '니',
  '��' => '닉',
  '��' => '닌',
  '��' => '닐',
  '��' => '닒',
  '��' => '님',
  '��' => '닙',
  '��' => '닛',
  '��' => '닝',
  '��' => '닢',
  '��' => '다',
  '��' => '닥',
  '��' => '닦',
  '��' => '단',
  '��' => '닫',
  '��' => '달',
  '��' => '닭',
  '��' => '닮',
  '��' => '닯',
  '��' => '닳',
  '��' => '담',
  '��' => '답',
  '��' => '닷',
  '��' => '닸',
  '��' => '당',
  '��' => '닺',
  '��' => '닻',
  '��' => '닿',
  '��' => '대',
  '��' => '댁',
  '��' => '댄',
  '��' => '댈',
  '��' => '댐',
  '��' => '댑',
  '��' => '댓',
  '��' => '댔',
  '��' => '댕',
  '��' => '댜',
  '��' => '더',
  '��' => '덕',
  '��' => '덖',
  '��' => '던',
  '��' => '덛',
  '��' => '덜',
  '��' => '덞',
  '��' => '덟',
  '��' => '덤',
  '��' => '덥',
  '�A' => '킕',
  '�B' => '킖',
  '�C' => '킗',
  '�D' => '킘',
  '�E' => '킙',
  '�F' => '킚',
  '�G' => '킛',
  '�H' => '킜',
  '�I' => '킝',
  '�J' => '킞',
  '�K' => '킟',
  '�L' => '킠',
  '�M' => '킡',
  '�N' => '킢',
  '�O' => '킣',
  '�P' => '킦',
  '�Q' => '킧',
  '�R' => '킩',
  '�S' => '킪',
  '�T' => '킫',
  '�U' => '킭',
  '�V' => '킮',
  '�W' => '킯',
  '�X' => '킰',
  '�Y' => '킱',
  '�Z' => '킲',
  '�a' => '킳',
  '�b' => '킶',
  '�c' => '킸',
  '�d' => '킺',
  '�e' => '킻',
  '�f' => '킼',
  '�g' => '킽',
  '�h' => '킾',
  '�i' => '킿',
  '�j' => '탂',
  '�k' => '탃',
  '�l' => '탅',
  '�m' => '탆',
  '�n' => '탇',
  '�o' => '탊',
  '�p' => '탋',
  '�q' => '탌',
  '�r' => '탍',
  '�s' => '탎',
  '�t' => '탏',
  '�u' => '탒',
  '�v' => '탖',
  '�w' => '탗',
  '�x' => '탘',
  '�y' => '탙',
  '�z' => '탚',
  '��' => '탛',
  '��' => '탞',
  '��' => '탟',
  '��' => '탡',
  '��' => '탢',
  '��' => '탣',
  '��' => '탥',
  '��' => '탦',
  '��' => '탧',
  '��' => '탨',
  '��' => '탩',
  '��' => '탪',
  '��' => '탫',
  '��' => '탮',
  '��' => '탲',
  '��' => '탳',
  '��' => '탴',
  '��' => '탵',
  '��' => '탶',
  '��' => '탷',
  '��' => '탹',
  '��' => '탺',
  '��' => '탻',
  '��' => '탼',
  '��' => '탽',
  '��' => '탾',
  '��' => '탿',
  '��' => '턀',
  '��' => '턁',
  '��' => '턂',
  '��' => '턃',
  '��' => '턄',
  '��' => '덧',
  '��' => '덩',
  '��' => '덫',
  '��' => '덮',
  '��' => '데',
  '��' => '덱',
  '��' => '덴',
  '��' => '델',
  '��' => '뎀',
  '��' => '뎁',
  '��' => '뎃',
  '��' => '뎄',
  '��' => '뎅',
  '��' => '뎌',
  '��' => '뎐',
  '��' => '뎔',
  '��' => '뎠',
  '��' => '뎡',
  '��' => '뎨',
  '��' => '뎬',
  '��' => '도',
  '��' => '독',
  '��' => '돈',
  '��' => '돋',
  '��' => '돌',
  '��' => '돎',
  '��' => '돐',
  '��' => '돔',
  '��' => '돕',
  '��' => '돗',
  '��' => '동',
  '��' => '돛',
  '��' => '돝',
  '��' => '돠',
  '��' => '돤',
  '��' => '돨',
  '��' => '돼',
  '��' => '됐',
  '��' => '되',
  '��' => '된',
  '��' => '될',
  '��' => '됨',
  '��' => '됩',
  '��' => '됫',
  '��' => '됴',
  '��' => '두',
  '��' => '둑',
  '��' => '둔',
  '��' => '둘',
  '��' => '둠',
  '��' => '둡',
  '��' => '둣',
  '��' => '둥',
  '��' => '둬',
  '��' => '뒀',
  '��' => '뒈',
  '��' => '뒝',
  '��' => '뒤',
  '��' => '뒨',
  '��' => '뒬',
  '��' => '뒵',
  '��' => '뒷',
  '��' => '뒹',
  '��' => '듀',
  '��' => '듄',
  '��' => '듈',
  '��' => '듐',
  '��' => '듕',
  '��' => '드',
  '��' => '득',
  '��' => '든',
  '��' => '듣',
  '��' => '들',
  '��' => '듦',
  '��' => '듬',
  '��' => '듭',
  '��' => '듯',
  '��' => '등',
  '��' => '듸',
  '��' => '디',
  '��' => '딕',
  '��' => '딘',
  '��' => '딛',
  '��' => '딜',
  '��' => '딤',
  '��' => '딥',
  '��' => '딧',
  '��' => '딨',
  '��' => '딩',
  '��' => '딪',
  '��' => '따',
  '��' => '딱',
  '��' => '딴',
  '��' => '딸',
  '�A' => '턅',
  '�B' => '턆',
  '�C' => '턇',
  '�D' => '턈',
  '�E' => '턉',
  '�F' => '턊',
  '�G' => '턋',
  '�H' => '턌',
  '�I' => '턎',
  '�J' => '턏',
  '�K' => '턐',
  '�L' => '턑',
  '�M' => '턒',
  '�N' => '턓',
  '�O' => '턔',
  '�P' => '턕',
  '�Q' => '턖',
  '�R' => '턗',
  '�S' => '턘',
  '�T' => '턙',
  '�U' => '턚',
  '�V' => '턛',
  '�W' => '턜',
  '�X' => '턝',
  '�Y' => '턞',
  '�Z' => '턟',
  '�a' => '턠',
  '�b' => '턡',
  '�c' => '턢',
  '�d' => '턣',
  '�e' => '턤',
  '�f' => '턥',
  '�g' => '턦',
  '�h' => '턧',
  '�i' => '턨',
  '�j' => '턩',
  '�k' => '턪',
  '�l' => '턫',
  '�m' => '턬',
  '�n' => '턭',
  '�o' => '턮',
  '�p' => '턯',
  '�q' => '턲',
  '�r' => '턳',
  '�s' => '턵',
  '�t' => '턶',
  '�u' => '턷',
  '�v' => '턹',
  '�w' => '턻',
  '�x' => '턼',
  '�y' => '턽',
  '�z' => '턾',
  '��' => '턿',
  '��' => '텂',
  '��' => '텆',
  '��' => '텇',
  '��' => '텈',
  '��' => '텉',
  '��' => '텊',
  '��' => '텋',
  '��' => '텎',
  '��' => '텏',
  '��' => '텑',
  '��' => '텒',
  '��' => '텓',
  '��' => '텕',
  '��' => '텖',
  '��' => '텗',
  '��' => '텘',
  '��' => '텙',
  '��' => '텚',
  '��' => '텛',
  '��' => '텞',
  '��' => '텠',
  '��' => '텢',
  '��' => '텣',
  '��' => '텤',
  '��' => '텥',
  '��' => '텦',
  '��' => '텧',
  '��' => '텩',
  '��' => '텪',
  '��' => '텫',
  '��' => '텭',
  '��' => '땀',
  '��' => '땁',
  '��' => '땃',
  '��' => '땄',
  '��' => '땅',
  '��' => '땋',
  '��' => '때',
  '��' => '땍',
  '��' => '땐',
  '��' => '땔',
  '��' => '땜',
  '��' => '땝',
  '��' => '땟',
  '��' => '땠',
  '��' => '땡',
  '��' => '떠',
  '��' => '떡',
  '��' => '떤',
  '��' => '떨',
  '��' => '떪',
  '��' => '떫',
  '��' => '떰',
  '��' => '떱',
  '��' => '떳',
  '��' => '떴',
  '��' => '떵',
  '��' => '떻',
  '��' => '떼',
  '��' => '떽',
  '��' => '뗀',
  '��' => '뗄',
  '��' => '뗌',
  '��' => '뗍',
  '��' => '뗏',
  '��' => '뗐',
  '��' => '뗑',
  '��' => '뗘',
  '��' => '뗬',
  '��' => '또',
  '��' => '똑',
  '��' => '똔',
  '��' => '똘',
  '��' => '똥',
  '��' => '똬',
  '��' => '똴',
  '��' => '뙈',
  '��' => '뙤',
  '��' => '뙨',
  '��' => '뚜',
  '��' => '뚝',
  '��' => '뚠',
  '��' => '뚤',
  '��' => '뚫',
  '��' => '뚬',
  '��' => '뚱',
  '��' => '뛔',
  '��' => '뛰',
  '��' => '뛴',
  '��' => '뛸',
  '��' => '뜀',
  '��' => '뜁',
  '��' => '뜅',
  '��' => '뜨',
  '��' => '뜩',
  '��' => '뜬',
  '��' => '뜯',
  '��' => '뜰',
  '��' => '뜸',
  '��' => '뜹',
  '��' => '뜻',
  '��' => '띄',
  '��' => '띈',
  '��' => '띌',
  '��' => '띔',
  '��' => '띕',
  '��' => '띠',
  '��' => '띤',
  '��' => '띨',
  '��' => '띰',
  '��' => '띱',
  '��' => '띳',
  '��' => '띵',
  '��' => '라',
  '��' => '락',
  '��' => '란',
  '��' => '랄',
  '��' => '람',
  '��' => '랍',
  '��' => '랏',
  '��' => '랐',
  '��' => '랑',
  '��' => '랒',
  '��' => '랖',
  '��' => '랗',
  '�A' => '텮',
  '�B' => '텯',
  '�C' => '텰',
  '�D' => '텱',
  '�E' => '텲',
  '�F' => '텳',
  '�G' => '텴',
  '�H' => '텵',
  '�I' => '텶',
  '�J' => '텷',
  '�K' => '텸',
  '�L' => '텹',
  '�M' => '텺',
  '�N' => '텻',
  '�O' => '텽',
  '�P' => '텾',
  '�Q' => '텿',
  '�R' => '톀',
  '�S' => '톁',
  '�T' => '톂',
  '�U' => '톃',
  '�V' => '톅',
  '�W' => '톆',
  '�X' => '톇',
  '�Y' => '톉',
  '�Z' => '톊',
  '�a' => '톋',
  '�b' => '톌',
  '�c' => '톍',
  '�d' => '톎',
  '�e' => '톏',
  '�f' => '톐',
  '�g' => '톑',
  '�h' => '톒',
  '�i' => '톓',
  '�j' => '톔',
  '�k' => '톕',
  '�l' => '톖',
  '�m' => '톗',
  '�n' => '톘',
  '�o' => '톙',
  '�p' => '톚',
  '�q' => '톛',
  '�r' => '톜',
  '�s' => '톝',
  '�t' => '톞',
  '�u' => '톟',
  '�v' => '톢',
  '�w' => '톣',
  '�x' => '톥',
  '�y' => '톦',
  '�z' => '톧',
  '��' => '톩',
  '��' => '톪',
  '��' => '톫',
  '��' => '톬',
  '��' => '톭',
  '��' => '톮',
  '��' => '톯',
  '��' => '톲',
  '��' => '톴',
  '��' => '톶',
  '��' => '톷',
  '��' => '톸',
  '��' => '톹',
  '��' => '톻',
  '��' => '톽',
  '��' => '톾',
  '��' => '톿',
  '��' => '퇁',
  '��' => '퇂',
  '��' => '퇃',
  '��' => '퇄',
  '��' => '퇅',
  '��' => '퇆',
  '��' => '퇇',
  '��' => '퇈',
  '��' => '퇉',
  '��' => '퇊',
  '��' => '퇋',
  '��' => '퇌',
  '��' => '퇍',
  '��' => '퇎',
  '��' => '퇏',
  '��' => '래',
  '��' => '랙',
  '��' => '랜',
  '��' => '랠',
  '��' => '램',
  '��' => '랩',
  '��' => '랫',
  '��' => '랬',
  '��' => '랭',
  '��' => '랴',
  '��' => '략',
  '��' => '랸',
  '��' => '럇',
  '��' => '량',
  '��' => '러',
  '��' => '럭',
  '��' => '런',
  '��' => '럴',
  '��' => '럼',
  '��' => '럽',
  '��' => '럿',
  '��' => '렀',
  '��' => '렁',
  '��' => '렇',
  '��' => '레',
  '��' => '렉',
  '��' => '렌',
  '��' => '렐',
  '��' => '렘',
  '��' => '렙',
  '��' => '렛',
  '��' => '렝',
  '��' => '려',
  '��' => '력',
  '��' => '련',
  '��' => '렬',
  '��' => '렴',
  '��' => '렵',
  '��' => '렷',
  '��' => '렸',
  '��' => '령',
  '��' => '례',
  '��' => '롄',
  '��' => '롑',
  '��' => '롓',
  '��' => '로',
  '��' => '록',
  '��' => '론',
  '��' => '롤',
  '��' => '롬',
  '��' => '롭',
  '��' => '롯',
  '��' => '롱',
  '��' => '롸',
  '��' => '롼',
  '��' => '뢍',
  '��' => '뢨',
  '��' => '뢰',
  '��' => '뢴',
  '��' => '뢸',
  '��' => '룀',
  '��' => '룁',
  '��' => '룃',
  '��' => '룅',
  '��' => '료',
  '��' => '룐',
  '��' => '룔',
  '��' => '룝',
  '��' => '룟',
  '��' => '룡',
  '��' => '루',
  '��' => '룩',
  '��' => '룬',
  '��' => '룰',
  '��' => '룸',
  '��' => '룹',
  '��' => '룻',
  '��' => '룽',
  '��' => '뤄',
  '��' => '뤘',
  '��' => '뤠',
  '��' => '뤼',
  '��' => '뤽',
  '��' => '륀',
  '��' => '륄',
  '��' => '륌',
  '��' => '륏',
  '��' => '륑',
  '��' => '류',
  '��' => '륙',
  '��' => '륜',
  '��' => '률',
  '��' => '륨',
  '��' => '륩',
  '�A' => '퇐',
  '�B' => '퇑',
  '�C' => '퇒',
  '�D' => '퇓',
  '�E' => '퇔',
  '�F' => '퇕',
  '�G' => '퇖',
  '�H' => '퇗',
  '�I' => '퇙',
  '�J' => '퇚',
  '�K' => '퇛',
  '�L' => '퇜',
  '�M' => '퇝',
  '�N' => '퇞',
  '�O' => '퇟',
  '�P' => '퇠',
  '�Q' => '퇡',
  '�R' => '퇢',
  '�S' => '퇣',
  '�T' => '퇤',
  '�U' => '퇥',
  '�V' => '퇦',
  '�W' => '퇧',
  '�X' => '퇨',
  '�Y' => '퇩',
  '�Z' => '퇪',
  '�a' => '퇫',
  '�b' => '퇬',
  '�c' => '퇭',
  '�d' => '퇮',
  '�e' => '퇯',
  '�f' => '퇰',
  '�g' => '퇱',
  '�h' => '퇲',
  '�i' => '퇳',
  '�j' => '퇵',
  '�k' => '퇶',
  '�l' => '퇷',
  '�m' => '퇹',
  '�n' => '퇺',
  '�o' => '퇻',
  '�p' => '퇼',
  '�q' => '퇽',
  '�r' => '퇾',
  '�s' => '퇿',
  '�t' => '툀',
  '�u' => '툁',
  '�v' => '툂',
  '�w' => '툃',
  '�x' => '툄',
  '�y' => '툅',
  '�z' => '툆',
  '��' => '툈',
  '��' => '툊',
  '��' => '툋',
  '��' => '툌',
  '��' => '툍',
  '��' => '툎',
  '��' => '툏',
  '��' => '툑',
  '��' => '툒',
  '��' => '툓',
  '��' => '툔',
  '��' => '툕',
  '��' => '툖',
  '��' => '툗',
  '��' => '툘',
  '��' => '툙',
  '��' => '툚',
  '��' => '툛',
  '��' => '툜',
  '��' => '툝',
  '��' => '툞',
  '��' => '툟',
  '��' => '툠',
  '��' => '툡',
  '��' => '툢',
  '��' => '툣',
  '��' => '툤',
  '��' => '툥',
  '��' => '툦',
  '��' => '툧',
  '��' => '툨',
  '��' => '툩',
  '��' => '륫',
  '��' => '륭',
  '��' => '르',
  '��' => '륵',
  '��' => '른',
  '��' => '를',
  '��' => '름',
  '��' => '릅',
  '��' => '릇',
  '��' => '릉',
  '��' => '릊',
  '��' => '릍',
  '��' => '릎',
  '��' => '리',
  '��' => '릭',
  '��' => '린',
  '��' => '릴',
  '��' => '림',
  '��' => '립',
  '��' => '릿',
  '��' => '링',
  '��' => '마',
  '��' => '막',
  '��' => '만',
  '��' => '많',
  '��' => '맏',
  '��' => '말',
  '��' => '맑',
  '��' => '맒',
  '��' => '맘',
  '��' => '맙',
  '��' => '맛',
  '��' => '망',
  '��' => '맞',
  '��' => '맡',
  '��' => '맣',
  '��' => '매',
  '��' => '맥',
  '��' => '맨',
  '��' => '맬',
  '��' => '맴',
  '��' => '맵',
  '��' => '맷',
  '��' => '맸',
  '��' => '맹',
  '��' => '맺',
  '��' => '먀',
  '��' => '먁',
  '��' => '먈',
  '��' => '먕',
  '��' => '머',
  '��' => '먹',
  '��' => '먼',
  '��' => '멀',
  '��' => '멂',
  '��' => '멈',
  '��' => '멉',
  '��' => '멋',
  '��' => '멍',
  '��' => '멎',
  '��' => '멓',
  '��' => '메',
  '��' => '멕',
  '��' => '멘',
  '��' => '멜',
  '��' => '멤',
  '��' => '멥',
  '��' => '멧',
  '��' => '멨',
  '��' => '멩',
  '��' => '며',
  '��' => '멱',
  '��' => '면',
  '��' => '멸',
  '��' => '몃',
  '��' => '몄',
  '��' => '명',
  '��' => '몇',
  '��' => '몌',
  '��' => '모',
  '��' => '목',
  '��' => '몫',
  '��' => '몬',
  '��' => '몰',
  '��' => '몲',
  '��' => '몸',
  '��' => '몹',
  '��' => '못',
  '��' => '몽',
  '��' => '뫄',
  '��' => '뫈',
  '��' => '뫘',
  '��' => '뫙',
  '��' => '뫼',
  '�A' => '툪',
  '�B' => '툫',
  '�C' => '툮',
  '�D' => '툯',
  '�E' => '툱',
  '�F' => '툲',
  '�G' => '툳',
  '�H' => '툵',
  '�I' => '툶',
  '�J' => '툷',
  '�K' => '툸',
  '�L' => '툹',
  '�M' => '툺',
  '�N' => '툻',
  '�O' => '툾',
  '�P' => '퉀',
  '�Q' => '퉂',
  '�R' => '퉃',
  '�S' => '퉄',
  '�T' => '퉅',
  '�U' => '퉆',
  '�V' => '퉇',
  '�W' => '퉉',
  '�X' => '퉊',
  '�Y' => '퉋',
  '�Z' => '퉌',
  '�a' => '퉍',
  '�b' => '퉎',
  '�c' => '퉏',
  '�d' => '퉐',
  '�e' => '퉑',
  '�f' => '퉒',
  '�g' => '퉓',
  '�h' => '퉔',
  '�i' => '퉕',
  '�j' => '퉖',
  '�k' => '퉗',
  '�l' => '퉘',
  '�m' => '퉙',
  '�n' => '퉚',
  '�o' => '퉛',
  '�p' => '퉝',
  '�q' => '퉞',
  '�r' => '퉟',
  '�s' => '퉠',
  '�t' => '퉡',
  '�u' => '퉢',
  '�v' => '퉣',
  '�w' => '퉥',
  '�x' => '퉦',
  '�y' => '퉧',
  '�z' => '퉨',
  '��' => '퉩',
  '��' => '퉪',
  '��' => '퉫',
  '��' => '퉬',
  '��' => '퉭',
  '��' => '퉮',
  '��' => '퉯',
  '��' => '퉰',
  '��' => '퉱',
  '��' => '퉲',
  '��' => '퉳',
  '��' => '퉴',
  '��' => '퉵',
  '��' => '퉶',
  '��' => '퉷',
  '��' => '퉸',
  '��' => '퉹',
  '��' => '퉺',
  '��' => '퉻',
  '��' => '퉼',
  '��' => '퉽',
  '��' => '퉾',
  '��' => '퉿',
  '��' => '튂',
  '��' => '튃',
  '��' => '튅',
  '��' => '튆',
  '��' => '튇',
  '��' => '튉',
  '��' => '튊',
  '��' => '튋',
  '��' => '튌',
  '��' => '묀',
  '��' => '묄',
  '��' => '묍',
  '��' => '묏',
  '��' => '묑',
  '��' => '묘',
  '��' => '묜',
  '��' => '묠',
  '��' => '묩',
  '��' => '묫',
  '��' => '무',
  '��' => '묵',
  '��' => '묶',
  '��' => '문',
  '��' => '묻',
  '��' => '물',
  '��' => '묽',
  '��' => '묾',
  '��' => '뭄',
  '��' => '뭅',
  '��' => '뭇',
  '��' => '뭉',
  '��' => '뭍',
  '��' => '뭏',
  '��' => '뭐',
  '��' => '뭔',
  '��' => '뭘',
  '��' => '뭡',
  '��' => '뭣',
  '��' => '뭬',
  '��' => '뮈',
  '��' => '뮌',
  '��' => '뮐',
  '��' => '뮤',
  '��' => '뮨',
  '��' => '뮬',
  '��' => '뮴',
  '��' => '뮷',
  '��' => '므',
  '��' => '믄',
  '��' => '믈',
  '��' => '믐',
  '��' => '믓',
  '��' => '미',
  '��' => '믹',
  '��' => '민',
  '��' => '믿',
  '��' => '밀',
  '��' => '밂',
  '��' => '밈',
  '��' => '밉',
  '��' => '밋',
  '��' => '밌',
  '��' => '밍',
  '��' => '및',
  '��' => '밑',
  '��' => '바',
  '��' => '박',
  '��' => '밖',
  '��' => '밗',
  '��' => '반',
  '��' => '받',
  '��' => '발',
  '��' => '밝',
  '��' => '밞',
  '��' => '밟',
  '��' => '밤',
  '��' => '밥',
  '��' => '밧',
  '��' => '방',
  '��' => '밭',
  '��' => '배',
  '��' => '백',
  '��' => '밴',
  '��' => '밸',
  '��' => '뱀',
  '��' => '뱁',
  '��' => '뱃',
  '��' => '뱄',
  '��' => '뱅',
  '��' => '뱉',
  '��' => '뱌',
  '��' => '뱍',
  '��' => '뱐',
  '��' => '뱝',
  '��' => '버',
  '��' => '벅',
  '��' => '번',
  '��' => '벋',
  '��' => '벌',
  '��' => '벎',
  '��' => '범',
  '��' => '법',
  '��' => '벗',
  '�A' => '튍',
  '�B' => '튎',
  '�C' => '튏',
  '�D' => '튒',
  '�E' => '튓',
  '�F' => '튔',
  '�G' => '튖',
  '�H' => '튗',
  '�I' => '튘',
  '�J' => '튙',
  '�K' => '튚',
  '�L' => '튛',
  '�M' => '튝',
  '�N' => '튞',
  '�O' => '튟',
  '�P' => '튡',
  '�Q' => '튢',
  '�R' => '튣',
  '�S' => '튥',
  '�T' => '튦',
  '�U' => '튧',
  '�V' => '튨',
  '�W' => '튩',
  '�X' => '튪',
  '�Y' => '튫',
  '�Z' => '튭',
  '�a' => '튮',
  '�b' => '튯',
  '�c' => '튰',
  '�d' => '튲',
  '�e' => '튳',
  '�f' => '튴',
  '�g' => '튵',
  '�h' => '튶',
  '�i' => '튷',
  '�j' => '튺',
  '�k' => '튻',
  '�l' => '튽',
  '�m' => '튾',
  '�n' => '틁',
  '�o' => '틃',
  '�p' => '틄',
  '�q' => '틅',
  '�r' => '틆',
  '�s' => '틇',
  '�t' => '틊',
  '�u' => '틌',
  '�v' => '틍',
  '�w' => '틎',
  '�x' => '틏',
  '�y' => '틐',
  '�z' => '틑',
  '��' => '틒',
  '��' => '틓',
  '��' => '틕',
  '��' => '틖',
  '��' => '틗',
  '��' => '틙',
  '��' => '틚',
  '��' => '틛',
  '��' => '틝',
  '��' => '틞',
  '��' => '틟',
  '��' => '틠',
  '��' => '틡',
  '��' => '틢',
  '��' => '틣',
  '��' => '틦',
  '��' => '틧',
  '��' => '틨',
  '��' => '틩',
  '��' => '틪',
  '��' => '틫',
  '��' => '틬',
  '��' => '틭',
  '��' => '틮',
  '��' => '틯',
  '��' => '틲',
  '��' => '틳',
  '��' => '틵',
  '��' => '틶',
  '��' => '틷',
  '��' => '틹',
  '��' => '틺',
  '��' => '벙',
  '��' => '벚',
  '��' => '베',
  '��' => '벡',
  '��' => '벤',
  '��' => '벧',
  '��' => '벨',
  '��' => '벰',
  '��' => '벱',
  '��' => '벳',
  '��' => '벴',
  '��' => '벵',
  '��' => '벼',
  '��' => '벽',
  '��' => '변',
  '��' => '별',
  '��' => '볍',
  '��' => '볏',
  '��' => '볐',
  '��' => '병',
  '��' => '볕',
  '��' => '볘',
  '��' => '볜',
  '��' => '보',
  '��' => '복',
  '��' => '볶',
  '��' => '본',
  '��' => '볼',
  '��' => '봄',
  '��' => '봅',
  '��' => '봇',
  '��' => '봉',
  '��' => '봐',
  '��' => '봔',
  '��' => '봤',
  '��' => '봬',
  '��' => '뵀',
  '��' => '뵈',
  '��' => '뵉',
  '��' => '뵌',
  '��' => '뵐',
  '��' => '뵘',
  '��' => '뵙',
  '��' => '뵤',
  '��' => '뵨',
  '��' => '부',
  '��' => '북',
  '��' => '분',
  '��' => '붇',
  '��' => '불',
  '��' => '붉',
  '��' => '붊',
  '��' => '붐',
  '��' => '붑',
  '��' => '붓',
  '��' => '붕',
  '��' => '붙',
  '��' => '붚',
  '��' => '붜',
  '��' => '붤',
  '��' => '붰',
  '��' => '붸',
  '��' => '뷔',
  '��' => '뷕',
  '��' => '뷘',
  '��' => '뷜',
  '��' => '뷩',
  '��' => '뷰',
  '��' => '뷴',
  '��' => '뷸',
  '��' => '븀',
  '��' => '븃',
  '��' => '븅',
  '��' => '브',
  '��' => '븍',
  '��' => '븐',
  '��' => '블',
  '��' => '븜',
  '��' => '븝',
  '��' => '븟',
  '��' => '비',
  '��' => '빅',
  '��' => '빈',
  '��' => '빌',
  '��' => '빎',
  '��' => '빔',
  '��' => '빕',
  '��' => '빗',
  '��' => '빙',
  '��' => '빚',
  '��' => '빛',
  '��' => '빠',
  '��' => '빡',
  '��' => '빤',
  '�A' => '틻',
  '�B' => '틼',
  '�C' => '틽',
  '�D' => '틾',
  '�E' => '틿',
  '�F' => '팂',
  '�G' => '팄',
  '�H' => '팆',
  '�I' => '팇',
  '�J' => '팈',
  '�K' => '팉',
  '�L' => '팊',
  '�M' => '팋',
  '�N' => '팏',
  '�O' => '팑',
  '�P' => '팒',
  '�Q' => '팓',
  '�R' => '팕',
  '�S' => '팗',
  '�T' => '팘',
  '�U' => '팙',
  '�V' => '팚',
  '�W' => '팛',
  '�X' => '팞',
  '�Y' => '팢',
  '�Z' => '팣',
  '�a' => '팤',
  '�b' => '팦',
  '�c' => '팧',
  '�d' => '팪',
  '�e' => '팫',
  '�f' => '팭',
  '�g' => '팮',
  '�h' => '팯',
  '�i' => '팱',
  '�j' => '팲',
  '�k' => '팳',
  '�l' => '팴',
  '�m' => '팵',
  '�n' => '팶',
  '�o' => '팷',
  '�p' => '팺',
  '�q' => '팾',
  '�r' => '팿',
  '�s' => '퍀',
  '�t' => '퍁',
  '�u' => '퍂',
  '�v' => '퍃',
  '�w' => '퍆',
  '�x' => '퍇',
  '�y' => '퍈',
  '�z' => '퍉',
  '��' => '퍊',
  '��' => '퍋',
  '��' => '퍌',
  '��' => '퍍',
  '��' => '퍎',
  '��' => '퍏',
  '��' => '퍐',
  '��' => '퍑',
  '��' => '퍒',
  '��' => '퍓',
  '��' => '퍔',
  '��' => '퍕',
  '��' => '퍖',
  '��' => '퍗',
  '��' => '퍘',
  '��' => '퍙',
  '��' => '퍚',
  '��' => '퍛',
  '��' => '퍜',
  '��' => '퍝',
  '��' => '퍞',
  '��' => '퍟',
  '��' => '퍠',
  '��' => '퍡',
  '��' => '퍢',
  '��' => '퍣',
  '��' => '퍤',
  '��' => '퍥',
  '��' => '퍦',
  '��' => '퍧',
  '��' => '퍨',
  '��' => '퍩',
  '��' => '빨',
  '��' => '빪',
  '��' => '빰',
  '��' => '빱',
  '��' => '빳',
  '��' => '빴',
  '��' => '빵',
  '��' => '빻',
  '��' => '빼',
  '��' => '빽',
  '��' => '뺀',
  '��' => '뺄',
  '��' => '뺌',
  '��' => '뺍',
  '��' => '뺏',
  '��' => '뺐',
  '��' => '뺑',
  '��' => '뺘',
  '��' => '뺙',
  '��' => '뺨',
  '��' => '뻐',
  '��' => '뻑',
  '��' => '뻔',
  '��' => '뻗',
  '��' => '뻘',
  '��' => '뻠',
  '��' => '뻣',
  '��' => '뻤',
  '��' => '뻥',
  '��' => '뻬',
  '��' => '뼁',
  '��' => '뼈',
  '��' => '뼉',
  '��' => '뼘',
  '��' => '뼙',
  '��' => '뼛',
  '��' => '뼜',
  '��' => '뼝',
  '��' => '뽀',
  '��' => '뽁',
  '��' => '뽄',
  '��' => '뽈',
  '��' => '뽐',
  '��' => '뽑',
  '��' => '뽕',
  '��' => '뾔',
  '��' => '뾰',
  '��' => '뿅',
  '��' => '뿌',
  '��' => '뿍',
  '��' => '뿐',
  '��' => '뿔',
  '��' => '뿜',
  '��' => '뿟',
  '��' => '뿡',
  '��' => '쀼',
  '��' => '쁑',
  '��' => '쁘',
  '��' => '쁜',
  '��' => '쁠',
  '��' => '쁨',
  '��' => '쁩',
  '��' => '삐',
  '��' => '삑',
  '��' => '삔',
  '��' => '삘',
  '��' => '삠',
  '��' => '삡',
  '��' => '삣',
  '��' => '삥',
  '��' => '사',
  '��' => '삭',
  '��' => '삯',
  '��' => '산',
  '��' => '삳',
  '��' => '살',
  '��' => '삵',
  '��' => '삶',
  '��' => '삼',
  '��' => '삽',
  '��' => '삿',
  '��' => '샀',
  '��' => '상',
  '��' => '샅',
  '��' => '새',
  '��' => '색',
  '��' => '샌',
  '��' => '샐',
  '��' => '샘',
  '��' => '샙',
  '��' => '샛',
  '��' => '샜',
  '��' => '생',
  '��' => '샤',
  '�A' => '퍪',
  '�B' => '퍫',
  '�C' => '퍬',
  '�D' => '퍭',
  '�E' => '퍮',
  '�F' => '퍯',
  '�G' => '퍰',
  '�H' => '퍱',
  '�I' => '퍲',
  '�J' => '퍳',
  '�K' => '퍴',
  '�L' => '퍵',
  '�M' => '퍶',
  '�N' => '퍷',
  '�O' => '퍸',
  '�P' => '퍹',
  '�Q' => '퍺',
  '�R' => '퍻',
  '�S' => '퍾',
  '�T' => '퍿',
  '�U' => '펁',
  '�V' => '펂',
  '�W' => '펃',
  '�X' => '펅',
  '�Y' => '펆',
  '�Z' => '펇',
  '�a' => '펈',
  '�b' => '펉',
  '�c' => '펊',
  '�d' => '펋',
  '�e' => '펎',
  '�f' => '펒',
  '�g' => '펓',
  '�h' => '펔',
  '�i' => '펕',
  '�j' => '펖',
  '�k' => '펗',
  '�l' => '펚',
  '�m' => '펛',
  '�n' => '펝',
  '�o' => '펞',
  '�p' => '펟',
  '�q' => '펡',
  '�r' => '펢',
  '�s' => '펣',
  '�t' => '펤',
  '�u' => '펥',
  '�v' => '펦',
  '�w' => '펧',
  '�x' => '펪',
  '�y' => '펬',
  '�z' => '펮',
  '��' => '펯',
  '��' => '펰',
  '��' => '펱',
  '��' => '펲',
  '��' => '펳',
  '��' => '펵',
  '��' => '펶',
  '��' => '펷',
  '��' => '펹',
  '��' => '펺',
  '��' => '펻',
  '��' => '펽',
  '��' => '펾',
  '��' => '펿',
  '��' => '폀',
  '��' => '폁',
  '��' => '폂',
  '��' => '폃',
  '��' => '폆',
  '��' => '폇',
  '��' => '폊',
  '��' => '폋',
  '��' => '폌',
  '��' => '폍',
  '��' => '폎',
  '��' => '폏',
  '��' => '폑',
  '��' => '폒',
  '��' => '폓',
  '��' => '폔',
  '��' => '폕',
  '��' => '폖',
  '��' => '샥',
  '��' => '샨',
  '��' => '샬',
  '��' => '샴',
  '��' => '샵',
  '��' => '샷',
  '��' => '샹',
  '��' => '섀',
  '��' => '섄',
  '��' => '섈',
  '��' => '섐',
  '��' => '섕',
  '��' => '서',
  '��' => '석',
  '��' => '섞',
  '��' => '섟',
  '��' => '선',
  '��' => '섣',
  '��' => '설',
  '��' => '섦',
  '��' => '섧',
  '��' => '섬',
  '��' => '섭',
  '��' => '섯',
  '��' => '섰',
  '��' => '성',
  '��' => '섶',
  '��' => '세',
  '��' => '섹',
  '��' => '센',
  '��' => '셀',
  '��' => '셈',
  '��' => '셉',
  '��' => '셋',
  '��' => '셌',
  '��' => '셍',
  '��' => '셔',
  '��' => '셕',
  '��' => '션',
  '��' => '셜',
  '��' => '셤',
  '��' => '셥',
  '��' => '셧',
  '��' => '셨',
  '��' => '셩',
  '��' => '셰',
  '��' => '셴',
  '��' => '셸',
  '��' => '솅',
  '��' => '소',
  '��' => '속',
  '��' => '솎',
  '��' => '손',
  '��' => '솔',
  '��' => '솖',
  '��' => '솜',
  '��' => '솝',
  '��' => '솟',
  '��' => '송',
  '��' => '솥',
  '��' => '솨',
  '��' => '솩',
  '��' => '솬',
  '��' => '솰',
  '��' => '솽',
  '��' => '쇄',
  '��' => '쇈',
  '��' => '쇌',
  '��' => '쇔',
  '��' => '쇗',
  '��' => '쇘',
  '��' => '쇠',
  '��' => '쇤',
  '��' => '쇨',
  '��' => '쇰',
  '��' => '쇱',
  '��' => '쇳',
  '��' => '쇼',
  '��' => '쇽',
  '��' => '숀',
  '��' => '숄',
  '��' => '숌',
  '��' => '숍',
  '��' => '숏',
  '��' => '숑',
  '��' => '수',
  '��' => '숙',
  '��' => '순',
  '��' => '숟',
  '��' => '술',
  '��' => '숨',
  '��' => '숩',
  '��' => '숫',
  '��' => '숭',
  '�A' => '폗',
  '�B' => '폙',
  '�C' => '폚',
  '�D' => '폛',
  '�E' => '폜',
  '�F' => '폝',
  '�G' => '폞',
  '�H' => '폟',
  '�I' => '폠',
  '�J' => '폢',
  '�K' => '폤',
  '�L' => '폥',
  '�M' => '폦',
  '�N' => '폧',
  '�O' => '폨',
  '�P' => '폩',
  '�Q' => '폪',
  '�R' => '폫',
  '�S' => '폮',
  '�T' => '폯',
  '�U' => '폱',
  '�V' => '폲',
  '�W' => '폳',
  '�X' => '폵',
  '�Y' => '폶',
  '�Z' => '폷',
  '�a' => '폸',
  '�b' => '폹',
  '�c' => '폺',
  '�d' => '폻',
  '�e' => '폾',
  '�f' => '퐀',
  '�g' => '퐂',
  '�h' => '퐃',
  '�i' => '퐄',
  '�j' => '퐅',
  '�k' => '퐆',
  '�l' => '퐇',
  '�m' => '퐉',
  '�n' => '퐊',
  '�o' => '퐋',
  '�p' => '퐌',
  '�q' => '퐍',
  '�r' => '퐎',
  '�s' => '퐏',
  '�t' => '퐐',
  '�u' => '퐑',
  '�v' => '퐒',
  '�w' => '퐓',
  '�x' => '퐔',
  '�y' => '퐕',
  '�z' => '퐖',
  '��' => '퐗',
  '��' => '퐘',
  '��' => '퐙',
  '��' => '퐚',
  '��' => '퐛',
  '��' => '퐜',
  '��' => '퐞',
  '��' => '퐟',
  '��' => '퐠',
  '��' => '퐡',
  '��' => '퐢',
  '��' => '퐣',
  '��' => '퐤',
  '��' => '퐥',
  '��' => '퐦',
  '��' => '퐧',
  '��' => '퐨',
  '��' => '퐩',
  '��' => '퐪',
  '��' => '퐫',
  '��' => '퐬',
  '��' => '퐭',
  '��' => '퐮',
  '��' => '퐯',
  '��' => '퐰',
  '��' => '퐱',
  '��' => '퐲',
  '��' => '퐳',
  '��' => '퐴',
  '��' => '퐵',
  '��' => '퐶',
  '��' => '퐷',
  '��' => '숯',
  '��' => '숱',
  '��' => '숲',
  '��' => '숴',
  '��' => '쉈',
  '��' => '쉐',
  '��' => '쉑',
  '��' => '쉔',
  '��' => '쉘',
  '��' => '쉠',
  '��' => '쉥',
  '��' => '쉬',
  '��' => '쉭',
  '��' => '쉰',
  '��' => '쉴',
  '��' => '쉼',
  '��' => '쉽',
  '��' => '쉿',
  '��' => '슁',
  '��' => '슈',
  '��' => '슉',
  '��' => '슐',
  '��' => '슘',
  '��' => '슛',
  '��' => '슝',
  '��' => '스',
  '��' => '슥',
  '��' => '슨',
  '��' => '슬',
  '��' => '슭',
  '��' => '슴',
  '��' => '습',
  '��' => '슷',
  '��' => '승',
  '��' => '시',
  '��' => '식',
  '��' => '신',
  '��' => '싣',
  '��' => '실',
  '��' => '싫',
  '��' => '심',
  '��' => '십',
  '��' => '싯',
  '��' => '싱',
  '��' => '싶',
  '��' => '싸',
  '��' => '싹',
  '��' => '싻',
  '��' => '싼',
  '��' => '쌀',
  '��' => '쌈',
  '��' => '쌉',
  '��' => '쌌',
  '��' => '쌍',
  '��' => '쌓',
  '��' => '쌔',
  '��' => '쌕',
  '��' => '쌘',
  '��' => '쌜',
  '��' => '쌤',
  '��' => '쌥',
  '��' => '쌨',
  '��' => '쌩',
  '��' => '썅',
  '��' => '써',
  '��' => '썩',
  '��' => '썬',
  '��' => '썰',
  '��' => '썲',
  '��' => '썸',
  '��' => '썹',
  '��' => '썼',
  '��' => '썽',
  '��' => '쎄',
  '��' => '쎈',
  '��' => '쎌',
  '��' => '쏀',
  '��' => '쏘',
  '��' => '쏙',
  '��' => '쏜',
  '��' => '쏟',
  '��' => '쏠',
  '��' => '쏢',
  '��' => '쏨',
  '��' => '쏩',
  '��' => '쏭',
  '��' => '쏴',
  '��' => '쏵',
  '��' => '쏸',
  '��' => '쐈',
  '��' => '쐐',
  '��' => '쐤',
  '��' => '쐬',
  '��' => '쐰',
  '�A' => '퐸',
  '�B' => '퐹',
  '�C' => '퐺',
  '�D' => '퐻',
  '�E' => '퐼',
  '�F' => '퐽',
  '�G' => '퐾',
  '�H' => '퐿',
  '�I' => '푁',
  '�J' => '푂',
  '�K' => '푃',
  '�L' => '푅',
  '�M' => '푆',
  '�N' => '푇',
  '�O' => '푈',
  '�P' => '푉',
  '�Q' => '푊',
  '�R' => '푋',
  '�S' => '푌',
  '�T' => '푍',
  '�U' => '푎',
  '�V' => '푏',
  '�W' => '푐',
  '�X' => '푑',
  '�Y' => '푒',
  '�Z' => '푓',
  '�a' => '푔',
  '�b' => '푕',
  '�c' => '푖',
  '�d' => '푗',
  '�e' => '푘',
  '�f' => '푙',
  '�g' => '푚',
  '�h' => '푛',
  '�i' => '푝',
  '�j' => '푞',
  '�k' => '푟',
  '�l' => '푡',
  '�m' => '푢',
  '�n' => '푣',
  '�o' => '푥',
  '�p' => '푦',
  '�q' => '푧',
  '�r' => '푨',
  '�s' => '푩',
  '�t' => '푪',
  '�u' => '푫',
  '�v' => '푬',
  '�w' => '푮',
  '�x' => '푰',
  '�y' => '푱',
  '�z' => '푲',
  '��' => '푳',
  '��' => '푴',
  '��' => '푵',
  '��' => '푶',
  '��' => '푷',
  '��' => '푺',
  '��' => '푻',
  '��' => '푽',
  '��' => '푾',
  '��' => '풁',
  '��' => '풃',
  '��' => '풄',
  '��' => '풅',
  '��' => '풆',
  '��' => '풇',
  '��' => '풊',
  '��' => '풌',
  '��' => '풎',
  '��' => '풏',
  '��' => '풐',
  '��' => '풑',
  '��' => '풒',
  '��' => '풓',
  '��' => '풕',
  '��' => '풖',
  '��' => '풗',
  '��' => '풘',
  '��' => '풙',
  '��' => '풚',
  '��' => '풛',
  '��' => '풜',
  '��' => '풝',
  '��' => '쐴',
  '��' => '쐼',
  '��' => '쐽',
  '��' => '쑈',
  '��' => '쑤',
  '��' => '쑥',
  '��' => '쑨',
  '��' => '쑬',
  '��' => '쑴',
  '��' => '쑵',
  '��' => '쑹',
  '��' => '쒀',
  '��' => '쒔',
  '��' => '쒜',
  '��' => '쒸',
  '��' => '쒼',
  '��' => '쓩',
  '��' => '쓰',
  '��' => '쓱',
  '��' => '쓴',
  '��' => '쓸',
  '��' => '쓺',
  '��' => '쓿',
  '��' => '씀',
  '��' => '씁',
  '��' => '씌',
  '��' => '씐',
  '��' => '씔',
  '��' => '씜',
  '��' => '씨',
  '��' => '씩',
  '��' => '씬',
  '��' => '씰',
  '��' => '씸',
  '��' => '씹',
  '��' => '씻',
  '��' => '씽',
  '��' => '아',
  '��' => '악',
  '��' => '안',
  '��' => '앉',
  '��' => '않',
  '��' => '알',
  '��' => '앍',
  '��' => '앎',
  '��' => '앓',
  '��' => '암',
  '��' => '압',
  '��' => '앗',
  '��' => '았',
  '��' => '앙',
  '��' => '앝',
  '��' => '앞',
  '��' => '애',
  '��' => '액',
  '��' => '앤',
  '��' => '앨',
  '��' => '앰',
  '��' => '앱',
  '��' => '앳',
  '��' => '앴',
  '��' => '앵',
  '��' => '야',
  '��' => '약',
  '��' => '얀',
  '��' => '얄',
  '��' => '얇',
  '��' => '얌',
  '��' => '얍',
  '��' => '얏',
  '��' => '양',
  '��' => '얕',
  '��' => '얗',
  '��' => '얘',
  '��' => '얜',
  '��' => '얠',
  '��' => '얩',
  '��' => '어',
  '��' => '억',
  '��' => '언',
  '��' => '얹',
  '��' => '얻',
  '��' => '얼',
  '��' => '얽',
  '��' => '얾',
  '��' => '엄',
  '��' => '업',
  '��' => '없',
  '��' => '엇',
  '��' => '었',
  '��' => '엉',
  '��' => '엊',
  '��' => '엌',
  '��' => '엎',
  '�A' => '풞',
  '�B' => '풟',
  '�C' => '풠',
  '�D' => '풡',
  '�E' => '풢',
  '�F' => '풣',
  '�G' => '풤',
  '�H' => '풥',
  '�I' => '풦',
  '�J' => '풧',
  '�K' => '풨',
  '�L' => '풪',
  '�M' => '풫',
  '�N' => '풬',
  '�O' => '풭',
  '�P' => '풮',
  '�Q' => '풯',
  '�R' => '풰',
  '�S' => '풱',
  '�T' => '풲',
  '�U' => '풳',
  '�V' => '풴',
  '�W' => '풵',
  '�X' => '풶',
  '�Y' => '풷',
  '�Z' => '풸',
  '�a' => '풹',
  '�b' => '풺',
  '�c' => '풻',
  '�d' => '풼',
  '�e' => '풽',
  '�f' => '풾',
  '�g' => '풿',
  '�h' => '퓀',
  '�i' => '퓁',
  '�j' => '퓂',
  '�k' => '퓃',
  '�l' => '퓄',
  '�m' => '퓅',
  '�n' => '퓆',
  '�o' => '퓇',
  '�p' => '퓈',
  '�q' => '퓉',
  '�r' => '퓊',
  '�s' => '퓋',
  '�t' => '퓍',
  '�u' => '퓎',
  '�v' => '퓏',
  '�w' => '퓑',
  '�x' => '퓒',
  '�y' => '퓓',
  '�z' => '퓕',
  '��' => '퓖',
  '��' => '퓗',
  '��' => '퓘',
  '��' => '퓙',
  '��' => '퓚',
  '��' => '퓛',
  '��' => '퓝',
  '��' => '퓞',
  '��' => '퓠',
  '��' => '퓡',
  '��' => '퓢',
  '��' => '퓣',
  '��' => '퓤',
  '��' => '퓥',
  '��' => '퓦',
  '��' => '퓧',
  '��' => '퓩',
  '��' => '퓪',
  '��' => '퓫',
  '��' => '퓭',
  '��' => '퓮',
  '��' => '퓯',
  '��' => '퓱',
  '��' => '퓲',
  '��' => '퓳',
  '��' => '퓴',
  '��' => '퓵',
  '��' => '퓶',
  '��' => '퓷',
  '��' => '퓹',
  '��' => '퓺',
  '��' => '퓼',
  '��' => '에',
  '��' => '엑',
  '��' => '엔',
  '��' => '엘',
  '��' => '엠',
  '��' => '엡',
  '��' => '엣',
  '��' => '엥',
  '��' => '여',
  '��' => '역',
  '��' => '엮',
  '��' => '연',
  '��' => '열',
  '��' => '엶',
  '��' => '엷',
  '��' => '염',
  '��' => '엽',
  '��' => '엾',
  '��' => '엿',
  '��' => '였',
  '��' => '영',
  '��' => '옅',
  '��' => '옆',
  '��' => '옇',
  '��' => '예',
  '��' => '옌',
  '��' => '옐',
  '��' => '옘',
  '��' => '옙',
  '��' => '옛',
  '��' => '옜',
  '��' => '오',
  '��' => '옥',
  '��' => '온',
  '��' => '올',
  '��' => '옭',
  '��' => '옮',
  '��' => '옰',
  '��' => '옳',
  '��' => '옴',
  '��' => '옵',
  '��' => '옷',
  '��' => '옹',
  '��' => '옻',
  '��' => '와',
  '��' => '왁',
  '��' => '완',
  '��' => '왈',
  '��' => '왐',
  '��' => '왑',
  '��' => '왓',
  '��' => '왔',
  '��' => '왕',
  '��' => '왜',
  '��' => '왝',
  '��' => '왠',
  '��' => '왬',
  '��' => '왯',
  '��' => '왱',
  '��' => '외',
  '��' => '왹',
  '��' => '왼',
  '��' => '욀',
  '��' => '욈',
  '��' => '욉',
  '��' => '욋',
  '��' => '욍',
  '��' => '요',
  '��' => '욕',
  '��' => '욘',
  '��' => '욜',
  '��' => '욤',
  '��' => '욥',
  '��' => '욧',
  '��' => '용',
  '��' => '우',
  '��' => '욱',
  '��' => '운',
  '��' => '울',
  '��' => '욹',
  '��' => '욺',
  '��' => '움',
  '��' => '웁',
  '��' => '웃',
  '��' => '웅',
  '��' => '워',
  '��' => '웍',
  '��' => '원',
  '��' => '월',
  '��' => '웜',
  '��' => '웝',
  '��' => '웠',
  '��' => '웡',
  '��' => '웨',
  '�A' => '퓾',
  '�B' => '퓿',
  '�C' => '픀',
  '�D' => '픁',
  '�E' => '픂',
  '�F' => '픃',
  '�G' => '픅',
  '�H' => '픆',
  '�I' => '픇',
  '�J' => '픉',
  '�K' => '픊',
  '�L' => '픋',
  '�M' => '픍',
  '�N' => '픎',
  '�O' => '픏',
  '�P' => '픐',
  '�Q' => '픑',
  '�R' => '픒',
  '�S' => '픓',
  '�T' => '픖',
  '�U' => '픘',
  '�V' => '픙',
  '�W' => '픚',
  '�X' => '픛',
  '�Y' => '픜',
  '�Z' => '픝',
  '�a' => '픞',
  '�b' => '픟',
  '�c' => '픠',
  '�d' => '픡',
  '�e' => '픢',
  '�f' => '픣',
  '�g' => '픤',
  '�h' => '픥',
  '�i' => '픦',
  '�j' => '픧',
  '�k' => '픨',
  '�l' => '픩',
  '�m' => '픪',
  '�n' => '픫',
  '�o' => '픬',
  '�p' => '픭',
  '�q' => '픮',
  '�r' => '픯',
  '�s' => '픰',
  '�t' => '픱',
  '�u' => '픲',
  '�v' => '픳',
  '�w' => '픴',
  '�x' => '픵',
  '�y' => '픶',
  '�z' => '픷',
  '��' => '픸',
  '��' => '픹',
  '��' => '픺',
  '��' => '픻',
  '��' => '픾',
  '��' => '픿',
  '��' => '핁',
  '��' => '핂',
  '��' => '핃',
  '��' => '핅',
  '��' => '핆',
  '��' => '핇',
  '��' => '핈',
  '��' => '핉',
  '��' => '핊',
  '��' => '핋',
  '��' => '핎',
  '��' => '핐',
  '��' => '핒',
  '��' => '핓',
  '��' => '핔',
  '��' => '핕',
  '��' => '핖',
  '��' => '핗',
  '��' => '핚',
  '��' => '핛',
  '��' => '핝',
  '��' => '핞',
  '��' => '핟',
  '��' => '핡',
  '��' => '핢',
  '��' => '핣',
  '��' => '웩',
  '��' => '웬',
  '��' => '웰',
  '��' => '웸',
  '��' => '웹',
  '��' => '웽',
  '��' => '위',
  '��' => '윅',
  '��' => '윈',
  '��' => '윌',
  '��' => '윔',
  '��' => '윕',
  '��' => '윗',
  '��' => '윙',
  '��' => '유',
  '��' => '육',
  '��' => '윤',
  '��' => '율',
  '��' => '윰',
  '��' => '윱',
  '��' => '윳',
  '��' => '융',
  '��' => '윷',
  '��' => '으',
  '��' => '윽',
  '��' => '은',
  '��' => '을',
  '��' => '읊',
  '��' => '음',
  '��' => '읍',
  '��' => '읏',
  '��' => '응',
  '��' => '읒',
  '��' => '읓',
  '��' => '읔',
  '��' => '읕',
  '��' => '읖',
  '��' => '읗',
  '��' => '의',
  '��' => '읜',
  '��' => '읠',
  '��' => '읨',
  '��' => '읫',
  '��' => '이',
  '��' => '익',
  '��' => '인',
  '��' => '일',
  '��' => '읽',
  '��' => '읾',
  '��' => '잃',
  '��' => '임',
  '��' => '입',
  '��' => '잇',
  '��' => '있',
  '��' => '잉',
  '��' => '잊',
  '��' => '잎',
  '��' => '자',
  '��' => '작',
  '��' => '잔',
  '��' => '잖',
  '��' => '잗',
  '��' => '잘',
  '��' => '잚',
  '��' => '잠',
  '��' => '잡',
  '��' => '잣',
  '��' => '잤',
  '��' => '장',
  '��' => '잦',
  '��' => '재',
  '��' => '잭',
  '��' => '잰',
  '��' => '잴',
  '��' => '잼',
  '��' => '잽',
  '��' => '잿',
  '��' => '쟀',
  '��' => '쟁',
  '��' => '쟈',
  '��' => '쟉',
  '��' => '쟌',
  '��' => '쟎',
  '��' => '쟐',
  '��' => '쟘',
  '��' => '쟝',
  '��' => '쟤',
  '��' => '쟨',
  '��' => '쟬',
  '��' => '저',
  '��' => '적',
  '��' => '전',
  '��' => '절',
  '��' => '젊',
  '�A' => '핤',
  '�B' => '핦',
  '�C' => '핧',
  '�D' => '핪',
  '�E' => '핬',
  '�F' => '핮',
  '�G' => '핯',
  '�H' => '핰',
  '�I' => '핱',
  '�J' => '핲',
  '�K' => '핳',
  '�L' => '핶',
  '�M' => '핷',
  '�N' => '핹',
  '�O' => '핺',
  '�P' => '핻',
  '�Q' => '핽',
  '�R' => '핾',
  '�S' => '핿',
  '�T' => '햀',
  '�U' => '햁',
  '�V' => '햂',
  '�W' => '햃',
  '�X' => '햆',
  '�Y' => '햊',
  '�Z' => '햋',
  '�a' => '햌',
  '�b' => '햍',
  '�c' => '햎',
  '�d' => '햏',
  '�e' => '햑',
  '�f' => '햒',
  '�g' => '햓',
  '�h' => '햔',
  '�i' => '햕',
  '�j' => '햖',
  '�k' => '햗',
  '�l' => '햘',
  '�m' => '햙',
  '�n' => '햚',
  '�o' => '햛',
  '�p' => '햜',
  '�q' => '햝',
  '�r' => '햞',
  '�s' => '햟',
  '�t' => '햠',
  '�u' => '햡',
  '�v' => '햢',
  '�w' => '햣',
  '�x' => '햤',
  '�y' => '햦',
  '�z' => '햧',
  '��' => '햨',
  '��' => '햩',
  '��' => '햪',
  '��' => '햫',
  '��' => '햬',
  '��' => '햭',
  '��' => '햮',
  '��' => '햯',
  '��' => '햰',
  '��' => '햱',
  '��' => '햲',
  '��' => '햳',
  '��' => '햴',
  '��' => '햵',
  '��' => '햶',
  '��' => '햷',
  '��' => '햸',
  '��' => '햹',
  '��' => '햺',
  '��' => '햻',
  '��' => '햼',
  '��' => '햽',
  '��' => '햾',
  '��' => '햿',
  '��' => '헀',
  '��' => '헁',
  '��' => '헂',
  '��' => '헃',
  '��' => '헄',
  '��' => '헅',
  '��' => '헆',
  '��' => '헇',
  '��' => '점',
  '��' => '접',
  '��' => '젓',
  '��' => '정',
  '��' => '젖',
  '��' => '제',
  '��' => '젝',
  '��' => '젠',
  '��' => '젤',
  '��' => '젬',
  '��' => '젭',
  '��' => '젯',
  '��' => '젱',
  '��' => '져',
  '��' => '젼',
  '��' => '졀',
  '��' => '졈',
  '��' => '졉',
  '��' => '졌',
  '��' => '졍',
  '��' => '졔',
  '��' => '조',
  '��' => '족',
  '��' => '존',
  '��' => '졸',
  '��' => '졺',
  '��' => '좀',
  '��' => '좁',
  '��' => '좃',
  '��' => '종',
  '��' => '좆',
  '��' => '좇',
  '��' => '좋',
  '��' => '좌',
  '��' => '좍',
  '��' => '좔',
  '��' => '좝',
  '��' => '좟',
  '��' => '좡',
  '��' => '좨',
  '��' => '좼',
  '��' => '좽',
  '��' => '죄',
  '��' => '죈',
  '��' => '죌',
  '��' => '죔',
  '��' => '죕',
  '��' => '죗',
  '��' => '죙',
  '��' => '죠',
  '��' => '죡',
  '��' => '죤',
  '��' => '죵',
  '��' => '주',
  '��' => '죽',
  '��' => '준',
  '��' => '줄',
  '��' => '줅',
  '��' => '줆',
  '��' => '줌',
  '��' => '줍',
  '��' => '줏',
  '��' => '중',
  '��' => '줘',
  '��' => '줬',
  '��' => '줴',
  '��' => '쥐',
  '��' => '쥑',
  '��' => '쥔',
  '��' => '쥘',
  '��' => '쥠',
  '��' => '쥡',
  '��' => '쥣',
  '��' => '쥬',
  '��' => '쥰',
  '��' => '쥴',
  '��' => '쥼',
  '��' => '즈',
  '��' => '즉',
  '��' => '즌',
  '��' => '즐',
  '��' => '즘',
  '��' => '즙',
  '��' => '즛',
  '��' => '증',
  '��' => '지',
  '��' => '직',
  '��' => '진',
  '��' => '짇',
  '��' => '질',
  '��' => '짊',
  '��' => '짐',
  '��' => '집',
  '��' => '짓',
  '�A' => '헊',
  '�B' => '헋',
  '�C' => '헍',
  '�D' => '헎',
  '�E' => '헏',
  '�F' => '헑',
  '�G' => '헓',
  '�H' => '헔',
  '�I' => '헕',
  '�J' => '헖',
  '�K' => '헗',
  '�L' => '헚',
  '�M' => '헜',
  '�N' => '헞',
  '�O' => '헟',
  '�P' => '헠',
  '�Q' => '헡',
  '�R' => '헢',
  '�S' => '헣',
  '�T' => '헦',
  '�U' => '헧',
  '�V' => '헩',
  '�W' => '헪',
  '�X' => '헫',
  '�Y' => '헭',
  '�Z' => '헮',
  '�a' => '헯',
  '�b' => '헰',
  '�c' => '헱',
  '�d' => '헲',
  '�e' => '헳',
  '�f' => '헶',
  '�g' => '헸',
  '�h' => '헺',
  '�i' => '헻',
  '�j' => '헼',
  '�k' => '헽',
  '�l' => '헾',
  '�m' => '헿',
  '�n' => '혂',
  '�o' => '혃',
  '�p' => '혅',
  '�q' => '혆',
  '�r' => '혇',
  '�s' => '혉',
  '�t' => '혊',
  '�u' => '혋',
  '�v' => '혌',
  '�w' => '혍',
  '�x' => '혎',
  '�y' => '혏',
  '�z' => '혒',
  '' => '혖',
  '‚' => '혗',
  'ƒ' => '혘',
  '„' => '혙',
  '…' => '혚',
  '†' => '혛',
  '‡' => '혝',
  'ˆ' => '혞',
  '‰' => '혟',
  'Š' => '혡',
  '‹' => '혢',
  'Œ' => '혣',
  '' => '혥',
  'Ž' => '혦',
  '' => '혧',
  '' => '혨',
  '‘' => '혩',
  '’' => '혪',
  '“' => '혫',
  '”' => '혬',
  '•' => '혮',
  '–' => '혯',
  '—' => '혰',
  '˜' => '혱',
  '™' => '혲',
  'š' => '혳',
  '›' => '혴',
  'œ' => '혵',
  '' => '혶',
  'ž' => '혷',
  'Ÿ' => '혺',
  ' ' => '혻',
  '¡' => '징',
  '¢' => '짖',
  '£' => '짙',
  '¤' => '짚',
  '¥' => '짜',
  '¦' => '짝',
  '§' => '짠',
  '¨' => '짢',
  '©' => '짤',
  'ª' => '짧',
  '«' => '짬',
  '¬' => '짭',
  '­' => '짯',
  '®' => '짰',
  '¯' => '짱',
  '°' => '째',
  '±' => '짹',
  '²' => '짼',
  '³' => '쨀',
  '´' => '쨈',
  'µ' => '쨉',
  '¶' => '쨋',
  '·' => '쨌',
  '¸' => '쨍',
  '¹' => '쨔',
  'º' => '쨘',
  '»' => '쨩',
  '¼' => '쩌',
  '½' => '쩍',
  '¾' => '쩐',
  '¿' => '쩔',
  '�' => '쩜',
  '�' => '쩝',
  '��' => '쩟',
  '��' => '쩠',
  '��' => '쩡',
  '��' => '쩨',
  '��' => '쩽',
  '��' => '쪄',
  '��' => '쪘',
  '��' => '쪼',
  '��' => '쪽',
  '��' => '쫀',
  '��' => '쫄',
  '��' => '쫌',
  '��' => '쫍',
  '��' => '쫏',
  '��' => '쫑',
  '��' => '쫓',
  '��' => '쫘',
  '��' => '쫙',
  '��' => '쫠',
  '��' => '쫬',
  '��' => '쫴',
  '��' => '쬈',
  '��' => '쬐',
  '��' => '쬔',
  '��' => '쬘',
  '��' => '쬠',
  '��' => '쬡',
  '��' => '쭁',
  '��' => '쭈',
  '��' => '쭉',
  '��' => '쭌',
  '��' => '쭐',
  '��' => '쭘',
  '��' => '쭙',
  '��' => '쭝',
  '��' => '쭤',
  '��' => '쭸',
  '��' => '쭹',
  '��' => '쮜',
  '��' => '쮸',
  '��' => '쯔',
  '��' => '쯤',
  '��' => '쯧',
  '��' => '쯩',
  '��' => '찌',
  '��' => '찍',
  '��' => '찐',
  '��' => '찔',
  '��' => '찜',
  '��' => '찝',
  '��' => '찡',
  '�' => '찢',
  '�' => '찧',
  '�' => '차',
  '�' => '착',
  '�' => '찬',
  '�' => '찮',
  '�' => '찰',
  '�' => '참',
  '�' => '찹',
  '�' => '찻',
  '�A' => '혽',
  '�B' => '혾',
  '�C' => '혿',
  '�D' => '홁',
  '�E' => '홂',
  '�F' => '홃',
  '�G' => '홄',
  '�H' => '홆',
  '�I' => '홇',
  '�J' => '홊',
  '�K' => '홌',
  '�L' => '홎',
  '�M' => '홏',
  '�N' => '홐',
  '�O' => '홒',
  '�P' => '홓',
  '�Q' => '홖',
  '�R' => '홗',
  '�S' => '홙',
  '�T' => '홚',
  '�U' => '홛',
  '�V' => '홝',
  '�W' => '홞',
  '�X' => '홟',
  '�Y' => '홠',
  '�Z' => '홡',
  '�a' => '홢',
  '�b' => '홣',
  '�c' => '홤',
  '�d' => '홥',
  '�e' => '홦',
  '�f' => '홨',
  '�g' => '홪',
  '�h' => '홫',
  '�i' => '홬',
  '�j' => '홭',
  '�k' => '홮',
  '�l' => '홯',
  '�m' => '홲',
  '�n' => '홳',
  '�o' => '홵',
  '�p' => '홶',
  '�q' => '홷',
  '�r' => '홸',
  '�s' => '홹',
  '�t' => '홺',
  '�u' => '홻',
  '�v' => '홼',
  '�w' => '홽',
  '�x' => '홾',
  '�y' => '홿',
  '�z' => '횀',
  'Á' => '횁',
  'Â' => '횂',
  'Ã' => '횄',
  'Ä' => '횆',
  'Å' => '횇',
  'Æ' => '횈',
  'Ç' => '횉',
  'È' => '횊',
  'É' => '횋',
  'Ê' => '횎',
  'Ë' => '횏',
  'Ì' => '횑',
  'Í' => '횒',
  'Î' => '횓',
  'Ï' => '횕',
  'Ð' => '횖',
  'Ñ' => '횗',
  'Ò' => '횘',
  'Ó' => '횙',
  'Ô' => '횚',
  'Õ' => '횛',
  'Ö' => '횜',
  '×' => '횞',
  'Ø' => '횠',
  'Ù' => '횢',
  'Ú' => '횣',
  'Û' => '횤',
  'Ü' => '횥',
  'Ý' => '횦',
  'Þ' => '횧',
  'ß' => '횩',
  'à' => '횪',
  'á' => '찼',
  'â' => '창',
  'ã' => '찾',
  'ä' => '채',
  'å' => '책',
  'æ' => '챈',
  'ç' => '챌',
  'è' => '챔',
  'é' => '챕',
  'ê' => '챗',
  'ë' => '챘',
  'ì' => '챙',
  'í' => '챠',
  'î' => '챤',
  'ï' => '챦',
  'ð' => '챨',
  'ñ' => '챰',
  'ò' => '챵',
  'ó' => '처',
  'ô' => '척',
  'õ' => '천',
  'ö' => '철',
  '÷' => '첨',
  'ø' => '첩',
  'ù' => '첫',
  'ú' => '첬',
  'û' => '청',
  'ü' => '체',
  'ý' => '첵',
  'þ' => '첸',
  'ÿ' => '첼',
  '�' => '쳄',
  '�' => '쳅',
  '��' => '쳇',
  '��' => '쳉',
  '��' => '쳐',
  '��' => '쳔',
  '��' => '쳤',
  '��' => '쳬',
  '��' => '쳰',
  '��' => '촁',
  '��' => '초',
  '��' => '촉',
  '��' => '촌',
  '��' => '촐',
  '��' => '촘',
  '��' => '촙',
  '��' => '촛',
  '��' => '총',
  '��' => '촤',
  '��' => '촨',
  '��' => '촬',
  '��' => '촹',
  '��' => '최',
  '��' => '쵠',
  '��' => '쵤',
  '��' => '쵬',
  '��' => '쵭',
  '��' => '쵯',
  '��' => '쵱',
  '��' => '쵸',
  '��' => '춈',
  '��' => '추',
  '��' => '축',
  '��' => '춘',
  '��' => '출',
  '��' => '춤',
  '��' => '춥',
  '��' => '춧',
  '��' => '충',
  '��' => '춰',
  '��' => '췄',
  '��' => '췌',
  '��' => '췐',
  '��' => '취',
  '��' => '췬',
  '��' => '췰',
  '��' => '췸',
  '��' => '췹',
  '��' => '췻',
  '��' => '췽',
  '��' => '츄',
  '��' => '츈',
  '��' => '츌',
  '�' => '츔',
  '�' => '츙',
  '�' => '츠',
  '�' => '측',
  '�' => '츤',
  '�' => '츨',
  '�' => '츰',
  '�' => '츱',
  '�' => '츳',
  '�' => '층',
  '�A' => '횫',
  '�B' => '횭',
  '�C' => '횮',
  '�D' => '횯',
  '�E' => '횱',
  '�F' => '횲',
  '�G' => '횳',
  '�H' => '횴',
  '�I' => '횵',
  '�J' => '횶',
  '�K' => '횷',
  '�L' => '횸',
  '�M' => '횺',
  '�N' => '횼',
  '�O' => '횽',
  '�P' => '횾',
  '�Q' => '횿',
  '�R' => '훀',
  '�S' => '훁',
  '�T' => '훂',
  '�U' => '훃',
  '�V' => '훆',
  '�W' => '훇',
  '�X' => '훉',
  '�Y' => '훊',
  '�Z' => '훋',
  '�a' => '훍',
  '�b' => '훎',
  '�c' => '훏',
  '�d' => '훐',
  '�e' => '훒',
  '�f' => '훓',
  '�g' => '훕',
  '�h' => '훖',
  '�i' => '훘',
  '�j' => '훚',
  '�k' => '훛',
  '�l' => '훜',
  '�m' => '훝',
  '�n' => '훞',
  '�o' => '훟',
  '�p' => '훡',
  '�q' => '훢',
  '�r' => '훣',
  '�s' => '훥',
  '�t' => '훦',
  '�u' => '훧',
  '�v' => '훩',
  '�w' => '훪',
  '�x' => '훫',
  '�y' => '훬',
  '�z' => '훭',
  'ā' => '훮',
  'Ă' => '훯',
  'ă' => '훱',
  'Ą' => '훲',
  'ą' => '훳',
  'Ć' => '훴',
  'ć' => '훶',
  'Ĉ' => '훷',
  'ĉ' => '훸',
  'Ċ' => '훹',
  'ċ' => '훺',
  'Č' => '훻',
  'č' => '훾',
  'Ď' => '훿',
  'ď' => '휁',
  'Đ' => '휂',
  'đ' => '휃',
  'Ē' => '휅',
  'ē' => '휆',
  'Ĕ' => '휇',
  'ĕ' => '휈',
  'Ė' => '휉',
  'ė' => '휊',
  'Ę' => '휋',
  'ę' => '휌',
  'Ě' => '휍',
  'ě' => '휎',
  'Ĝ' => '휏',
  'ĝ' => '휐',
  'Ğ' => '휒',
  'ğ' => '휓',
  'Ġ' => '휔',
  'ġ' => '치',
  'Ģ' => '칙',
  'ģ' => '친',
  'Ĥ' => '칟',
  'ĥ' => '칠',
  'Ħ' => '칡',
  'ħ' => '침',
  'Ĩ' => '칩',
  'ĩ' => '칫',
  'Ī' => '칭',
  'ī' => '카',
  'Ĭ' => '칵',
  'ĭ' => '칸',
  'Į' => '칼',
  'į' => '캄',
  'İ' => '캅',
  'ı' => '캇',
  'IJ' => '캉',
  'ij' => '캐',
  'Ĵ' => '캑',
  'ĵ' => '캔',
  'Ķ' => '캘',
  'ķ' => '캠',
  'ĸ' => '캡',
  'Ĺ' => '캣',
  'ĺ' => '캤',
  'Ļ' => '캥',
  'ļ' => '캬',
  'Ľ' => '캭',
  'ľ' => '컁',
  'Ŀ' => '커',
  '�' => '컥',
  '�' => '컨',
  '��' => '컫',
  '��' => '컬',
  '��' => '컴',
  '��' => '컵',
  '��' => '컷',
  '��' => '컸',
  '��' => '컹',
  '��' => '케',
  '��' => '켁',
  '��' => '켄',
  '��' => '켈',
  '��' => '켐',
  '��' => '켑',
  '��' => '켓',
  '��' => '켕',
  '��' => '켜',
  '��' => '켠',
  '��' => '켤',
  '��' => '켬',
  '��' => '켭',
  '��' => '켯',
  '��' => '켰',
  '��' => '켱',
  '��' => '켸',
  '��' => '코',
  '��' => '콕',
  '��' => '콘',
  '��' => '콜',
  '��' => '콤',
  '��' => '콥',
  '��' => '콧',
  '��' => '콩',
  '��' => '콰',
  '��' => '콱',
  '��' => '콴',
  '��' => '콸',
  '��' => '쾀',
  '��' => '쾅',
  '��' => '쾌',
  '��' => '쾡',
  '��' => '쾨',
  '��' => '쾰',
  '��' => '쿄',
  '��' => '쿠',
  '��' => '쿡',
  '��' => '쿤',
  '��' => '쿨',
  '��' => '쿰',
  '��' => '쿱',
  '��' => '쿳',
  '��' => '쿵',
  '�' => '쿼',
  '�' => '퀀',
  '�' => '퀄',
  '�' => '퀑',
  '�' => '퀘',
  '�' => '퀭',
  '�' => '퀴',
  '�' => '퀵',
  '�' => '퀸',
  '�' => '퀼',
  '�A' => '휕',
  '�B' => '휖',
  '�C' => '휗',
  '�D' => '휚',
  '�E' => '휛',
  '�F' => '휝',
  '�G' => '휞',
  '�H' => '휟',
  '�I' => '휡',
  '�J' => '휢',
  '�K' => '휣',
  '�L' => '휤',
  '�M' => '휥',
  '�N' => '휦',
  '�O' => '휧',
  '�P' => '휪',
  '�Q' => '휬',
  '�R' => '휮',
  '�S' => '휯',
  '�T' => '휰',
  '�U' => '휱',
  '�V' => '휲',
  '�W' => '휳',
  '�X' => '휶',
  '�Y' => '휷',
  '�Z' => '휹',
  '�a' => '휺',
  '�b' => '휻',
  '�c' => '휽',
  '�d' => '휾',
  '�e' => '휿',
  '�f' => '흀',
  '�g' => '흁',
  '�h' => '흂',
  '�i' => '흃',
  '�j' => '흅',
  '�k' => '흆',
  '�l' => '흈',
  '�m' => '흊',
  '�n' => '흋',
  '�o' => '흌',
  '�p' => '흍',
  '�q' => '흎',
  '�r' => '흏',
  '�s' => '흒',
  '�t' => '흓',
  '�u' => '흕',
  '�v' => '흚',
  '�w' => '흛',
  '�x' => '흜',
  '�y' => '흝',
  '�z' => '흞',
  'Ł' => '흟',
  'ł' => '흢',
  'Ń' => '흤',
  'ń' => '흦',
  'Ņ' => '흧',
  'ņ' => '흨',
  'Ň' => '흪',
  'ň' => '흫',
  'ʼn' => '흭',
  'Ŋ' => '흮',
  'ŋ' => '흯',
  'Ō' => '흱',
  'ō' => '흲',
  'Ŏ' => '흳',
  'ŏ' => '흵',
  'Ő' => '흶',
  'ő' => '흷',
  'Œ' => '흸',
  'œ' => '흹',
  'Ŕ' => '흺',
  'ŕ' => '흻',
  'Ŗ' => '흾',
  'ŗ' => '흿',
  'Ř' => '힀',
  'ř' => '힂',
  'Ś' => '힃',
  'ś' => '힄',
  'Ŝ' => '힅',
  'ŝ' => '힆',
  'Ş' => '힇',
  'ş' => '힊',
  'Š' => '힋',
  'š' => '큄',
  'Ţ' => '큅',
  'ţ' => '큇',
  'Ť' => '큉',
  'ť' => '큐',
  'Ŧ' => '큔',
  'ŧ' => '큘',
  'Ũ' => '큠',
  'ũ' => '크',
  'Ū' => '큭',
  'ū' => '큰',
  'Ŭ' => '클',
  'ŭ' => '큼',
  'Ů' => '큽',
  'ů' => '킁',
  'Ű' => '키',
  'ű' => '킥',
  'Ų' => '킨',
  'ų' => '킬',
  'Ŵ' => '킴',
  'ŵ' => '킵',
  'Ŷ' => '킷',
  'ŷ' => '킹',
  'Ÿ' => '타',
  'Ź' => '탁',
  'ź' => '탄',
  'Ż' => '탈',
  'ż' => '탉',
  'Ž' => '탐',
  'ž' => '탑',
  'ſ' => '탓',
  '�' => '탔',
  '�' => '탕',
  '��' => '태',
  '��' => '택',
  '��' => '탠',
  '��' => '탤',
  '��' => '탬',
  '��' => '탭',
  '��' => '탯',
  '��' => '탰',
  '��' => '탱',
  '��' => '탸',
  '��' => '턍',
  '��' => '터',
  '��' => '턱',
  '��' => '턴',
  '��' => '털',
  '��' => '턺',
  '��' => '텀',
  '��' => '텁',
  '��' => '텃',
  '��' => '텄',
  '��' => '텅',
  '��' => '테',
  '��' => '텍',
  '��' => '텐',
  '��' => '텔',
  '��' => '템',
  '��' => '텝',
  '��' => '텟',
  '��' => '텡',
  '��' => '텨',
  '��' => '텬',
  '��' => '텼',
  '��' => '톄',
  '��' => '톈',
  '��' => '토',
  '��' => '톡',
  '��' => '톤',
  '��' => '톨',
  '��' => '톰',
  '��' => '톱',
  '��' => '톳',
  '��' => '통',
  '��' => '톺',
  '��' => '톼',
  '��' => '퇀',
  '��' => '퇘',
  '��' => '퇴',
  '��' => '퇸',
  '��' => '툇',
  '��' => '툉',
  '��' => '툐',
  '�' => '투',
  '�' => '툭',
  '�' => '툰',
  '�' => '툴',
  '�' => '툼',
  '�' => '툽',
  '�' => '툿',
  '�' => '퉁',
  '�' => '퉈',
  '�' => '퉜',
  '�A' => '힍',
  '�B' => '힎',
  '�C' => '힏',
  '�D' => '힑',
  '�E' => '힒',
  '�F' => '힓',
  '�G' => '힔',
  '�H' => '힕',
  '�I' => '힖',
  '�J' => '힗',
  '�K' => '힚',
  '�L' => '힜',
  '�M' => '힞',
  '�N' => '힟',
  '�O' => '힠',
  '�P' => '힡',
  '�Q' => '힢',
  '�R' => '힣',
  'ơ' => '퉤',
  'Ƣ' => '튀',
  'ƣ' => '튁',
  'Ƥ' => '튄',
  'ƥ' => '튈',
  'Ʀ' => '튐',
  'Ƨ' => '튑',
  'ƨ' => '튕',
  'Ʃ' => '튜',
  'ƪ' => '튠',
  'ƫ' => '튤',
  'Ƭ' => '튬',
  'ƭ' => '튱',
  'Ʈ' => '트',
  'Ư' => '특',
  'ư' => '튼',
  'Ʊ' => '튿',
  'Ʋ' => '틀',
  'Ƴ' => '틂',
  'ƴ' => '틈',
  'Ƶ' => '틉',
  'ƶ' => '틋',
  'Ʒ' => '틔',
  'Ƹ' => '틘',
  'ƹ' => '틜',
  'ƺ' => '틤',
  'ƻ' => '틥',
  'Ƽ' => '티',
  'ƽ' => '틱',
  'ƾ' => '틴',
  'ƿ' => '틸',
  '�' => '팀',
  '�' => '팁',
  '��' => '팃',
  '��' => '팅',
  '��' => '파',
  '��' => '팍',
  '��' => '팎',
  '��' => '판',
  '��' => '팔',
  '��' => '팖',
  '��' => '팜',
  '��' => '팝',
  '��' => '팟',
  '��' => '팠',
  '��' => '팡',
  '��' => '팥',
  '��' => '패',
  '��' => '팩',
  '��' => '팬',
  '��' => '팰',
  '��' => '팸',
  '��' => '팹',
  '��' => '팻',
  '��' => '팼',
  '��' => '팽',
  '��' => '퍄',
  '��' => '퍅',
  '��' => '퍼',
  '��' => '퍽',
  '��' => '펀',
  '��' => '펄',
  '��' => '펌',
  '��' => '펍',
  '��' => '펏',
  '��' => '펐',
  '��' => '펑',
  '��' => '페',
  '��' => '펙',
  '��' => '펜',
  '��' => '펠',
  '��' => '펨',
  '��' => '펩',
  '��' => '펫',
  '��' => '펭',
  '��' => '펴',
  '��' => '편',
  '��' => '펼',
  '��' => '폄',
  '��' => '폅',
  '��' => '폈',
  '��' => '평',
  '��' => '폐',
  '��' => '폘',
  '�' => '폡',
  '�' => '폣',
  '�' => '포',
  '�' => '폭',
  '�' => '폰',
  '�' => '폴',
  '�' => '폼',
  '�' => '폽',
  '�' => '폿',
  '�' => '퐁',
  'ǡ' => '퐈',
  'Ǣ' => '퐝',
  'ǣ' => '푀',
  'Ǥ' => '푄',
  'ǥ' => '표',
  'Ǧ' => '푠',
  'ǧ' => '푤',
  'Ǩ' => '푭',
  'ǩ' => '푯',
  'Ǫ' => '푸',
  'ǫ' => '푹',
  'Ǭ' => '푼',
  'ǭ' => '푿',
  'Ǯ' => '풀',
  'ǯ' => '풂',
  'ǰ' => '품',
  'DZ' => '풉',
  'Dz' => '풋',
  'dz' => '풍',
  'Ǵ' => '풔',
  'ǵ' => '풩',
  'Ƕ' => '퓌',
  'Ƿ' => '퓐',
  'Ǹ' => '퓔',
  'ǹ' => '퓜',
  'Ǻ' => '퓟',
  'ǻ' => '퓨',
  'Ǽ' => '퓬',
  'ǽ' => '퓰',
  'Ǿ' => '퓸',
  'ǿ' => '퓻',
  '�' => '퓽',
  '�' => '프',
  '��' => '픈',
  '��' => '플',
  '��' => '픔',
  '��' => '픕',
  '��' => '픗',
  '��' => '피',
  '��' => '픽',
  '��' => '핀',
  '��' => '필',
  '��' => '핌',
  '��' => '핍',
  '��' => '핏',
  '��' => '핑',
  '��' => '하',
  '��' => '학',
  '��' => '한',
  '��' => '할',
  '��' => '핥',
  '��' => '함',
  '��' => '합',
  '��' => '핫',
  '��' => '항',
  '��' => '해',
  '��' => '핵',
  '��' => '핸',
  '��' => '핼',
  '��' => '햄',
  '��' => '햅',
  '��' => '햇',
  '��' => '했',
  '��' => '행',
  '��' => '햐',
  '��' => '향',
  '��' => '허',
  '��' => '헉',
  '��' => '헌',
  '��' => '헐',
  '��' => '헒',
  '��' => '험',
  '��' => '헙',
  '��' => '헛',
  '��' => '헝',
  '��' => '헤',
  '��' => '헥',
  '��' => '헨',
  '��' => '헬',
  '��' => '헴',
  '��' => '헵',
  '��' => '헷',
  '��' => '헹',
  '��' => '혀',
  '�' => '혁',
  '�' => '현',
  '�' => '혈',
  '�' => '혐',
  '�' => '협',
  '�' => '혓',
  '�' => '혔',
  '�' => '형',
  '�' => '혜',
  '�' => '혠',
  'ȡ' => '혤',
  'Ȣ' => '혭',
  'ȣ' => '호',
  'Ȥ' => '혹',
  'ȥ' => '혼',
  'Ȧ' => '홀',
  'ȧ' => '홅',
  'Ȩ' => '홈',
  'ȩ' => '홉',
  'Ȫ' => '홋',
  'ȫ' => '홍',
  'Ȭ' => '홑',
  'ȭ' => '화',
  'Ȯ' => '확',
  'ȯ' => '환',
  'Ȱ' => '활',
  'ȱ' => '홧',
  'Ȳ' => '황',
  'ȳ' => '홰',
  'ȴ' => '홱',
  'ȵ' => '홴',
  'ȶ' => '횃',
  'ȷ' => '횅',
  'ȸ' => '회',
  'ȹ' => '획',
  'Ⱥ' => '횐',
  'Ȼ' => '횔',
  'ȼ' => '횝',
  'Ƚ' => '횟',
  'Ⱦ' => '횡',
  'ȿ' => '효',
  '�' => '횬',
  '�' => '횰',
  '��' => '횹',
  '��' => '횻',
  '��' => '후',
  '��' => '훅',
  '��' => '훈',
  '��' => '훌',
  '��' => '훑',
  '��' => '훔',
  '��' => '훗',
  '��' => '훙',
  '��' => '훠',
  '��' => '훤',
  '��' => '훨',
  '��' => '훰',
  '��' => '훵',
  '��' => '훼',
  '��' => '훽',
  '��' => '휀',
  '��' => '휄',
  '��' => '휑',
  '��' => '휘',
  '��' => '휙',
  '��' => '휜',
  '��' => '휠',
  '��' => '휨',
  '��' => '휩',
  '��' => '휫',
  '��' => '휭',
  '��' => '휴',
  '��' => '휵',
  '��' => '휸',
  '��' => '휼',
  '��' => '흄',
  '��' => '흇',
  '��' => '흉',
  '��' => '흐',
  '��' => '흑',
  '��' => '흔',
  '��' => '흖',
  '��' => '흗',
  '��' => '흘',
  '��' => '흙',
  '��' => '흠',
  '��' => '흡',
  '��' => '흣',
  '��' => '흥',
  '��' => '흩',
  '��' => '희',
  '��' => '흰',
  '��' => '흴',
  '��' => '흼',
  '�' => '흽',
  '�' => '힁',
  '�' => '히',
  '�' => '힉',
  '�' => '힌',
  '�' => '힐',
  '�' => '힘',
  '�' => '힙',
  '�' => '힛',
  '�' => '힝',
  'ʡ' => '伽',
  'ʢ' => '佳',
  'ʣ' => '假',
  'ʤ' => '價',
  'ʥ' => '加',
  'ʦ' => '可',
  'ʧ' => '呵',
  'ʨ' => '哥',
  'ʩ' => '嘉',
  'ʪ' => '嫁',
  'ʫ' => '家',
  'ʬ' => '暇',
  'ʭ' => '架',
  'ʮ' => '枷',
  'ʯ' => '柯',
  'ʰ' => '歌',
  'ʱ' => '珂',
  'ʲ' => '痂',
  'ʳ' => '稼',
  'ʴ' => '苛',
  'ʵ' => '茄',
  'ʶ' => '街',
  'ʷ' => '袈',
  'ʸ' => '訶',
  'ʹ' => '賈',
  'ʺ' => '跏',
  'ʻ' => '軻',
  'ʼ' => '迦',
  'ʽ' => '駕',
  'ʾ' => '刻',
  'ʿ' => '却',
  '�' => '各',
  '�' => '恪',
  '��' => '慤',
  '��' => '殼',
  '��' => '珏',
  '��' => '脚',
  '��' => '覺',
  '��' => '角',
  '��' => '閣',
  '��' => '侃',
  '��' => '刊',
  '��' => '墾',
  '��' => '奸',
  '��' => '姦',
  '��' => '干',
  '��' => '幹',
  '��' => '懇',
  '��' => '揀',
  '��' => '杆',
  '��' => '柬',
  '��' => '桿',
  '��' => '澗',
  '��' => '癎',
  '��' => '看',
  '��' => '磵',
  '��' => '稈',
  '��' => '竿',
  '��' => '簡',
  '��' => '肝',
  '��' => '艮',
  '��' => '艱',
  '��' => '諫',
  '��' => '間',
  '��' => '乫',
  '��' => '喝',
  '��' => '曷',
  '��' => '渴',
  '��' => '碣',
  '��' => '竭',
  '��' => '葛',
  '��' => '褐',
  '��' => '蝎',
  '��' => '鞨',
  '��' => '勘',
  '��' => '坎',
  '��' => '堪',
  '��' => '嵌',
  '��' => '感',
  '��' => '憾',
  '��' => '戡',
  '��' => '敢',
  '��' => '柑',
  '��' => '橄',
  '�' => '減',
  '�' => '甘',
  '�' => '疳',
  '�' => '監',
  '�' => '瞰',
  '�' => '紺',
  '�' => '邯',
  '�' => '鑑',
  '�' => '鑒',
  '�' => '龕',
  'ˡ' => '匣',
  'ˢ' => '岬',
  'ˣ' => '甲',
  'ˤ' => '胛',
  '˥' => '鉀',
  '˦' => '閘',
  '˧' => '剛',
  '˨' => '堈',
  '˩' => '姜',
  '˪' => '岡',
  '˫' => '崗',
  'ˬ' => '康',
  '˭' => '强',
  'ˮ' => '彊',
  '˯' => '慷',
  '˰' => '江',
  '˱' => '畺',
  '˲' => '疆',
  '˳' => '糠',
  '˴' => '絳',
  '˵' => '綱',
  '˶' => '羌',
  '˷' => '腔',
  '˸' => '舡',
  '˹' => '薑',
  '˺' => '襁',
  '˻' => '講',
  '˼' => '鋼',
  '˽' => '降',
  '˾' => '鱇',
  '˿' => '介',
  '�' => '价',
  '�' => '個',
  '��' => '凱',
  '��' => '塏',
  '��' => '愷',
  '��' => '愾',
  '��' => '慨',
  '��' => '改',
  '��' => '槪',
  '��' => '漑',
  '��' => '疥',
  '��' => '皆',
  '��' => '盖',
  '��' => '箇',
  '��' => '芥',
  '��' => '蓋',
  '��' => '豈',
  '��' => '鎧',
  '��' => '開',
  '��' => '喀',
  '��' => '客',
  '��' => '坑',
  '��' => '更',
  '��' => '粳',
  '��' => '羹',
  '��' => '醵',
  '��' => '倨',
  '��' => '去',
  '��' => '居',
  '��' => '巨',
  '��' => '拒',
  '��' => '据',
  '��' => '據',
  '��' => '擧',
  '��' => '渠',
  '��' => '炬',
  '��' => '祛',
  '��' => '距',
  '��' => '踞',
  '��' => '車',
  '��' => '遽',
  '��' => '鉅',
  '��' => '鋸',
  '��' => '乾',
  '��' => '件',
  '��' => '健',
  '��' => '巾',
  '��' => '建',
  '��' => '愆',
  '��' => '楗',
  '��' => '腱',
  '��' => '虔',
  '��' => '蹇',
  '�' => '鍵',
  '�' => '騫',
  '�' => '乞',
  '�' => '傑',
  '�' => '杰',
  '�' => '桀',
  '�' => '儉',
  '�' => '劍',
  '�' => '劒',
  '�' => '檢',
  '̡' => '瞼',
  '̢' => '鈐',
  '̣' => '黔',
  '̤' => '劫',
  '̥' => '怯',
  '̦' => '迲',
  '̧' => '偈',
  '̨' => '憩',
  '̩' => '揭',
  '̪' => '擊',
  '̫' => '格',
  '̬' => '檄',
  '̭' => '激',
  '̮' => '膈',
  '̯' => '覡',
  '̰' => '隔',
  '̱' => '堅',
  '̲' => '牽',
  '̳' => '犬',
  '̴' => '甄',
  '̵' => '絹',
  '̶' => '繭',
  '̷' => '肩',
  '̸' => '見',
  '̹' => '譴',
  '̺' => '遣',
  '̻' => '鵑',
  '̼' => '抉',
  '̽' => '決',
  '̾' => '潔',
  '̿' => '結',
  '�' => '缺',
  '�' => '訣',
  '��' => '兼',
  '��' => '慊',
  '��' => '箝',
  '��' => '謙',
  '��' => '鉗',
  '��' => '鎌',
  '��' => '京',
  '��' => '俓',
  '��' => '倞',
  '��' => '傾',
  '��' => '儆',
  '��' => '勁',
  '��' => '勍',
  '��' => '卿',
  '��' => '坰',
  '��' => '境',
  '��' => '庚',
  '��' => '徑',
  '��' => '慶',
  '��' => '憬',
  '��' => '擎',
  '��' => '敬',
  '��' => '景',
  '��' => '暻',
  '��' => '更',
  '��' => '梗',
  '��' => '涇',
  '��' => '炅',
  '��' => '烱',
  '��' => '璟',
  '��' => '璥',
  '��' => '瓊',
  '��' => '痙',
  '��' => '硬',
  '��' => '磬',
  '��' => '竟',
  '��' => '競',
  '��' => '絅',
  '��' => '經',
  '��' => '耕',
  '��' => '耿',
  '��' => '脛',
  '��' => '莖',
  '��' => '警',
  '��' => '輕',
  '��' => '逕',
  '��' => '鏡',
  '��' => '頃',
  '��' => '頸',
  '��' => '驚',
  '��' => '鯨',
  '�' => '係',
  '�' => '啓',
  '�' => '堺',
  '�' => '契',
  '�' => '季',
  '�' => '屆',
  '�' => '悸',
  '�' => '戒',
  '�' => '桂',
  '�' => '械',
  '͡' => '棨',
  '͢' => '溪',
  'ͣ' => '界',
  'ͤ' => '癸',
  'ͥ' => '磎',
  'ͦ' => '稽',
  'ͧ' => '系',
  'ͨ' => '繫',
  'ͩ' => '繼',
  'ͪ' => '計',
  'ͫ' => '誡',
  'ͬ' => '谿',
  'ͭ' => '階',
  'ͮ' => '鷄',
  'ͯ' => '古',
  'Ͱ' => '叩',
  'ͱ' => '告',
  'Ͳ' => '呱',
  'ͳ' => '固',
  'ʹ' => '姑',
  '͵' => '孤',
  'Ͷ' => '尻',
  'ͷ' => '庫',
  '͸' => '拷',
  '͹' => '攷',
  'ͺ' => '故',
  'ͻ' => '敲',
  'ͼ' => '暠',
  'ͽ' => '枯',
  ';' => '槁',
  'Ϳ' => '沽',
  '�' => '痼',
  '�' => '皐',
  '��' => '睾',
  '��' => '稿',
  '��' => '羔',
  '��' => '考',
  '��' => '股',
  '��' => '膏',
  '��' => '苦',
  '��' => '苽',
  '��' => '菰',
  '��' => '藁',
  '��' => '蠱',
  '��' => '袴',
  '��' => '誥',
  '��' => '賈',
  '��' => '辜',
  '��' => '錮',
  '��' => '雇',
  '��' => '顧',
  '��' => '高',
  '��' => '鼓',
  '��' => '哭',
  '��' => '斛',
  '��' => '曲',
  '��' => '梏',
  '��' => '穀',
  '��' => '谷',
  '��' => '鵠',
  '��' => '困',
  '��' => '坤',
  '��' => '崑',
  '��' => '昆',
  '��' => '梱',
  '��' => '棍',
  '��' => '滾',
  '��' => '琨',
  '��' => '袞',
  '��' => '鯤',
  '��' => '汨',
  '��' => '滑',
  '��' => '骨',
  '��' => '供',
  '��' => '公',
  '��' => '共',
  '��' => '功',
  '��' => '孔',
  '��' => '工',
  '��' => '恐',
  '��' => '恭',
  '��' => '拱',
  '��' => '控',
  '��' => '攻',
  '�' => '珙',
  '�' => '空',
  '�' => '蚣',
  '�' => '貢',
  '�' => '鞏',
  '�' => '串',
  '�' => '寡',
  '�' => '戈',
  '�' => '果',
  '�' => '瓜',
  'Ρ' => '科',
  '΢' => '菓',
  'Σ' => '誇',
  'Τ' => '課',
  'Υ' => '跨',
  'Φ' => '過',
  'Χ' => '鍋',
  'Ψ' => '顆',
  'Ω' => '廓',
  'Ϊ' => '槨',
  'Ϋ' => '藿',
  'ά' => '郭',
  'έ' => '串',
  'ή' => '冠',
  'ί' => '官',
  'ΰ' => '寬',
  'α' => '慣',
  'β' => '棺',
  'γ' => '款',
  'δ' => '灌',
  'ε' => '琯',
  'ζ' => '瓘',
  'η' => '管',
  'θ' => '罐',
  'ι' => '菅',
  'κ' => '觀',
  'λ' => '貫',
  'μ' => '關',
  'ν' => '館',
  'ξ' => '刮',
  'ο' => '恝',
  '�' => '括',
  '�' => '适',
  '��' => '侊',
  '��' => '光',
  '��' => '匡',
  '��' => '壙',
  '��' => '廣',
  '��' => '曠',
  '��' => '洸',
  '��' => '炚',
  '��' => '狂',
  '��' => '珖',
  '��' => '筐',
  '��' => '胱',
  '��' => '鑛',
  '��' => '卦',
  '��' => '掛',
  '��' => '罫',
  '��' => '乖',
  '��' => '傀',
  '��' => '塊',
  '��' => '壞',
  '��' => '怪',
  '��' => '愧',
  '��' => '拐',
  '��' => '槐',
  '��' => '魁',
  '��' => '宏',
  '��' => '紘',
  '��' => '肱',
  '��' => '轟',
  '��' => '交',
  '��' => '僑',
  '��' => '咬',
  '��' => '喬',
  '��' => '嬌',
  '��' => '嶠',
  '��' => '巧',
  '��' => '攪',
  '��' => '敎',
  '��' => '校',
  '��' => '橋',
  '��' => '狡',
  '��' => '皎',
  '��' => '矯',
  '��' => '絞',
  '��' => '翹',
  '��' => '膠',
  '��' => '蕎',
  '��' => '蛟',
  '��' => '較',
  '��' => '轎',
  '��' => '郊',
  '�' => '餃',
  '�' => '驕',
  '�' => '鮫',
  '�' => '丘',
  '�' => '久',
  '�' => '九',
  '�' => '仇',
  '�' => '俱',
  '�' => '具',
  '�' => '勾',
  'ϡ' => '區',
  'Ϣ' => '口',
  'ϣ' => '句',
  'Ϥ' => '咎',
  'ϥ' => '嘔',
  'Ϧ' => '坵',
  'ϧ' => '垢',
  'Ϩ' => '寇',
  'ϩ' => '嶇',
  'Ϫ' => '廐',
  'ϫ' => '懼',
  'Ϭ' => '拘',
  'ϭ' => '救',
  'Ϯ' => '枸',
  'ϯ' => '柩',
  'ϰ' => '構',
  'ϱ' => '歐',
  'ϲ' => '毆',
  'ϳ' => '毬',
  'ϴ' => '求',
  'ϵ' => '溝',
  '϶' => '灸',
  'Ϸ' => '狗',
  'ϸ' => '玖',
  'Ϲ' => '球',
  'Ϻ' => '瞿',
  'ϻ' => '矩',
  'ϼ' => '究',
  'Ͻ' => '絿',
  'Ͼ' => '耉',
  'Ͽ' => '臼',
  '�' => '舅',
  '�' => '舊',
  '��' => '苟',
  '��' => '衢',
  '��' => '謳',
  '��' => '購',
  '��' => '軀',
  '��' => '逑',
  '��' => '邱',
  '��' => '鉤',
  '��' => '銶',
  '��' => '駒',
  '��' => '驅',
  '��' => '鳩',
  '��' => '鷗',
  '��' => '龜',
  '��' => '國',
  '��' => '局',
  '��' => '菊',
  '��' => '鞠',
  '��' => '鞫',
  '��' => '麴',
  '��' => '君',
  '��' => '窘',
  '��' => '群',
  '��' => '裙',
  '��' => '軍',
  '��' => '郡',
  '��' => '堀',
  '��' => '屈',
  '��' => '掘',
  '��' => '窟',
  '��' => '宮',
  '��' => '弓',
  '��' => '穹',
  '��' => '窮',
  '��' => '芎',
  '��' => '躬',
  '��' => '倦',
  '��' => '券',
  '��' => '勸',
  '��' => '卷',
  '��' => '圈',
  '��' => '拳',
  '��' => '捲',
  '��' => '權',
  '��' => '淃',
  '��' => '眷',
  '��' => '厥',
  '��' => '獗',
  '��' => '蕨',
  '��' => '蹶',
  '��' => '闕',
  '�' => '机',
  '�' => '櫃',
  '�' => '潰',
  '�' => '詭',
  '�' => '軌',
  '�' => '饋',
  '�' => '句',
  '�' => '晷',
  '�' => '歸',
  '�' => '貴',
  'С' => '鬼',
  'Т' => '龜',
  'У' => '叫',
  'Ф' => '圭',
  'Х' => '奎',
  'Ц' => '揆',
  'Ч' => '槻',
  'Ш' => '珪',
  'Щ' => '硅',
  'Ъ' => '窺',
  'Ы' => '竅',
  'Ь' => '糾',
  'Э' => '葵',
  'Ю' => '規',
  'Я' => '赳',
  'а' => '逵',
  'б' => '閨',
  'в' => '勻',
  'г' => '均',
  'д' => '畇',
  'е' => '筠',
  'ж' => '菌',
  'з' => '鈞',
  'и' => '龜',
  'й' => '橘',
  'к' => '克',
  'л' => '剋',
  'м' => '劇',
  'н' => '戟',
  'о' => '棘',
  'п' => '極',
  '�' => '隙',
  '�' => '僅',
  '��' => '劤',
  '��' => '勤',
  '��' => '懃',
  '��' => '斤',
  '��' => '根',
  '��' => '槿',
  '��' => '瑾',
  '��' => '筋',
  '��' => '芹',
  '��' => '菫',
  '��' => '覲',
  '��' => '謹',
  '��' => '近',
  '��' => '饉',
  '��' => '契',
  '��' => '今',
  '��' => '妗',
  '��' => '擒',
  '��' => '昑',
  '��' => '檎',
  '��' => '琴',
  '��' => '禁',
  '��' => '禽',
  '��' => '芩',
  '��' => '衾',
  '��' => '衿',
  '��' => '襟',
  '��' => '金',
  '��' => '錦',
  '��' => '伋',
  '��' => '及',
  '��' => '急',
  '��' => '扱',
  '��' => '汲',
  '��' => '級',
  '��' => '給',
  '��' => '亘',
  '��' => '兢',
  '��' => '矜',
  '��' => '肯',
  '��' => '企',
  '��' => '伎',
  '��' => '其',
  '��' => '冀',
  '��' => '嗜',
  '��' => '器',
  '��' => '圻',
  '��' => '基',
  '��' => '埼',
  '��' => '夔',
  '��' => '奇',
  '�' => '妓',
  '�' => '寄',
  '�' => '岐',
  '�' => '崎',
  '�' => '己',
  '�' => '幾',
  '�' => '忌',
  '�' => '技',
  '�' => '旗',
  '�' => '旣',
  'ѡ' => '朞',
  'Ѣ' => '期',
  'ѣ' => '杞',
  'Ѥ' => '棋',
  'ѥ' => '棄',
  'Ѧ' => '機',
  'ѧ' => '欺',
  'Ѩ' => '氣',
  'ѩ' => '汽',
  'Ѫ' => '沂',
  'ѫ' => '淇',
  'Ѭ' => '玘',
  'ѭ' => '琦',
  'Ѯ' => '琪',
  'ѯ' => '璂',
  'Ѱ' => '璣',
  'ѱ' => '畸',
  'Ѳ' => '畿',
  'ѳ' => '碁',
  'Ѵ' => '磯',
  'ѵ' => '祁',
  'Ѷ' => '祇',
  'ѷ' => '祈',
  'Ѹ' => '祺',
  'ѹ' => '箕',
  'Ѻ' => '紀',
  'ѻ' => '綺',
  'Ѽ' => '羈',
  'ѽ' => '耆',
  'Ѿ' => '耭',
  'ѿ' => '肌',
  '�' => '記',
  '�' => '譏',
  '��' => '豈',
  '��' => '起',
  '��' => '錡',
  '��' => '錤',
  '��' => '飢',
  '��' => '饑',
  '��' => '騎',
  '��' => '騏',
  '��' => '驥',
  '��' => '麒',
  '��' => '緊',
  '��' => '佶',
  '��' => '吉',
  '��' => '拮',
  '��' => '桔',
  '��' => '金',
  '��' => '喫',
  '��' => '儺',
  '��' => '喇',
  '��' => '奈',
  '��' => '娜',
  '��' => '懦',
  '��' => '懶',
  '��' => '拏',
  '��' => '拿',
  '��' => '癩',
  '��' => '羅',
  '��' => '蘿',
  '��' => '螺',
  '��' => '裸',
  '��' => '邏',
  '��' => '那',
  '��' => '樂',
  '��' => '洛',
  '��' => '烙',
  '��' => '珞',
  '��' => '落',
  '��' => '諾',
  '��' => '酪',
  '��' => '駱',
  '��' => '亂',
  '��' => '卵',
  '��' => '暖',
  '��' => '欄',
  '��' => '煖',
  '��' => '爛',
  '��' => '蘭',
  '��' => '難',
  '��' => '鸞',
  '��' => '捏',
  '��' => '捺',
  '�' => '南',
  '�' => '嵐',
  '�' => '枏',
  '�' => '楠',
  '�' => '湳',
  '�' => '濫',
  '�' => '男',
  '�' => '藍',
  '�' => '襤',
  '�' => '拉',
  'ҡ' => '納',
  'Ң' => '臘',
  'ң' => '蠟',
  'Ҥ' => '衲',
  'ҥ' => '囊',
  'Ҧ' => '娘',
  'ҧ' => '廊',
  'Ҩ' => '朗',
  'ҩ' => '浪',
  'Ҫ' => '狼',
  'ҫ' => '郎',
  'Ҭ' => '乃',
  'ҭ' => '來',
  'Ү' => '內',
  'ү' => '奈',
  'Ұ' => '柰',
  'ұ' => '耐',
  'Ҳ' => '冷',
  'ҳ' => '女',
  'Ҵ' => '年',
  'ҵ' => '撚',
  'Ҷ' => '秊',
  'ҷ' => '念',
  'Ҹ' => '恬',
  'ҹ' => '拈',
  'Һ' => '捻',
  'һ' => '寧',
  'Ҽ' => '寗',
  'ҽ' => '努',
  'Ҿ' => '勞',
  'ҿ' => '奴',
  '�' => '弩',
  '�' => '怒',
  '��' => '擄',
  '��' => '櫓',
  '��' => '爐',
  '��' => '瑙',
  '��' => '盧',
  '��' => '老',
  '��' => '蘆',
  '��' => '虜',
  '��' => '路',
  '��' => '露',
  '��' => '駑',
  '��' => '魯',
  '��' => '鷺',
  '��' => '碌',
  '��' => '祿',
  '��' => '綠',
  '��' => '菉',
  '��' => '錄',
  '��' => '鹿',
  '��' => '論',
  '��' => '壟',
  '��' => '弄',
  '��' => '濃',
  '��' => '籠',
  '��' => '聾',
  '��' => '膿',
  '��' => '農',
  '��' => '惱',
  '��' => '牢',
  '��' => '磊',
  '��' => '腦',
  '��' => '賂',
  '��' => '雷',
  '��' => '尿',
  '��' => '壘',
  '��' => '屢',
  '��' => '樓',
  '��' => '淚',
  '��' => '漏',
  '��' => '累',
  '��' => '縷',
  '��' => '陋',
  '��' => '嫩',
  '��' => '訥',
  '��' => '杻',
  '��' => '紐',
  '��' => '勒',
  '��' => '肋',
  '��' => '凜',
  '��' => '凌',
  '��' => '稜',
  '�' => '綾',
  '�' => '能',
  '�' => '菱',
  '�' => '陵',
  '�' => '尼',
  '�' => '泥',
  '�' => '匿',
  '�' => '溺',
  '�' => '多',
  '�' => '茶',
  'ӡ' => '丹',
  'Ӣ' => '亶',
  'ӣ' => '但',
  'Ӥ' => '單',
  'ӥ' => '團',
  'Ӧ' => '壇',
  'ӧ' => '彖',
  'Ө' => '斷',
  'ө' => '旦',
  'Ӫ' => '檀',
  'ӫ' => '段',
  'Ӭ' => '湍',
  'ӭ' => '短',
  'Ӯ' => '端',
  'ӯ' => '簞',
  'Ӱ' => '緞',
  'ӱ' => '蛋',
  'Ӳ' => '袒',
  'ӳ' => '鄲',
  'Ӵ' => '鍛',
  'ӵ' => '撻',
  'Ӷ' => '澾',
  'ӷ' => '獺',
  'Ӹ' => '疸',
  'ӹ' => '達',
  'Ӻ' => '啖',
  'ӻ' => '坍',
  'Ӽ' => '憺',
  'ӽ' => '擔',
  'Ӿ' => '曇',
  'ӿ' => '淡',
  '�' => '湛',
  '�' => '潭',
  '��' => '澹',
  '��' => '痰',
  '��' => '聃',
  '��' => '膽',
  '��' => '蕁',
  '��' => '覃',
  '��' => '談',
  '��' => '譚',
  '��' => '錟',
  '��' => '沓',
  '��' => '畓',
  '��' => '答',
  '��' => '踏',
  '��' => '遝',
  '��' => '唐',
  '��' => '堂',
  '��' => '塘',
  '��' => '幢',
  '��' => '戇',
  '��' => '撞',
  '��' => '棠',
  '��' => '當',
  '��' => '糖',
  '��' => '螳',
  '��' => '黨',
  '��' => '代',
  '��' => '垈',
  '��' => '坮',
  '��' => '大',
  '��' => '對',
  '��' => '岱',
  '��' => '帶',
  '��' => '待',
  '��' => '戴',
  '��' => '擡',
  '��' => '玳',
  '��' => '臺',
  '��' => '袋',
  '��' => '貸',
  '��' => '隊',
  '��' => '黛',
  '��' => '宅',
  '��' => '德',
  '��' => '悳',
  '��' => '倒',
  '��' => '刀',
  '��' => '到',
  '��' => '圖',
  '��' => '堵',
  '��' => '塗',
  '��' => '導',
  '�' => '屠',
  '�' => '島',
  '�' => '嶋',
  '�' => '度',
  '�' => '徒',
  '�' => '悼',
  '�' => '挑',
  '�' => '掉',
  '�' => '搗',
  '�' => '桃',
  'ԡ' => '棹',
  'Ԣ' => '櫂',
  'ԣ' => '淘',
  'Ԥ' => '渡',
  'ԥ' => '滔',
  'Ԧ' => '濤',
  'ԧ' => '燾',
  'Ԩ' => '盜',
  'ԩ' => '睹',
  'Ԫ' => '禱',
  'ԫ' => '稻',
  'Ԭ' => '萄',
  'ԭ' => '覩',
  'Ԯ' => '賭',
  'ԯ' => '跳',
  '԰' => '蹈',
  'Ա' => '逃',
  'Բ' => '途',
  'Գ' => '道',
  'Դ' => '都',
  'Ե' => '鍍',
  'Զ' => '陶',
  'Է' => '韜',
  'Ը' => '毒',
  'Թ' => '瀆',
  'Ժ' => '牘',
  'Ի' => '犢',
  'Լ' => '獨',
  'Խ' => '督',
  'Ծ' => '禿',
  'Կ' => '篤',
  '�' => '纛',
  '�' => '讀',
  '��' => '墩',
  '��' => '惇',
  '��' => '敦',
  '��' => '旽',
  '��' => '暾',
  '��' => '沌',
  '��' => '焞',
  '��' => '燉',
  '��' => '豚',
  '��' => '頓',
  '��' => '乭',
  '��' => '突',
  '��' => '仝',
  '��' => '冬',
  '��' => '凍',
  '��' => '動',
  '��' => '同',
  '��' => '憧',
  '��' => '東',
  '��' => '桐',
  '��' => '棟',
  '��' => '洞',
  '��' => '潼',
  '��' => '疼',
  '��' => '瞳',
  '��' => '童',
  '��' => '胴',
  '��' => '董',
  '��' => '銅',
  '��' => '兜',
  '��' => '斗',
  '��' => '杜',
  '��' => '枓',
  '��' => '痘',
  '��' => '竇',
  '��' => '荳',
  '��' => '讀',
  '��' => '豆',
  '��' => '逗',
  '��' => '頭',
  '��' => '屯',
  '��' => '臀',
  '��' => '芚',
  '��' => '遁',
  '��' => '遯',
  '��' => '鈍',
  '��' => '得',
  '��' => '嶝',
  '��' => '橙',
  '��' => '燈',
  '��' => '登',
  '�' => '等',
  '�' => '藤',
  '�' => '謄',
  '�' => '鄧',
  '�' => '騰',
  '�' => '喇',
  '�' => '懶',
  '�' => '拏',
  '�' => '癩',
  '�' => '羅',
  'ա' => '蘿',
  'բ' => '螺',
  'գ' => '裸',
  'դ' => '邏',
  'ե' => '樂',
  'զ' => '洛',
  'է' => '烙',
  'ը' => '珞',
  'թ' => '絡',
  'ժ' => '落',
  'ի' => '諾',
  'լ' => '酪',
  'խ' => '駱',
  'ծ' => '丹',
  'կ' => '亂',
  'հ' => '卵',
  'ձ' => '欄',
  'ղ' => '欒',
  'ճ' => '瀾',
  'մ' => '爛',
  'յ' => '蘭',
  'ն' => '鸞',
  'շ' => '剌',
  'ո' => '辣',
  'չ' => '嵐',
  'պ' => '擥',
  'ջ' => '攬',
  'ռ' => '欖',
  'ս' => '濫',
  'վ' => '籃',
  'տ' => '纜',
  '�' => '藍',
  '�' => '襤',
  '��' => '覽',
  '��' => '拉',
  '��' => '臘',
  '��' => '蠟',
  '��' => '廊',
  '��' => '朗',
  '��' => '浪',
  '��' => '狼',
  '��' => '琅',
  '��' => '瑯',
  '��' => '螂',
  '��' => '郞',
  '��' => '來',
  '��' => '崍',
  '��' => '徠',
  '��' => '萊',
  '��' => '冷',
  '��' => '掠',
  '��' => '略',
  '��' => '亮',
  '��' => '倆',
  '��' => '兩',
  '��' => '凉',
  '��' => '梁',
  '��' => '樑',
  '��' => '粮',
  '��' => '粱',
  '��' => '糧',
  '��' => '良',
  '��' => '諒',
  '��' => '輛',
  '��' => '量',
  '��' => '侶',
  '��' => '儷',
  '��' => '勵',
  '��' => '呂',
  '��' => '廬',
  '��' => '慮',
  '��' => '戾',
  '��' => '旅',
  '��' => '櫚',
  '��' => '濾',
  '��' => '礪',
  '��' => '藜',
  '��' => '蠣',
  '��' => '閭',
  '��' => '驢',
  '��' => '驪',
  '��' => '麗',
  '��' => '黎',
  '��' => '力',
  '�' => '曆',
  '�' => '歷',
  '�' => '瀝',
  '�' => '礫',
  '�' => '轢',
  '�' => '靂',
  '�' => '憐',
  '�' => '戀',
  '�' => '攣',
  '�' => '漣',
  '֡' => '煉',
  '֢' => '璉',
  '֣' => '練',
  '֤' => '聯',
  '֥' => '蓮',
  '֦' => '輦',
  '֧' => '連',
  '֨' => '鍊',
  '֩' => '冽',
  '֪' => '列',
  '֫' => '劣',
  '֬' => '洌',
  '֭' => '烈',
  '֮' => '裂',
  '֯' => '廉',
  'ְ' => '斂',
  'ֱ' => '殮',
  'ֲ' => '濂',
  'ֳ' => '簾',
  'ִ' => '獵',
  'ֵ' => '令',
  'ֶ' => '伶',
  'ַ' => '囹',
  'ָ' => '寧',
  'ֹ' => '岺',
  'ֺ' => '嶺',
  'ֻ' => '怜',
  'ּ' => '玲',
  'ֽ' => '笭',
  '־' => '羚',
  'ֿ' => '翎',
  '�' => '聆',
  '�' => '逞',
  '��' => '鈴',
  '��' => '零',
  '��' => '靈',
  '��' => '領',
  '��' => '齡',
  '��' => '例',
  '��' => '澧',
  '��' => '禮',
  '��' => '醴',
  '��' => '隷',
  '��' => '勞',
  '��' => '怒',
  '��' => '撈',
  '��' => '擄',
  '��' => '櫓',
  '��' => '潞',
  '��' => '瀘',
  '��' => '爐',
  '��' => '盧',
  '��' => '老',
  '��' => '蘆',
  '��' => '虜',
  '��' => '路',
  '��' => '輅',
  '��' => '露',
  '��' => '魯',
  '��' => '鷺',
  '��' => '鹵',
  '��' => '碌',
  '��' => '祿',
  '��' => '綠',
  '��' => '菉',
  '��' => '錄',
  '��' => '鹿',
  '��' => '麓',
  '��' => '論',
  '��' => '壟',
  '��' => '弄',
  '��' => '朧',
  '��' => '瀧',
  '��' => '瓏',
  '��' => '籠',
  '��' => '聾',
  '��' => '儡',
  '��' => '瀨',
  '��' => '牢',
  '��' => '磊',
  '��' => '賂',
  '��' => '賚',
  '��' => '賴',
  '��' => '雷',
  '�' => '了',
  '�' => '僚',
  '�' => '寮',
  '�' => '廖',
  '�' => '料',
  '�' => '燎',
  '�' => '療',
  '�' => '瞭',
  '�' => '聊',
  '�' => '蓼',
  'ס' => '遼',
  'ע' => '鬧',
  'ף' => '龍',
  'פ' => '壘',
  'ץ' => '婁',
  'צ' => '屢',
  'ק' => '樓',
  'ר' => '淚',
  'ש' => '漏',
  'ת' => '瘻',
  '׫' => '累',
  '׬' => '縷',
  '׭' => '蔞',
  '׮' => '褸',
  'ׯ' => '鏤',
  'װ' => '陋',
  'ױ' => '劉',
  'ײ' => '旒',
  '׳' => '柳',
  '״' => '榴',
  '׵' => '流',
  '׶' => '溜',
  '׷' => '瀏',
  '׸' => '琉',
  '׹' => '瑠',
  '׺' => '留',
  '׻' => '瘤',
  '׼' => '硫',
  '׽' => '謬',
  '׾' => '類',
  '׿' => '六',
  '�' => '戮',
  '�' => '陸',
  '��' => '侖',
  '��' => '倫',
  '��' => '崙',
  '��' => '淪',
  '��' => '綸',
  '��' => '輪',
  '��' => '律',
  '��' => '慄',
  '��' => '栗',
  '��' => '率',
  '��' => '隆',
  '��' => '勒',
  '��' => '肋',
  '��' => '凜',
  '��' => '凌',
  '��' => '楞',
  '��' => '稜',
  '��' => '綾',
  '��' => '菱',
  '��' => '陵',
  '��' => '俚',
  '��' => '利',
  '��' => '厘',
  '��' => '吏',
  '��' => '唎',
  '��' => '履',
  '��' => '悧',
  '��' => '李',
  '��' => '梨',
  '��' => '浬',
  '��' => '犁',
  '��' => '狸',
  '��' => '理',
  '��' => '璃',
  '��' => '異',
  '��' => '痢',
  '��' => '籬',
  '��' => '罹',
  '��' => '羸',
  '��' => '莉',
  '��' => '裏',
  '��' => '裡',
  '��' => '里',
  '��' => '釐',
  '��' => '離',
  '��' => '鯉',
  '��' => '吝',
  '��' => '潾',
  '��' => '燐',
  '��' => '璘',
  '��' => '藺',
  '�' => '躪',
  '�' => '隣',
  '�' => '鱗',
  '�' => '麟',
  '�' => '林',
  '�' => '淋',
  '�' => '琳',
  '�' => '臨',
  '�' => '霖',
  '�' => '砬',
  'ء' => '立',
  'آ' => '笠',
  'أ' => '粒',
  'ؤ' => '摩',
  'إ' => '瑪',
  'ئ' => '痲',
  'ا' => '碼',
  'ب' => '磨',
  'ة' => '馬',
  'ت' => '魔',
  'ث' => '麻',
  'ج' => '寞',
  'ح' => '幕',
  'خ' => '漠',
  'د' => '膜',
  'ذ' => '莫',
  'ر' => '邈',
  'ز' => '万',
  'س' => '卍',
  'ش' => '娩',
  'ص' => '巒',
  'ض' => '彎',
  'ط' => '慢',
  'ظ' => '挽',
  'ع' => '晩',
  'غ' => '曼',
  'ػ' => '滿',
  'ؼ' => '漫',
  'ؽ' => '灣',
  'ؾ' => '瞞',
  'ؿ' => '萬',
  '�' => '蔓',
  '�' => '蠻',
  '��' => '輓',
  '��' => '饅',
  '��' => '鰻',
  '��' => '唜',
  '��' => '抹',
  '��' => '末',
  '��' => '沫',
  '��' => '茉',
  '��' => '襪',
  '��' => '靺',
  '��' => '亡',
  '��' => '妄',
  '��' => '忘',
  '��' => '忙',
  '��' => '望',
  '��' => '網',
  '��' => '罔',
  '��' => '芒',
  '��' => '茫',
  '��' => '莽',
  '��' => '輞',
  '��' => '邙',
  '��' => '埋',
  '��' => '妹',
  '��' => '媒',
  '��' => '寐',
  '��' => '昧',
  '��' => '枚',
  '��' => '梅',
  '��' => '每',
  '��' => '煤',
  '��' => '罵',
  '��' => '買',
  '��' => '賣',
  '��' => '邁',
  '��' => '魅',
  '��' => '脈',
  '��' => '貊',
  '��' => '陌',
  '��' => '驀',
  '��' => '麥',
  '��' => '孟',
  '��' => '氓',
  '��' => '猛',
  '��' => '盲',
  '��' => '盟',
  '��' => '萌',
  '��' => '冪',
  '��' => '覓',
  '��' => '免',
  '��' => '冕',
  '�' => '勉',
  '�' => '棉',
  '�' => '沔',
  '�' => '眄',
  '�' => '眠',
  '�' => '綿',
  '�' => '緬',
  '�' => '面',
  '�' => '麵',
  '�' => '滅',
  '١' => '蔑',
  '٢' => '冥',
  '٣' => '名',
  '٤' => '命',
  '٥' => '明',
  '٦' => '暝',
  '٧' => '椧',
  '٨' => '溟',
  '٩' => '皿',
  '٪' => '瞑',
  '٫' => '茗',
  '٬' => '蓂',
  '٭' => '螟',
  'ٮ' => '酩',
  'ٯ' => '銘',
  'ٰ' => '鳴',
  'ٱ' => '袂',
  'ٲ' => '侮',
  'ٳ' => '冒',
  'ٴ' => '募',
  'ٵ' => '姆',
  'ٶ' => '帽',
  'ٷ' => '慕',
  'ٸ' => '摸',
  'ٹ' => '摹',
  'ٺ' => '暮',
  'ٻ' => '某',
  'ټ' => '模',
  'ٽ' => '母',
  'پ' => '毛',
  'ٿ' => '牟',
  '�' => '牡',
  '�' => '瑁',
  '��' => '眸',
  '��' => '矛',
  '��' => '耗',
  '��' => '芼',
  '��' => '茅',
  '��' => '謀',
  '��' => '謨',
  '��' => '貌',
  '��' => '木',
  '��' => '沐',
  '��' => '牧',
  '��' => '目',
  '��' => '睦',
  '��' => '穆',
  '��' => '鶩',
  '��' => '歿',
  '��' => '沒',
  '��' => '夢',
  '��' => '朦',
  '��' => '蒙',
  '��' => '卯',
  '��' => '墓',
  '��' => '妙',
  '��' => '廟',
  '��' => '描',
  '��' => '昴',
  '��' => '杳',
  '��' => '渺',
  '��' => '猫',
  '��' => '竗',
  '��' => '苗',
  '��' => '錨',
  '��' => '務',
  '��' => '巫',
  '��' => '憮',
  '��' => '懋',
  '��' => '戊',
  '��' => '拇',
  '��' => '撫',
  '��' => '无',
  '��' => '楙',
  '��' => '武',
  '��' => '毋',
  '��' => '無',
  '��' => '珷',
  '��' => '畝',
  '��' => '繆',
  '��' => '舞',
  '��' => '茂',
  '��' => '蕪',
  '��' => '誣',
  '�' => '貿',
  '�' => '霧',
  '�' => '鵡',
  '�' => '墨',
  '�' => '默',
  '�' => '們',
  '�' => '刎',
  '�' => '吻',
  '�' => '問',
  '�' => '文',
  'ڡ' => '汶',
  'ڢ' => '紊',
  'ڣ' => '紋',
  'ڤ' => '聞',
  'ڥ' => '蚊',
  'ڦ' => '門',
  'ڧ' => '雯',
  'ڨ' => '勿',
  'ک' => '沕',
  'ڪ' => '物',
  'ګ' => '味',
  'ڬ' => '媚',
  'ڭ' => '尾',
  'ڮ' => '嵋',
  'گ' => '彌',
  'ڰ' => '微',
  'ڱ' => '未',
  'ڲ' => '梶',
  'ڳ' => '楣',
  'ڴ' => '渼',
  'ڵ' => '湄',
  'ڶ' => '眉',
  'ڷ' => '米',
  'ڸ' => '美',
  'ڹ' => '薇',
  'ں' => '謎',
  'ڻ' => '迷',
  'ڼ' => '靡',
  'ڽ' => '黴',
  'ھ' => '岷',
  'ڿ' => '悶',
  '�' => '愍',
  '�' => '憫',
  '��' => '敏',
  '��' => '旻',
  '��' => '旼',
  '��' => '民',
  '��' => '泯',
  '��' => '玟',
  '��' => '珉',
  '��' => '緡',
  '��' => '閔',
  '��' => '密',
  '��' => '蜜',
  '��' => '謐',
  '��' => '剝',
  '��' => '博',
  '��' => '拍',
  '��' => '搏',
  '��' => '撲',
  '��' => '朴',
  '��' => '樸',
  '��' => '泊',
  '��' => '珀',
  '��' => '璞',
  '��' => '箔',
  '��' => '粕',
  '��' => '縛',
  '��' => '膊',
  '��' => '舶',
  '��' => '薄',
  '��' => '迫',
  '��' => '雹',
  '��' => '駁',
  '��' => '伴',
  '��' => '半',
  '��' => '反',
  '��' => '叛',
  '��' => '拌',
  '��' => '搬',
  '��' => '攀',
  '��' => '斑',
  '��' => '槃',
  '��' => '泮',
  '��' => '潘',
  '��' => '班',
  '��' => '畔',
  '��' => '瘢',
  '��' => '盤',
  '��' => '盼',
  '��' => '磐',
  '��' => '磻',
  '��' => '礬',
  '��' => '絆',
  '�' => '般',
  '�' => '蟠',
  '�' => '返',
  '�' => '頒',
  '�' => '飯',
  '�' => '勃',
  '�' => '拔',
  '�' => '撥',
  '�' => '渤',
  '�' => '潑',
  'ۡ' => '發',
  'ۢ' => '跋',
  'ۣ' => '醱',
  'ۤ' => '鉢',
  'ۥ' => '髮',
  'ۦ' => '魃',
  'ۧ' => '倣',
  'ۨ' => '傍',
  '۩' => '坊',
  '۪' => '妨',
  '۫' => '尨',
  '۬' => '幇',
  'ۭ' => '彷',
  'ۮ' => '房',
  'ۯ' => '放',
  '۰' => '方',
  '۱' => '旁',
  '۲' => '昉',
  '۳' => '枋',
  '۴' => '榜',
  '۵' => '滂',
  '۶' => '磅',
  '۷' => '紡',
  '۸' => '肪',
  '۹' => '膀',
  'ۺ' => '舫',
  'ۻ' => '芳',
  'ۼ' => '蒡',
  '۽' => '蚌',
  '۾' => '訪',
  'ۿ' => '謗',
  '�' => '邦',
  '�' => '防',
  '��' => '龐',
  '��' => '倍',
  '��' => '俳',
  '��' => '北',
  '��' => '培',
  '��' => '徘',
  '��' => '拜',
  '��' => '排',
  '��' => '杯',
  '��' => '湃',
  '��' => '焙',
  '��' => '盃',
  '��' => '背',
  '��' => '胚',
  '��' => '裴',
  '��' => '裵',
  '��' => '褙',
  '��' => '賠',
  '��' => '輩',
  '��' => '配',
  '��' => '陪',
  '��' => '伯',
  '��' => '佰',
  '��' => '帛',
  '��' => '柏',
  '��' => '栢',
  '��' => '白',
  '��' => '百',
  '��' => '魄',
  '��' => '幡',
  '��' => '樊',
  '��' => '煩',
  '��' => '燔',
  '��' => '番',
  '��' => '磻',
  '��' => '繁',
  '��' => '蕃',
  '��' => '藩',
  '��' => '飜',
  '��' => '伐',
  '��' => '筏',
  '��' => '罰',
  '��' => '閥',
  '��' => '凡',
  '��' => '帆',
  '��' => '梵',
  '��' => '氾',
  '��' => '汎',
  '��' => '泛',
  '��' => '犯',
  '��' => '範',
  '�' => '范',
  '�' => '法',
  '�' => '琺',
  '�' => '僻',
  '�' => '劈',
  '�' => '壁',
  '�' => '擘',
  '�' => '檗',
  '�' => '璧',
  '�' => '癖',
  'ܡ' => '碧',
  'ܢ' => '蘗',
  'ܣ' => '闢',
  'ܤ' => '霹',
  'ܥ' => '便',
  'ܦ' => '卞',
  'ܧ' => '弁',
  'ܨ' => '變',
  'ܩ' => '辨',
  'ܪ' => '辯',
  'ܫ' => '邊',
  'ܬ' => '別',
  'ܭ' => '瞥',
  'ܮ' => '鱉',
  'ܯ' => '鼈',
  'ܰ' => '丙',
  'ܱ' => '倂',
  'ܲ' => '兵',
  'ܳ' => '屛',
  'ܴ' => '幷',
  'ܵ' => '昞',
  'ܶ' => '昺',
  'ܷ' => '柄',
  'ܸ' => '棅',
  'ܹ' => '炳',
  'ܺ' => '甁',
  'ܻ' => '病',
  'ܼ' => '秉',
  'ܽ' => '竝',
  'ܾ' => '輧',
  'ܿ' => '餠',
  '�' => '騈',
  '�' => '保',
  '��' => '堡',
  '��' => '報',
  '��' => '寶',
  '��' => '普',
  '��' => '步',
  '��' => '洑',
  '��' => '湺',
  '��' => '潽',
  '��' => '珤',
  '��' => '甫',
  '��' => '菩',
  '��' => '補',
  '��' => '褓',
  '��' => '譜',
  '��' => '輔',
  '��' => '伏',
  '��' => '僕',
  '��' => '匐',
  '��' => '卜',
  '��' => '宓',
  '��' => '復',
  '��' => '服',
  '��' => '福',
  '��' => '腹',
  '��' => '茯',
  '��' => '蔔',
  '��' => '複',
  '��' => '覆',
  '��' => '輹',
  '��' => '輻',
  '��' => '馥',
  '��' => '鰒',
  '��' => '本',
  '��' => '乶',
  '��' => '俸',
  '��' => '奉',
  '��' => '封',
  '��' => '峯',
  '��' => '峰',
  '��' => '捧',
  '��' => '棒',
  '��' => '烽',
  '��' => '熢',
  '��' => '琫',
  '��' => '縫',
  '��' => '蓬',
  '��' => '蜂',
  '��' => '逢',
  '��' => '鋒',
  '��' => '鳳',
  '��' => '不',
  '�' => '付',
  '�' => '俯',
  '�' => '傅',
  '�' => '剖',
  '�' => '副',
  '�' => '否',
  '�' => '咐',
  '�' => '埠',
  '�' => '夫',
  '�' => '婦',
  'ݡ' => '孚',
  'ݢ' => '孵',
  'ݣ' => '富',
  'ݤ' => '府',
  'ݥ' => '復',
  'ݦ' => '扶',
  'ݧ' => '敷',
  'ݨ' => '斧',
  'ݩ' => '浮',
  'ݪ' => '溥',
  'ݫ' => '父',
  'ݬ' => '符',
  'ݭ' => '簿',
  'ݮ' => '缶',
  'ݯ' => '腐',
  'ݰ' => '腑',
  'ݱ' => '膚',
  'ݲ' => '艀',
  'ݳ' => '芙',
  'ݴ' => '莩',
  'ݵ' => '訃',
  'ݶ' => '負',
  'ݷ' => '賦',
  'ݸ' => '賻',
  'ݹ' => '赴',
  'ݺ' => '趺',
  'ݻ' => '部',
  'ݼ' => '釜',
  'ݽ' => '阜',
  'ݾ' => '附',
  'ݿ' => '駙',
  '�' => '鳧',
  '�' => '北',
  '��' => '分',
  '��' => '吩',
  '��' => '噴',
  '��' => '墳',
  '��' => '奔',
  '��' => '奮',
  '��' => '忿',
  '��' => '憤',
  '��' => '扮',
  '��' => '昐',
  '��' => '汾',
  '��' => '焚',
  '��' => '盆',
  '��' => '粉',
  '��' => '糞',
  '��' => '紛',
  '��' => '芬',
  '��' => '賁',
  '��' => '雰',
  '��' => '不',
  '��' => '佛',
  '��' => '弗',
  '��' => '彿',
  '��' => '拂',
  '��' => '崩',
  '��' => '朋',
  '��' => '棚',
  '��' => '硼',
  '��' => '繃',
  '��' => '鵬',
  '��' => '丕',
  '��' => '備',
  '��' => '匕',
  '��' => '匪',
  '��' => '卑',
  '��' => '妃',
  '��' => '婢',
  '��' => '庇',
  '��' => '悲',
  '��' => '憊',
  '��' => '扉',
  '��' => '批',
  '��' => '斐',
  '��' => '枇',
  '��' => '榧',
  '��' => '比',
  '��' => '毖',
  '��' => '毗',
  '��' => '毘',
  '��' => '沸',
  '��' => '泌',
  '�' => '琵',
  '�' => '痺',
  '�' => '砒',
  '�' => '碑',
  '�' => '秕',
  '�' => '秘',
  '�' => '粃',
  '�' => '緋',
  '�' => '翡',
  '�' => '肥',
  'ޡ' => '脾',
  'ޢ' => '臂',
  'ޣ' => '菲',
  'ޤ' => '蜚',
  'ޥ' => '裨',
  'ަ' => '誹',
  'ާ' => '譬',
  'ި' => '費',
  'ީ' => '鄙',
  'ު' => '非',
  'ޫ' => '飛',
  'ެ' => '鼻',
  'ޭ' => '嚬',
  'ޮ' => '嬪',
  'ޯ' => '彬',
  'ް' => '斌',
  'ޱ' => '檳',
  '޲' => '殯',
  '޳' => '浜',
  '޴' => '濱',
  '޵' => '瀕',
  '޶' => '牝',
  '޷' => '玭',
  '޸' => '貧',
  '޹' => '賓',
  '޺' => '頻',
  '޻' => '憑',
  '޼' => '氷',
  '޽' => '聘',
  '޾' => '騁',
  '޿' => '乍',
  '�' => '事',
  '�' => '些',
  '��' => '仕',
  '��' => '伺',
  '��' => '似',
  '��' => '使',
  '��' => '俟',
  '��' => '僿',
  '��' => '史',
  '��' => '司',
  '��' => '唆',
  '��' => '嗣',
  '��' => '四',
  '��' => '士',
  '��' => '奢',
  '��' => '娑',
  '��' => '寫',
  '��' => '寺',
  '��' => '射',
  '��' => '巳',
  '��' => '師',
  '��' => '徙',
  '��' => '思',
  '��' => '捨',
  '��' => '斜',
  '��' => '斯',
  '��' => '柶',
  '��' => '査',
  '��' => '梭',
  '��' => '死',
  '��' => '沙',
  '��' => '泗',
  '��' => '渣',
  '��' => '瀉',
  '��' => '獅',
  '��' => '砂',
  '��' => '社',
  '��' => '祀',
  '��' => '祠',
  '��' => '私',
  '��' => '篩',
  '��' => '紗',
  '��' => '絲',
  '��' => '肆',
  '��' => '舍',
  '��' => '莎',
  '��' => '蓑',
  '��' => '蛇',
  '��' => '裟',
  '��' => '詐',
  '��' => '詞',
  '��' => '謝',
  '��' => '賜',
  '�' => '赦',
  '�' => '辭',
  '�' => '邪',
  '�' => '飼',
  '�' => '駟',
  '�' => '麝',
  '�' => '削',
  '�' => '數',
  '�' => '朔',
  '�' => '索',
  'ߡ' => '傘',
  'ߢ' => '刪',
  'ߣ' => '山',
  'ߤ' => '散',
  'ߥ' => '汕',
  'ߦ' => '珊',
  'ߧ' => '産',
  'ߨ' => '疝',
  'ߩ' => '算',
  'ߪ' => '蒜',
  '߫' => '酸',
  '߬' => '霰',
  '߭' => '乷',
  '߮' => '撒',
  '߯' => '殺',
  '߰' => '煞',
  '߱' => '薩',
  '߲' => '三',
  '߳' => '參',
  'ߴ' => '杉',
  'ߵ' => '森',
  '߶' => '渗',
  '߷' => '芟',
  '߸' => '蔘',
  '߹' => '衫',
  'ߺ' => '揷',
  '߻' => '澁',
  '߼' => '鈒',
  '߽' => '颯',
  '߾' => '上',
  '߿' => '傷',
  '�' => '像',
  '�' => '償',
  '��' => '商',
  '��' => '喪',
  '��' => '嘗',
  '��' => '孀',
  '��' => '尙',
  '��' => '峠',
  '��' => '常',
  '��' => '床',
  '��' => '庠',
  '��' => '廂',
  '��' => '想',
  '��' => '桑',
  '��' => '橡',
  '��' => '湘',
  '��' => '爽',
  '��' => '牀',
  '��' => '狀',
  '��' => '相',
  '��' => '祥',
  '��' => '箱',
  '��' => '翔',
  '��' => '裳',
  '��' => '觴',
  '��' => '詳',
  '��' => '象',
  '��' => '賞',
  '��' => '霜',
  '��' => '塞',
  '��' => '璽',
  '��' => '賽',
  '��' => '嗇',
  '��' => '塞',
  '��' => '穡',
  '��' => '索',
  '��' => '色',
  '��' => '牲',
  '��' => '生',
  '��' => '甥',
  '��' => '省',
  '��' => '笙',
  '��' => '墅',
  '��' => '壻',
  '��' => '嶼',
  '��' => '序',
  '��' => '庶',
  '��' => '徐',
  '��' => '恕',
  '��' => '抒',
  '��' => '捿',
  '��' => '敍',
  '��' => '暑',
  '�' => '曙',
  '�' => '書',
  '�' => '栖',
  '�' => '棲',
  '�' => '犀',
  '�' => '瑞',
  '�' => '筮',
  '�' => '絮',
  '�' => '緖',
  '�' => '署',
  '�' => '胥',
  '�' => '舒',
  '�' => '薯',
  '�' => '西',
  '�' => '誓',
  '�' => '逝',
  '�' => '鋤',
  '�' => '黍',
  '�' => '鼠',
  '�' => '夕',
  '�' => '奭',
  '�' => '席',
  '�' => '惜',
  '�' => '昔',
  '�' => '晳',
  '�' => '析',
  '�' => '汐',
  '�' => '淅',
  '�' => '潟',
  '�' => '石',
  '�' => '碩',
  '�' => '蓆',
  '�' => '釋',
  '�' => '錫',
  '�' => '仙',
  '�' => '僊',
  '�' => '先',
  '�' => '善',
  '�' => '嬋',
  '�' => '宣',
  '�' => '扇',
  '�' => '敾',
  '�' => '旋',
  '��' => '渲',
  '��' => '煽',
  '��' => '琁',
  '��' => '瑄',
  '��' => '璇',
  '��' => '璿',
  '��' => '癬',
  '��' => '禪',
  '��' => '線',
  '��' => '繕',
  '��' => '羨',
  '��' => '腺',
  '��' => '膳',
  '��' => '船',
  '��' => '蘚',
  '��' => '蟬',
  '��' => '詵',
  '��' => '跣',
  '��' => '選',
  '��' => '銑',
  '��' => '鐥',
  '��' => '饍',
  '��' => '鮮',
  '��' => '卨',
  '��' => '屑',
  '��' => '楔',
  '��' => '泄',
  '��' => '洩',
  '��' => '渫',
  '��' => '舌',
  '��' => '薛',
  '��' => '褻',
  '��' => '設',
  '��' => '說',
  '��' => '雪',
  '��' => '齧',
  '��' => '剡',
  '��' => '暹',
  '��' => '殲',
  '��' => '纖',
  '��' => '蟾',
  '��' => '贍',
  '��' => '閃',
  '��' => '陝',
  '��' => '攝',
  '��' => '涉',
  '��' => '燮',
  '��' => '葉',
  '��' => '城',
  '��' => '姓',
  '��' => '宬',
  '�' => '性',
  '�' => '惺',
  '�' => '成',
  '�' => '星',
  '�' => '晟',
  '�' => '猩',
  '�' => '珹',
  '�' => '盛',
  '�' => '省',
  '�' => '筬',
  '�' => '聖',
  '�' => '聲',
  '�' => '腥',
  '�' => '誠',
  '�' => '醒',
  '�' => '世',
  '�' => '勢',
  '�' => '歲',
  '�' => '洗',
  '�' => '稅',
  '�' => '笹',
  '�' => '細',
  '�' => '說',
  '�' => '貰',
  '�' => '召',
  '�' => '嘯',
  '�' => '塑',
  '�' => '宵',
  '�' => '小',
  '�' => '少',
  '�' => '巢',
  '�' => '所',
  '�' => '掃',
  '�' => '搔',
  '�' => '昭',
  '�' => '梳',
  '�' => '沼',
  '�' => '消',
  '�' => '溯',
  '�' => '瀟',
  '�' => '炤',
  '�' => '燒',
  '�' => '甦',
  '��' => '疏',
  '��' => '疎',
  '��' => '瘙',
  '��' => '笑',
  '��' => '篠',
  '��' => '簫',
  '��' => '素',
  '��' => '紹',
  '��' => '蔬',
  '��' => '蕭',
  '��' => '蘇',
  '��' => '訴',
  '��' => '逍',
  '��' => '遡',
  '��' => '邵',
  '��' => '銷',
  '��' => '韶',
  '��' => '騷',
  '��' => '俗',
  '��' => '屬',
  '��' => '束',
  '��' => '涑',
  '��' => '粟',
  '��' => '續',
  '��' => '謖',
  '��' => '贖',
  '��' => '速',
  '��' => '孫',
  '��' => '巽',
  '��' => '損',
  '��' => '蓀',
  '��' => '遜',
  '��' => '飡',
  '��' => '率',
  '��' => '宋',
  '��' => '悚',
  '��' => '松',
  '��' => '淞',
  '��' => '訟',
  '��' => '誦',
  '��' => '送',
  '��' => '頌',
  '��' => '刷',
  '��' => '殺',
  '��' => '灑',
  '��' => '碎',
  '��' => '鎖',
  '��' => '衰',
  '��' => '釗',
  '��' => '修',
  '��' => '受',
  '�' => '嗽',
  '�' => '囚',
  '�' => '垂',
  '�' => '壽',
  '�' => '嫂',
  '�' => '守',
  '�' => '岫',
  '�' => '峀',
  '�' => '帥',
  '�' => '愁',
  '�' => '戍',
  '�' => '手',
  '�' => '授',
  '�' => '搜',
  '�' => '收',
  '�' => '數',
  '�' => '樹',
  '�' => '殊',
  '�' => '水',
  '�' => '洙',
  '�' => '漱',
  '�' => '燧',
  '�' => '狩',
  '�' => '獸',
  '�' => '琇',
  '�' => '璲',
  '�' => '瘦',
  '�' => '睡',
  '�' => '秀',
  '�' => '穗',
  '�' => '竪',
  '�' => '粹',
  '�' => '綏',
  '�' => '綬',
  '�' => '繡',
  '�' => '羞',
  '�' => '脩',
  '�' => '茱',
  '�' => '蒐',
  '�' => '蓚',
  '�' => '藪',
  '�' => '袖',
  '�' => '誰',
  '��' => '讐',
  '��' => '輸',
  '��' => '遂',
  '��' => '邃',
  '��' => '酬',
  '��' => '銖',
  '��' => '銹',
  '��' => '隋',
  '��' => '隧',
  '��' => '隨',
  '��' => '雖',
  '��' => '需',
  '��' => '須',
  '��' => '首',
  '��' => '髓',
  '��' => '鬚',
  '��' => '叔',
  '��' => '塾',
  '��' => '夙',
  '��' => '孰',
  '��' => '宿',
  '��' => '淑',
  '��' => '潚',
  '��' => '熟',
  '��' => '琡',
  '��' => '璹',
  '��' => '肅',
  '��' => '菽',
  '��' => '巡',
  '��' => '徇',
  '��' => '循',
  '��' => '恂',
  '��' => '旬',
  '��' => '栒',
  '��' => '楯',
  '��' => '橓',
  '��' => '殉',
  '��' => '洵',
  '��' => '淳',
  '��' => '珣',
  '��' => '盾',
  '��' => '瞬',
  '��' => '筍',
  '��' => '純',
  '��' => '脣',
  '��' => '舜',
  '��' => '荀',
  '��' => '蓴',
  '��' => '蕣',
  '��' => '詢',
  '��' => '諄',
  '�' => '醇',
  '�' => '錞',
  '�' => '順',
  '�' => '馴',
  '�' => '戌',
  '�' => '術',
  '�' => '述',
  '�' => '鉥',
  '�' => '崇',
  '�' => '崧',
  '�' => '嵩',
  '�' => '瑟',
  '�' => '膝',
  '�' => '蝨',
  '�' => '濕',
  '�' => '拾',
  '�' => '習',
  '�' => '褶',
  '�' => '襲',
  '�' => '丞',
  '�' => '乘',
  '�' => '僧',
  '�' => '勝',
  '�' => '升',
  '�' => '承',
  '�' => '昇',
  '�' => '繩',
  '�' => '蠅',
  '�' => '陞',
  '�' => '侍',
  '�' => '匙',
  '�' => '嘶',
  '�' => '始',
  '�' => '媤',
  '�' => '尸',
  '�' => '屎',
  '�' => '屍',
  '�' => '市',
  '�' => '弑',
  '�' => '恃',
  '�' => '施',
  '�' => '是',
  '�' => '時',
  '��' => '枾',
  '��' => '柴',
  '��' => '猜',
  '��' => '矢',
  '��' => '示',
  '��' => '翅',
  '��' => '蒔',
  '��' => '蓍',
  '��' => '視',
  '��' => '試',
  '��' => '詩',
  '��' => '諡',
  '��' => '豕',
  '��' => '豺',
  '��' => '埴',
  '��' => '寔',
  '��' => '式',
  '��' => '息',
  '��' => '拭',
  '��' => '植',
  '��' => '殖',
  '��' => '湜',
  '��' => '熄',
  '��' => '篒',
  '��' => '蝕',
  '��' => '識',
  '��' => '軾',
  '��' => '食',
  '��' => '飾',
  '��' => '伸',
  '��' => '侁',
  '��' => '信',
  '��' => '呻',
  '��' => '娠',
  '��' => '宸',
  '��' => '愼',
  '��' => '新',
  '��' => '晨',
  '��' => '燼',
  '��' => '申',
  '��' => '神',
  '��' => '紳',
  '��' => '腎',
  '��' => '臣',
  '��' => '莘',
  '��' => '薪',
  '��' => '藎',
  '��' => '蜃',
  '��' => '訊',
  '��' => '身',
  '��' => '辛',
  '�' => '辰',
  '�' => '迅',
  '�' => '失',
  '�' => '室',
  '�' => '實',
  '�' => '悉',
  '�' => '審',
  '�' => '尋',
  '�' => '心',
  '�' => '沁',
  '�' => '沈',
  '�' => '深',
  '�' => '瀋',
  '�' => '甚',
  '�' => '芯',
  '�' => '諶',
  '�' => '什',
  '�' => '十',
  '�' => '拾',
  '�' => '雙',
  '�' => '氏',
  '�' => '亞',
  '�' => '俄',
  '�' => '兒',
  '�' => '啞',
  '�' => '娥',
  '�' => '峨',
  '�' => '我',
  '�' => '牙',
  '�' => '芽',
  '�' => '莪',
  '�' => '蛾',
  '�' => '衙',
  '�' => '訝',
  '�' => '阿',
  '�' => '雅',
  '�' => '餓',
  '�' => '鴉',
  '�' => '鵝',
  '�' => '堊',
  '�' => '岳',
  '�' => '嶽',
  '�' => '幄',
  '��' => '惡',
  '��' => '愕',
  '��' => '握',
  '��' => '樂',
  '��' => '渥',
  '��' => '鄂',
  '��' => '鍔',
  '��' => '顎',
  '��' => '鰐',
  '��' => '齷',
  '��' => '安',
  '��' => '岸',
  '��' => '按',
  '��' => '晏',
  '��' => '案',
  '��' => '眼',
  '��' => '雁',
  '��' => '鞍',
  '��' => '顔',
  '��' => '鮟',
  '��' => '斡',
  '��' => '謁',
  '��' => '軋',
  '��' => '閼',
  '��' => '唵',
  '��' => '岩',
  '��' => '巖',
  '��' => '庵',
  '��' => '暗',
  '��' => '癌',
  '��' => '菴',
  '��' => '闇',
  '��' => '壓',
  '��' => '押',
  '��' => '狎',
  '��' => '鴨',
  '��' => '仰',
  '��' => '央',
  '��' => '怏',
  '��' => '昻',
  '��' => '殃',
  '��' => '秧',
  '��' => '鴦',
  '��' => '厓',
  '��' => '哀',
  '��' => '埃',
  '��' => '崖',
  '��' => '愛',
  '��' => '曖',
  '��' => '涯',
  '��' => '碍',
  '�' => '艾',
  '�' => '隘',
  '�' => '靄',
  '�' => '厄',
  '�' => '扼',
  '�' => '掖',
  '�' => '液',
  '�' => '縊',
  '�' => '腋',
  '�' => '額',
  '�' => '櫻',
  '�' => '罌',
  '�' => '鶯',
  '�' => '鸚',
  '�' => '也',
  '�' => '倻',
  '�' => '冶',
  '�' => '夜',
  '�' => '惹',
  '�' => '揶',
  '�' => '椰',
  '�' => '爺',
  '�' => '耶',
  '�' => '若',
  '�' => '野',
  '�' => '弱',
  '�' => '掠',
  '�' => '略',
  '�' => '約',
  '�' => '若',
  '�' => '葯',
  '�' => '蒻',
  '�' => '藥',
  '�' => '躍',
  '�' => '亮',
  '�' => '佯',
  '�' => '兩',
  '�' => '凉',
  '�' => '壤',
  '�' => '孃',
  '�' => '恙',
  '�' => '揚',
  '�' => '攘',
  '��' => '敭',
  '��' => '暘',
  '��' => '梁',
  '��' => '楊',
  '��' => '樣',
  '��' => '洋',
  '��' => '瀁',
  '��' => '煬',
  '��' => '痒',
  '��' => '瘍',
  '��' => '禳',
  '��' => '穰',
  '��' => '糧',
  '��' => '羊',
  '��' => '良',
  '��' => '襄',
  '��' => '諒',
  '��' => '讓',
  '��' => '釀',
  '��' => '陽',
  '��' => '量',
  '��' => '養',
  '��' => '圄',
  '��' => '御',
  '��' => '於',
  '��' => '漁',
  '��' => '瘀',
  '��' => '禦',
  '��' => '語',
  '��' => '馭',
  '��' => '魚',
  '��' => '齬',
  '��' => '億',
  '��' => '憶',
  '��' => '抑',
  '��' => '檍',
  '��' => '臆',
  '��' => '偃',
  '��' => '堰',
  '��' => '彦',
  '��' => '焉',
  '��' => '言',
  '��' => '諺',
  '��' => '孼',
  '��' => '蘖',
  '��' => '俺',
  '��' => '儼',
  '��' => '嚴',
  '��' => '奄',
  '��' => '掩',
  '��' => '淹',
  '�' => '嶪',
  '�' => '業',
  '�' => '円',
  '�' => '予',
  '�' => '余',
  '�' => '勵',
  '�' => '呂',
  '�' => '女',
  '�' => '如',
  '�' => '廬',
  '�' => '旅',
  '�' => '歟',
  '�' => '汝',
  '�' => '濾',
  '�' => '璵',
  '�' => '礖',
  '�' => '礪',
  '�' => '與',
  '�' => '艅',
  '�' => '茹',
  '�' => '輿',
  '�' => '轝',
  '�' => '閭',
  '�' => '餘',
  '�' => '驪',
  '�' => '麗',
  '�' => '黎',
  '�' => '亦',
  '�' => '力',
  '�' => '域',
  '�' => '役',
  '�' => '易',
  '�' => '曆',
  '�' => '歷',
  '�' => '疫',
  '�' => '繹',
  '�' => '譯',
  '�' => '轢',
  '�' => '逆',
  '�' => '驛',
  '�' => '嚥',
  '�' => '堧',
  '�' => '姸',
  '��' => '娟',
  '��' => '宴',
  '��' => '年',
  '��' => '延',
  '��' => '憐',
  '��' => '戀',
  '��' => '捐',
  '��' => '挻',
  '��' => '撚',
  '��' => '椽',
  '��' => '沇',
  '��' => '沿',
  '��' => '涎',
  '��' => '涓',
  '��' => '淵',
  '��' => '演',
  '��' => '漣',
  '��' => '烟',
  '��' => '然',
  '��' => '煙',
  '��' => '煉',
  '��' => '燃',
  '��' => '燕',
  '��' => '璉',
  '��' => '硏',
  '��' => '硯',
  '��' => '秊',
  '��' => '筵',
  '��' => '緣',
  '��' => '練',
  '��' => '縯',
  '��' => '聯',
  '��' => '衍',
  '��' => '軟',
  '��' => '輦',
  '��' => '蓮',
  '��' => '連',
  '��' => '鉛',
  '��' => '鍊',
  '��' => '鳶',
  '��' => '列',
  '��' => '劣',
  '��' => '咽',
  '��' => '悅',
  '��' => '涅',
  '��' => '烈',
  '��' => '熱',
  '��' => '裂',
  '��' => '說',
  '��' => '閱',
  '��' => '厭',
  '�' => '廉',
  '�' => '念',
  '�' => '捻',
  '�' => '染',
  '�' => '殮',
  '�' => '炎',
  '�' => '焰',
  '�' => '琰',
  '�' => '艶',
  '�' => '苒',
  '�' => '簾',
  '�' => '閻',
  '�' => '髥',
  '�' => '鹽',
  '�' => '曄',
  '�' => '獵',
  '�' => '燁',
  '�' => '葉',
  '�' => '令',
  '�' => '囹',
  '�' => '塋',
  '�' => '寧',
  '�' => '嶺',
  '�' => '嶸',
  '�' => '影',
  '�' => '怜',
  '�' => '映',
  '�' => '暎',
  '�' => '楹',
  '�' => '榮',
  '�' => '永',
  '�' => '泳',
  '�' => '渶',
  '�' => '潁',
  '�' => '濚',
  '�' => '瀛',
  '�' => '瀯',
  '�' => '煐',
  '�' => '營',
  '�' => '獰',
  '�' => '玲',
  '�' => '瑛',
  '�' => '瑩',
  '��' => '瓔',
  '��' => '盈',
  '��' => '穎',
  '��' => '纓',
  '��' => '羚',
  '��' => '聆',
  '��' => '英',
  '��' => '詠',
  '��' => '迎',
  '��' => '鈴',
  '��' => '鍈',
  '��' => '零',
  '��' => '霙',
  '��' => '靈',
  '��' => '領',
  '��' => '乂',
  '��' => '倪',
  '��' => '例',
  '��' => '刈',
  '��' => '叡',
  '��' => '曳',
  '��' => '汭',
  '��' => '濊',
  '��' => '猊',
  '��' => '睿',
  '��' => '穢',
  '��' => '芮',
  '��' => '藝',
  '��' => '蘂',
  '��' => '禮',
  '��' => '裔',
  '��' => '詣',
  '��' => '譽',
  '��' => '豫',
  '��' => '醴',
  '��' => '銳',
  '��' => '隸',
  '��' => '霓',
  '��' => '預',
  '��' => '五',
  '��' => '伍',
  '��' => '俉',
  '��' => '傲',
  '��' => '午',
  '��' => '吾',
  '��' => '吳',
  '��' => '嗚',
  '��' => '塢',
  '��' => '墺',
  '��' => '奧',
  '��' => '娛',
  '�' => '寤',
  '�' => '悟',
  '�' => '惡',
  '�' => '懊',
  '�' => '敖',
  '�' => '旿',
  '�' => '晤',
  '�' => '梧',
  '�' => '汚',
  '�' => '澳',
  '�' => '烏',
  '�' => '熬',
  '�' => '獒',
  '�' => '筽',
  '�' => '蜈',
  '�' => '誤',
  '�' => '鰲',
  '�' => '鼇',
  '�' => '屋',
  '�' => '沃',
  '�' => '獄',
  '�' => '玉',
  '�' => '鈺',
  '�' => '溫',
  '�' => '瑥',
  '�' => '瘟',
  '�' => '穩',
  '�' => '縕',
  '�' => '蘊',
  '�' => '兀',
  '�' => '壅',
  '�' => '擁',
  '�' => '瓮',
  '�' => '甕',
  '�' => '癰',
  '�' => '翁',
  '�' => '邕',
  '�' => '雍',
  '�' => '饔',
  '�' => '渦',
  '�' => '瓦',
  '�' => '窩',
  '�' => '窪',
  '��' => '臥',
  '��' => '蛙',
  '��' => '蝸',
  '��' => '訛',
  '��' => '婉',
  '��' => '完',
  '��' => '宛',
  '��' => '梡',
  '��' => '椀',
  '��' => '浣',
  '��' => '玩',
  '��' => '琓',
  '��' => '琬',
  '��' => '碗',
  '��' => '緩',
  '��' => '翫',
  '��' => '脘',
  '��' => '腕',
  '��' => '莞',
  '��' => '豌',
  '��' => '阮',
  '��' => '頑',
  '��' => '曰',
  '��' => '往',
  '��' => '旺',
  '��' => '枉',
  '��' => '汪',
  '��' => '王',
  '��' => '倭',
  '��' => '娃',
  '��' => '歪',
  '��' => '矮',
  '��' => '外',
  '��' => '嵬',
  '��' => '巍',
  '��' => '猥',
  '��' => '畏',
  '��' => '了',
  '��' => '僚',
  '��' => '僥',
  '��' => '凹',
  '��' => '堯',
  '��' => '夭',
  '��' => '妖',
  '��' => '姚',
  '��' => '寥',
  '��' => '寮',
  '��' => '尿',
  '��' => '嶢',
  '��' => '拗',
  '��' => '搖',
  '�' => '撓',
  '�' => '擾',
  '�' => '料',
  '�' => '曜',
  '�' => '樂',
  '�' => '橈',
  '�' => '燎',
  '�' => '燿',
  '�' => '瑤',
  '�' => '療',
  '�' => '窈',
  '�' => '窯',
  '�' => '繇',
  '�' => '繞',
  '�' => '耀',
  '�' => '腰',
  '�' => '蓼',
  '�' => '蟯',
  '�' => '要',
  '�' => '謠',
  '�' => '遙',
  '�' => '遼',
  '�' => '邀',
  '�' => '饒',
  '�' => '慾',
  '�' => '欲',
  '�' => '浴',
  '�' => '縟',
  '�' => '褥',
  '�' => '辱',
  '�' => '俑',
  '�' => '傭',
  '�' => '冗',
  '�' => '勇',
  '�' => '埇',
  '�' => '墉',
  '�' => '容',
  '�' => '庸',
  '�' => '慂',
  '�' => '榕',
  '�' => '涌',
  '�' => '湧',
  '�' => '溶',
  '��' => '熔',
  '��' => '瑢',
  '��' => '用',
  '��' => '甬',
  '��' => '聳',
  '��' => '茸',
  '��' => '蓉',
  '��' => '踊',
  '��' => '鎔',
  '��' => '鏞',
  '��' => '龍',
  '��' => '于',
  '��' => '佑',
  '��' => '偶',
  '��' => '優',
  '��' => '又',
  '��' => '友',
  '��' => '右',
  '��' => '宇',
  '��' => '寓',
  '��' => '尤',
  '��' => '愚',
  '��' => '憂',
  '��' => '旴',
  '��' => '牛',
  '��' => '玗',
  '��' => '瑀',
  '��' => '盂',
  '��' => '祐',
  '��' => '禑',
  '��' => '禹',
  '��' => '紆',
  '��' => '羽',
  '��' => '芋',
  '��' => '藕',
  '��' => '虞',
  '��' => '迂',
  '��' => '遇',
  '��' => '郵',
  '��' => '釪',
  '��' => '隅',
  '��' => '雨',
  '��' => '雩',
  '��' => '勖',
  '��' => '彧',
  '��' => '旭',
  '��' => '昱',
  '��' => '栯',
  '��' => '煜',
  '��' => '稶',
  '��' => '郁',
  '�' => '頊',
  '�' => '云',
  '�' => '暈',
  '�' => '橒',
  '�' => '殞',
  '�' => '澐',
  '�' => '熉',
  '�' => '耘',
  '�' => '芸',
  '�' => '蕓',
  '�' => '運',
  '�' => '隕',
  '�' => '雲',
  '�' => '韻',
  '�' => '蔚',
  '�' => '鬱',
  '�' => '亐',
  '�' => '熊',
  '�' => '雄',
  '�' => '元',
  '�' => '原',
  '�' => '員',
  '�' => '圓',
  '�' => '園',
  '�' => '垣',
  '�' => '媛',
  '�' => '嫄',
  '�' => '寃',
  '�' => '怨',
  '�' => '愿',
  '�' => '援',
  '�' => '沅',
  '�' => '洹',
  '�' => '湲',
  '�' => '源',
  '�' => '爰',
  '�' => '猿',
  '�' => '瑗',
  '�' => '苑',
  '�' => '袁',
  '�' => '轅',
  '�' => '遠',
  '�' => '阮',
  '��' => '院',
  '��' => '願',
  '��' => '鴛',
  '��' => '月',
  '��' => '越',
  '��' => '鉞',
  '��' => '位',
  '��' => '偉',
  '��' => '僞',
  '��' => '危',
  '��' => '圍',
  '��' => '委',
  '��' => '威',
  '��' => '尉',
  '��' => '慰',
  '��' => '暐',
  '��' => '渭',
  '��' => '爲',
  '��' => '瑋',
  '��' => '緯',
  '��' => '胃',
  '��' => '萎',
  '��' => '葦',
  '��' => '蔿',
  '��' => '蝟',
  '��' => '衛',
  '��' => '褘',
  '��' => '謂',
  '��' => '違',
  '��' => '韋',
  '��' => '魏',
  '��' => '乳',
  '��' => '侑',
  '��' => '儒',
  '��' => '兪',
  '��' => '劉',
  '��' => '唯',
  '��' => '喩',
  '��' => '孺',
  '��' => '宥',
  '��' => '幼',
  '��' => '幽',
  '��' => '庾',
  '��' => '悠',
  '��' => '惟',
  '��' => '愈',
  '��' => '愉',
  '��' => '揄',
  '��' => '攸',
  '��' => '有',
  '��' => '杻',
  '�' => '柔',
  '�' => '柚',
  '�' => '柳',
  '�' => '楡',
  '�' => '楢',
  '�' => '油',
  '�' => '洧',
  '�' => '流',
  '�' => '游',
  '�' => '溜',
  '�' => '濡',
  '�' => '猶',
  '�' => '猷',
  '�' => '琉',
  '�' => '瑜',
  '�' => '由',
  '�' => '留',
  '�' => '癒',
  '�' => '硫',
  '�' => '紐',
  '�' => '維',
  '�' => '臾',
  '�' => '萸',
  '�' => '裕',
  '�' => '誘',
  '�' => '諛',
  '�' => '諭',
  '�' => '踰',
  '�' => '蹂',
  '�' => '遊',
  '�' => '逾',
  '�' => '遺',
  '�' => '酉',
  '�' => '釉',
  '�' => '鍮',
  '�' => '類',
  '�' => '六',
  '�' => '堉',
  '�' => '戮',
  '�' => '毓',
  '�' => '肉',
  '�' => '育',
  '�' => '陸',
  '��' => '倫',
  '��' => '允',
  '��' => '奫',
  '��' => '尹',
  '��' => '崙',
  '��' => '淪',
  '��' => '潤',
  '��' => '玧',
  '��' => '胤',
  '��' => '贇',
  '��' => '輪',
  '��' => '鈗',
  '��' => '閏',
  '��' => '律',
  '��' => '慄',
  '��' => '栗',
  '��' => '率',
  '��' => '聿',
  '��' => '戎',
  '��' => '瀜',
  '��' => '絨',
  '��' => '融',
  '��' => '隆',
  '��' => '垠',
  '��' => '恩',
  '��' => '慇',
  '��' => '殷',
  '��' => '誾',
  '��' => '銀',
  '��' => '隱',
  '��' => '乙',
  '��' => '吟',
  '��' => '淫',
  '��' => '蔭',
  '��' => '陰',
  '��' => '音',
  '��' => '飮',
  '��' => '揖',
  '��' => '泣',
  '��' => '邑',
  '��' => '凝',
  '��' => '應',
  '��' => '膺',
  '��' => '鷹',
  '��' => '依',
  '��' => '倚',
  '��' => '儀',
  '��' => '宜',
  '��' => '意',
  '��' => '懿',
  '��' => '擬',
  '�' => '椅',
  '�' => '毅',
  '�' => '疑',
  '�' => '矣',
  '�' => '義',
  '�' => '艤',
  '�' => '薏',
  '�' => '蟻',
  '�' => '衣',
  '�' => '誼',
  '�' => '議',
  '�' => '醫',
  '�' => '二',
  '�' => '以',
  '�' => '伊',
  '�' => '利',
  '�' => '吏',
  '�' => '夷',
  '�' => '姨',
  '�' => '履',
  '�' => '已',
  '�' => '弛',
  '�' => '彛',
  '�' => '怡',
  '�' => '易',
  '�' => '李',
  '�' => '梨',
  '�' => '泥',
  '�' => '爾',
  '�' => '珥',
  '�' => '理',
  '�' => '異',
  '�' => '痍',
  '�' => '痢',
  '�' => '移',
  '�' => '罹',
  '�' => '而',
  '�' => '耳',
  '�' => '肄',
  '�' => '苡',
  '�' => '荑',
  '�' => '裏',
  '�' => '裡',
  '��' => '貽',
  '��' => '貳',
  '��' => '邇',
  '��' => '里',
  '��' => '離',
  '��' => '飴',
  '��' => '餌',
  '��' => '匿',
  '��' => '溺',
  '��' => '瀷',
  '��' => '益',
  '��' => '翊',
  '��' => '翌',
  '��' => '翼',
  '��' => '謚',
  '��' => '人',
  '��' => '仁',
  '��' => '刃',
  '��' => '印',
  '��' => '吝',
  '��' => '咽',
  '��' => '因',
  '��' => '姻',
  '��' => '寅',
  '��' => '引',
  '��' => '忍',
  '��' => '湮',
  '��' => '燐',
  '��' => '璘',
  '��' => '絪',
  '��' => '茵',
  '��' => '藺',
  '��' => '蚓',
  '��' => '認',
  '��' => '隣',
  '��' => '靭',
  '��' => '靷',
  '��' => '鱗',
  '��' => '麟',
  '��' => '一',
  '��' => '佚',
  '��' => '佾',
  '��' => '壹',
  '��' => '日',
  '��' => '溢',
  '��' => '逸',
  '��' => '鎰',
  '��' => '馹',
  '��' => '任',
  '��' => '壬',
  '��' => '妊',
  '�' => '姙',
  '�' => '恁',
  '�' => '林',
  '�' => '淋',
  '�' => '稔',
  '�' => '臨',
  '�' => '荏',
  '�' => '賃',
  '�' => '入',
  '�' => '卄',
  '�' => '立',
  '�' => '笠',
  '�' => '粒',
  '�' => '仍',
  '�' => '剩',
  '�' => '孕',
  '�' => '芿',
  '�' => '仔',
  '�' => '刺',
  '�' => '咨',
  '�' => '姉',
  '�' => '姿',
  '�' => '子',
  '�' => '字',
  '�' => '孜',
  '�' => '恣',
  '�' => '慈',
  '�' => '滋',
  '�' => '炙',
  '�' => '煮',
  '�' => '玆',
  '�' => '瓷',
  '�' => '疵',
  '�' => '磁',
  '�' => '紫',
  '�' => '者',
  '�' => '自',
  '�' => '茨',
  '�' => '蔗',
  '�' => '藉',
  '�' => '諮',
  '�' => '資',
  '�' => '雌',
  '��' => '作',
  '��' => '勺',
  '��' => '嚼',
  '��' => '斫',
  '��' => '昨',
  '��' => '灼',
  '��' => '炸',
  '��' => '爵',
  '��' => '綽',
  '��' => '芍',
  '��' => '酌',
  '��' => '雀',
  '��' => '鵲',
  '��' => '孱',
  '��' => '棧',
  '��' => '殘',
  '��' => '潺',
  '��' => '盞',
  '��' => '岑',
  '��' => '暫',
  '��' => '潛',
  '��' => '箴',
  '��' => '簪',
  '��' => '蠶',
  '��' => '雜',
  '��' => '丈',
  '��' => '仗',
  '��' => '匠',
  '��' => '場',
  '��' => '墻',
  '��' => '壯',
  '��' => '奬',
  '��' => '將',
  '��' => '帳',
  '��' => '庄',
  '��' => '張',
  '��' => '掌',
  '��' => '暲',
  '��' => '杖',
  '��' => '樟',
  '��' => '檣',
  '��' => '欌',
  '��' => '漿',
  '��' => '牆',
  '��' => '狀',
  '��' => '獐',
  '��' => '璋',
  '��' => '章',
  '��' => '粧',
  '��' => '腸',
  '��' => '臟',
  '�' => '臧',
  '�' => '莊',
  '�' => '葬',
  '�' => '蔣',
  '�' => '薔',
  '�' => '藏',
  '�' => '裝',
  '�' => '贓',
  '�' => '醬',
  '�' => '長',
  '�' => '障',
  '�' => '再',
  '�' => '哉',
  '�' => '在',
  '�' => '宰',
  '�' => '才',
  '�' => '材',
  '�' => '栽',
  '�' => '梓',
  '�' => '渽',
  '�' => '滓',
  '�' => '災',
  '�' => '縡',
  '�' => '裁',
  '�' => '財',
  '�' => '載',
  '�' => '齋',
  '�' => '齎',
  '�' => '爭',
  '�' => '箏',
  '�' => '諍',
  '�' => '錚',
  '�' => '佇',
  '�' => '低',
  '�' => '儲',
  '�' => '咀',
  '�' => '姐',
  '�' => '底',
  '�' => '抵',
  '�' => '杵',
  '�' => '楮',
  '�' => '樗',
  '�' => '沮',
  '��' => '渚',
  '��' => '狙',
  '��' => '猪',
  '��' => '疽',
  '��' => '箸',
  '��' => '紵',
  '��' => '苧',
  '��' => '菹',
  '��' => '著',
  '��' => '藷',
  '��' => '詛',
  '��' => '貯',
  '��' => '躇',
  '��' => '這',
  '��' => '邸',
  '��' => '雎',
  '��' => '齟',
  '��' => '勣',
  '��' => '吊',
  '��' => '嫡',
  '��' => '寂',
  '��' => '摘',
  '��' => '敵',
  '��' => '滴',
  '��' => '狄',
  '��' => '炙',
  '��' => '的',
  '��' => '積',
  '��' => '笛',
  '��' => '籍',
  '��' => '績',
  '��' => '翟',
  '��' => '荻',
  '��' => '謫',
  '��' => '賊',
  '��' => '赤',
  '��' => '跡',
  '��' => '蹟',
  '��' => '迪',
  '��' => '迹',
  '��' => '適',
  '��' => '鏑',
  '��' => '佃',
  '��' => '佺',
  '��' => '傳',
  '��' => '全',
  '��' => '典',
  '��' => '前',
  '��' => '剪',
  '��' => '塡',
  '��' => '塼',
  '�' => '奠',
  '�' => '專',
  '�' => '展',
  '�' => '廛',
  '�' => '悛',
  '�' => '戰',
  '�' => '栓',
  '�' => '殿',
  '�' => '氈',
  '�' => '澱',
  '�' => '煎',
  '�' => '琠',
  '�' => '田',
  '�' => '甸',
  '�' => '畑',
  '�' => '癲',
  '�' => '筌',
  '�' => '箋',
  '�' => '箭',
  '�' => '篆',
  '�' => '纏',
  '�' => '詮',
  '�' => '輾',
  '�' => '轉',
  '�' => '鈿',
  '�' => '銓',
  '�' => '錢',
  '�' => '鐫',
  '�' => '電',
  '�' => '顚',
  '�' => '顫',
  '�' => '餞',
  '�' => '切',
  '�' => '截',
  '�' => '折',
  '�' => '浙',
  '�' => '癤',
  '�' => '竊',
  '�' => '節',
  '�' => '絶',
  '�' => '占',
  '�' => '岾',
  '�' => '店',
  '��' => '漸',
  '��' => '点',
  '��' => '粘',
  '��' => '霑',
  '��' => '鮎',
  '��' => '點',
  '��' => '接',
  '��' => '摺',
  '��' => '蝶',
  '��' => '丁',
  '��' => '井',
  '��' => '亭',
  '��' => '停',
  '��' => '偵',
  '��' => '呈',
  '��' => '姃',
  '��' => '定',
  '��' => '幀',
  '��' => '庭',
  '��' => '廷',
  '��' => '征',
  '��' => '情',
  '��' => '挺',
  '��' => '政',
  '��' => '整',
  '��' => '旌',
  '��' => '晶',
  '��' => '晸',
  '��' => '柾',
  '��' => '楨',
  '��' => '檉',
  '��' => '正',
  '��' => '汀',
  '��' => '淀',
  '��' => '淨',
  '��' => '渟',
  '��' => '湞',
  '��' => '瀞',
  '��' => '炡',
  '��' => '玎',
  '��' => '珽',
  '��' => '町',
  '��' => '睛',
  '��' => '碇',
  '��' => '禎',
  '��' => '程',
  '��' => '穽',
  '��' => '精',
  '��' => '綎',
  '��' => '艇',
  '��' => '訂',
  '�' => '諪',
  '�' => '貞',
  '�' => '鄭',
  '�' => '酊',
  '�' => '釘',
  '�' => '鉦',
  '�' => '鋌',
  '�' => '錠',
  '�' => '霆',
  '�' => '靖',
  '�' => '靜',
  '�' => '頂',
  '�' => '鼎',
  '�' => '制',
  '�' => '劑',
  '�' => '啼',
  '�' => '堤',
  '�' => '帝',
  '�' => '弟',
  '�' => '悌',
  '�' => '提',
  '�' => '梯',
  '�' => '濟',
  '�' => '祭',
  '�' => '第',
  '�' => '臍',
  '�' => '薺',
  '�' => '製',
  '�' => '諸',
  '�' => '蹄',
  '�' => '醍',
  '�' => '除',
  '�' => '際',
  '�' => '霽',
  '�' => '題',
  '�' => '齊',
  '�' => '俎',
  '�' => '兆',
  '�' => '凋',
  '�' => '助',
  '�' => '嘲',
  '�' => '弔',
  '�' => '彫',
  '��' => '措',
  '��' => '操',
  '��' => '早',
  '��' => '晁',
  '��' => '曺',
  '��' => '曹',
  '��' => '朝',
  '��' => '條',
  '��' => '棗',
  '��' => '槽',
  '��' => '漕',
  '��' => '潮',
  '��' => '照',
  '��' => '燥',
  '��' => '爪',
  '��' => '璪',
  '��' => '眺',
  '��' => '祖',
  '��' => '祚',
  '��' => '租',
  '��' => '稠',
  '��' => '窕',
  '��' => '粗',
  '��' => '糟',
  '��' => '組',
  '��' => '繰',
  '��' => '肇',
  '��' => '藻',
  '��' => '蚤',
  '��' => '詔',
  '��' => '調',
  '��' => '趙',
  '��' => '躁',
  '��' => '造',
  '��' => '遭',
  '��' => '釣',
  '��' => '阻',
  '��' => '雕',
  '��' => '鳥',
  '��' => '族',
  '��' => '簇',
  '��' => '足',
  '��' => '鏃',
  '��' => '存',
  '��' => '尊',
  '��' => '卒',
  '��' => '拙',
  '��' => '猝',
  '��' => '倧',
  '��' => '宗',
  '��' => '從',
  '�' => '悰',
  '�' => '慫',
  '�' => '棕',
  '�' => '淙',
  '�' => '琮',
  '�' => '種',
  '�' => '終',
  '�' => '綜',
  '�' => '縱',
  '�' => '腫',
  '�' => '踪',
  '�' => '踵',
  '�' => '鍾',
  '�' => '鐘',
  '�' => '佐',
  '�' => '坐',
  '�' => '左',
  '�' => '座',
  '�' => '挫',
  '�' => '罪',
  '�' => '主',
  '�' => '住',
  '�' => '侏',
  '�' => '做',
  '�' => '姝',
  '�' => '胄',
  '�' => '呪',
  '�' => '周',
  '�' => '嗾',
  '�' => '奏',
  '�' => '宙',
  '�' => '州',
  '�' => '廚',
  '�' => '晝',
  '�' => '朱',
  '�' => '柱',
  '�' => '株',
  '�' => '注',
  '�' => '洲',
  '�' => '湊',
  '�' => '澍',
  '�' => '炷',
  '�' => '珠',
  '��' => '疇',
  '��' => '籌',
  '��' => '紂',
  '��' => '紬',
  '��' => '綢',
  '��' => '舟',
  '��' => '蛛',
  '��' => '註',
  '��' => '誅',
  '��' => '走',
  '��' => '躊',
  '��' => '輳',
  '��' => '週',
  '��' => '酎',
  '��' => '酒',
  '��' => '鑄',
  '��' => '駐',
  '��' => '竹',
  '��' => '粥',
  '��' => '俊',
  '��' => '儁',
  '��' => '准',
  '��' => '埈',
  '��' => '寯',
  '��' => '峻',
  '��' => '晙',
  '��' => '樽',
  '��' => '浚',
  '��' => '準',
  '��' => '濬',
  '��' => '焌',
  '��' => '畯',
  '��' => '竣',
  '��' => '蠢',
  '��' => '逡',
  '��' => '遵',
  '��' => '雋',
  '��' => '駿',
  '��' => '茁',
  '��' => '中',
  '��' => '仲',
  '��' => '衆',
  '��' => '重',
  '��' => '卽',
  '��' => '櫛',
  '��' => '楫',
  '��' => '汁',
  '��' => '葺',
  '��' => '增',
  '��' => '憎',
  '��' => '曾',
  '�' => '拯',
  '�' => '烝',
  '�' => '甑',
  '�' => '症',
  '�' => '繒',
  '�' => '蒸',
  '�' => '證',
  '�' => '贈',
  '�' => '之',
  '�' => '只',
  '�' => '咫',
  '�' => '地',
  '�' => '址',
  '�' => '志',
  '�' => '持',
  '�' => '指',
  '�' => '摯',
  '�' => '支',
  '�' => '旨',
  '�' => '智',
  '�' => '枝',
  '�' => '枳',
  '�' => '止',
  '�' => '池',
  '�' => '沚',
  '�' => '漬',
  '�' => '知',
  '�' => '砥',
  '�' => '祉',
  '�' => '祗',
  '�' => '紙',
  '�' => '肢',
  '�' => '脂',
  '�' => '至',
  '�' => '芝',
  '�' => '芷',
  '�' => '蜘',
  '�' => '誌',
  '�' => '識',
  '�' => '贄',
  '�' => '趾',
  '�' => '遲',
  '�' => '直',
  '��' => '稙',
  '��' => '稷',
  '��' => '織',
  '��' => '職',
  '��' => '唇',
  '��' => '嗔',
  '��' => '塵',
  '��' => '振',
  '��' => '搢',
  '��' => '晉',
  '��' => '晋',
  '��' => '桭',
  '��' => '榛',
  '��' => '殄',
  '��' => '津',
  '��' => '溱',
  '��' => '珍',
  '��' => '瑨',
  '��' => '璡',
  '��' => '畛',
  '��' => '疹',
  '��' => '盡',
  '��' => '眞',
  '��' => '瞋',
  '��' => '秦',
  '��' => '縉',
  '��' => '縝',
  '��' => '臻',
  '��' => '蔯',
  '��' => '袗',
  '��' => '診',
  '��' => '賑',
  '��' => '軫',
  '��' => '辰',
  '��' => '進',
  '��' => '鎭',
  '��' => '陣',
  '��' => '陳',
  '��' => '震',
  '��' => '侄',
  '��' => '叱',
  '��' => '姪',
  '��' => '嫉',
  '��' => '帙',
  '��' => '桎',
  '��' => '瓆',
  '��' => '疾',
  '��' => '秩',
  '��' => '窒',
  '��' => '膣',
  '��' => '蛭',
  '�' => '質',
  '�' => '跌',
  '�' => '迭',
  '�' => '斟',
  '�' => '朕',
  '�' => '什',
  '�' => '執',
  '�' => '潗',
  '�' => '緝',
  '�' => '輯',
  '�' => '鏶',
  '�' => '集',
  '�' => '徵',
  '�' => '懲',
  '�' => '澄',
  '�' => '且',
  '�' => '侘',
  '�' => '借',
  '�' => '叉',
  '�' => '嗟',
  '�' => '嵯',
  '�' => '差',
  '�' => '次',
  '�' => '此',
  '�' => '磋',
  '�' => '箚',
  '�' => '茶',
  '�' => '蹉',
  '�' => '車',
  '�' => '遮',
  '�' => '捉',
  '�' => '搾',
  '�' => '着',
  '�' => '窄',
  '�' => '錯',
  '�' => '鑿',
  '�' => '齪',
  '�' => '撰',
  '�' => '澯',
  '�' => '燦',
  '�' => '璨',
  '�' => '瓚',
  '�' => '竄',
  '��' => '簒',
  '��' => '纂',
  '��' => '粲',
  '��' => '纘',
  '��' => '讚',
  '��' => '贊',
  '��' => '鑽',
  '��' => '餐',
  '��' => '饌',
  '��' => '刹',
  '��' => '察',
  '��' => '擦',
  '��' => '札',
  '��' => '紮',
  '��' => '僭',
  '��' => '參',
  '��' => '塹',
  '��' => '慘',
  '��' => '慙',
  '��' => '懺',
  '��' => '斬',
  '��' => '站',
  '��' => '讒',
  '��' => '讖',
  '��' => '倉',
  '��' => '倡',
  '��' => '創',
  '��' => '唱',
  '��' => '娼',
  '��' => '廠',
  '��' => '彰',
  '��' => '愴',
  '��' => '敞',
  '��' => '昌',
  '��' => '昶',
  '��' => '暢',
  '��' => '槍',
  '��' => '滄',
  '��' => '漲',
  '��' => '猖',
  '��' => '瘡',
  '��' => '窓',
  '��' => '脹',
  '��' => '艙',
  '��' => '菖',
  '��' => '蒼',
  '��' => '債',
  '��' => '埰',
  '��' => '寀',
  '��' => '寨',
  '��' => '彩',
  '�' => '採',
  '�' => '砦',
  '�' => '綵',
  '�' => '菜',
  '�' => '蔡',
  '�' => '采',
  '�' => '釵',
  '�' => '冊',
  '�' => '柵',
  '�' => '策',
  '�' => '責',
  '�' => '凄',
  '�' => '妻',
  '�' => '悽',
  '�' => '處',
  '�' => '倜',
  '�' => '刺',
  '�' => '剔',
  '�' => '尺',
  '�' => '慽',
  '�' => '戚',
  '�' => '拓',
  '�' => '擲',
  '�' => '斥',
  '�' => '滌',
  '�' => '瘠',
  '�' => '脊',
  '�' => '蹠',
  '�' => '陟',
  '�' => '隻',
  '�' => '仟',
  '�' => '千',
  '�' => '喘',
  '�' => '天',
  '�' => '川',
  '�' => '擅',
  '�' => '泉',
  '�' => '淺',
  '�' => '玔',
  '�' => '穿',
  '�' => '舛',
  '�' => '薦',
  '�' => '賤',
  '��' => '踐',
  '��' => '遷',
  '��' => '釧',
  '��' => '闡',
  '��' => '阡',
  '��' => '韆',
  '��' => '凸',
  '��' => '哲',
  '��' => '喆',
  '��' => '徹',
  '��' => '撤',
  '��' => '澈',
  '��' => '綴',
  '��' => '輟',
  '��' => '轍',
  '��' => '鐵',
  '��' => '僉',
  '��' => '尖',
  '��' => '沾',
  '��' => '添',
  '��' => '甛',
  '��' => '瞻',
  '��' => '簽',
  '��' => '籤',
  '��' => '詹',
  '��' => '諂',
  '��' => '堞',
  '��' => '妾',
  '��' => '帖',
  '��' => '捷',
  '��' => '牒',
  '��' => '疊',
  '��' => '睫',
  '��' => '諜',
  '��' => '貼',
  '��' => '輒',
  '��' => '廳',
  '��' => '晴',
  '��' => '淸',
  '��' => '聽',
  '��' => '菁',
  '��' => '請',
  '��' => '靑',
  '��' => '鯖',
  '��' => '切',
  '��' => '剃',
  '��' => '替',
  '��' => '涕',
  '��' => '滯',
  '��' => '締',
  '��' => '諦',
  '�' => '逮',
  '�' => '遞',
  '�' => '體',
  '�' => '初',
  '�' => '剿',
  '�' => '哨',
  '�' => '憔',
  '�' => '抄',
  '�' => '招',
  '�' => '梢',
  '��' => '椒',
  '��' => '楚',
  '��' => '樵',
  '��' => '炒',
  '��' => '焦',
  '��' => '硝',
  '��' => '礁',
  '��' => '礎',
  '��' => '秒',
  '��' => '稍',
  '��' => '肖',
  '��' => '艸',
  '��' => '苕',
  '��' => '草',
  '��' => '蕉',
  '��' => '貂',
  '��' => '超',
  '��' => '酢',
  '��' => '醋',
  '��' => '醮',
  '��' => '促',
  '��' => '囑',
  '��' => '燭',
  '��' => '矗',
  '��' => '蜀',
  '��' => '觸',
  '��' => '寸',
  '��' => '忖',
  '��' => '村',
  '��' => '邨',
  '��' => '叢',
  '��' => '塚',
  '��' => '寵',
  '��' => '悤',
  '��' => '憁',
  '��' => '摠',
  '��' => '總',
  '��' => '聰',
  '��' => '蔥',
  '��' => '銃',
  '��' => '撮',
  '��' => '催',
  '��' => '崔',
  '��' => '最',
  '��' => '墜',
  '��' => '抽',
  '��' => '推',
  '��' => '椎',
  '��' => '楸',
  '��' => '樞',
  '��' => '湫',
  '��' => '皺',
  '��' => '秋',
  '��' => '芻',
  '��' => '萩',
  '��' => '諏',
  '��' => '趨',
  '��' => '追',
  '��' => '鄒',
  '��' => '酋',
  '��' => '醜',
  '��' => '錐',
  '��' => '錘',
  '��' => '鎚',
  '��' => '雛',
  '��' => '騶',
  '��' => '鰍',
  '��' => '丑',
  '��' => '畜',
  '��' => '祝',
  '��' => '竺',
  '��' => '筑',
  '��' => '築',
  '��' => '縮',
  '��' => '蓄',
  '��' => '蹙',
  '��' => '蹴',
  '��' => '軸',
  '��' => '逐',
  '��' => '春',
  '��' => '椿',
  '��' => '瑃',
  '��' => '出',
  '��' => '朮',
  '��' => '黜',
  '��' => '充',
  '��' => '忠',
  '��' => '沖',
  '��' => '蟲',
  '��' => '衝',
  '��' => '衷',
  '��' => '悴',
  '��' => '膵',
  '��' => '萃',
  '��' => '贅',
  '��' => '取',
  '��' => '吹',
  '��' => '嘴',
  '��' => '娶',
  '��' => '就',
  '��' => '炊',
  '��' => '翠',
  '��' => '聚',
  '��' => '脆',
  '��' => '臭',
  '��' => '趣',
  '��' => '醉',
  '��' => '驟',
  '��' => '鷲',
  '��' => '側',
  '��' => '仄',
  '��' => '厠',
  '��' => '惻',
  '��' => '測',
  '��' => '層',
  '��' => '侈',
  '��' => '値',
  '��' => '嗤',
  '��' => '峙',
  '��' => '幟',
  '��' => '恥',
  '��' => '梔',
  '��' => '治',
  '��' => '淄',
  '��' => '熾',
  '��' => '痔',
  '��' => '痴',
  '��' => '癡',
  '��' => '稚',
  '��' => '穉',
  '��' => '緇',
  '��' => '緻',
  '��' => '置',
  '��' => '致',
  '��' => '蚩',
  '��' => '輜',
  '��' => '雉',
  '��' => '馳',
  '��' => '齒',
  '��' => '則',
  '��' => '勅',
  '��' => '飭',
  '��' => '親',
  '��' => '七',
  '��' => '柒',
  '��' => '漆',
  '��' => '侵',
  '��' => '寢',
  '��' => '枕',
  '��' => '沈',
  '��' => '浸',
  '��' => '琛',
  '��' => '砧',
  '��' => '針',
  '��' => '鍼',
  '��' => '蟄',
  '��' => '秤',
  '��' => '稱',
  '��' => '快',
  '��' => '他',
  '��' => '咤',
  '��' => '唾',
  '��' => '墮',
  '��' => '妥',
  '��' => '惰',
  '��' => '打',
  '��' => '拖',
  '��' => '朶',
  '��' => '楕',
  '��' => '舵',
  '��' => '陀',
  '��' => '馱',
  '��' => '駝',
  '��' => '倬',
  '��' => '卓',
  '��' => '啄',
  '��' => '坼',
  '��' => '度',
  '��' => '托',
  '��' => '拓',
  '��' => '擢',
  '��' => '晫',
  '��' => '柝',
  '��' => '濁',
  '��' => '濯',
  '��' => '琢',
  '��' => '琸',
  '��' => '託',
  '��' => '鐸',
  '��' => '呑',
  '��' => '嘆',
  '��' => '坦',
  '��' => '彈',
  '��' => '憚',
  '��' => '歎',
  '��' => '灘',
  '��' => '炭',
  '��' => '綻',
  '��' => '誕',
  '��' => '奪',
  '��' => '脫',
  '��' => '探',
  '��' => '眈',
  '��' => '耽',
  '��' => '貪',
  '��' => '塔',
  '��' => '搭',
  '��' => '榻',
  '��' => '宕',
  '��' => '帑',
  '��' => '湯',
  '��' => '糖',
  '��' => '蕩',
  '��' => '兌',
  '��' => '台',
  '��' => '太',
  '��' => '怠',
  '��' => '態',
  '��' => '殆',
  '��' => '汰',
  '��' => '泰',
  '��' => '笞',
  '��' => '胎',
  '��' => '苔',
  '��' => '跆',
  '��' => '邰',
  '��' => '颱',
  '��' => '宅',
  '��' => '擇',
  '��' => '澤',
  '��' => '撑',
  '��' => '攄',
  '��' => '兎',
  '��' => '吐',
  '��' => '土',
  '��' => '討',
  '��' => '慟',
  '��' => '桶',
  '��' => '洞',
  '��' => '痛',
  '��' => '筒',
  '��' => '統',
  '��' => '通',
  '��' => '堆',
  '��' => '槌',
  '��' => '腿',
  '��' => '褪',
  '��' => '退',
  '��' => '頹',
  '��' => '偸',
  '��' => '套',
  '��' => '妬',
  '��' => '投',
  '��' => '透',
  '��' => '鬪',
  '��' => '慝',
  '��' => '特',
  '��' => '闖',
  '��' => '坡',
  '��' => '婆',
  '��' => '巴',
  '��' => '把',
  '��' => '播',
  '��' => '擺',
  '��' => '杷',
  '��' => '波',
  '��' => '派',
  '��' => '爬',
  '��' => '琶',
  '��' => '破',
  '��' => '罷',
  '��' => '芭',
  '��' => '跛',
  '��' => '頗',
  '��' => '判',
  '��' => '坂',
  '��' => '板',
  '��' => '版',
  '��' => '瓣',
  '��' => '販',
  '��' => '辦',
  '��' => '鈑',
  '��' => '阪',
  '��' => '八',
  '��' => '叭',
  '��' => '捌',
  '��' => '佩',
  '��' => '唄',
  '��' => '悖',
  '��' => '敗',
  '��' => '沛',
  '��' => '浿',
  '��' => '牌',
  '��' => '狽',
  '��' => '稗',
  '��' => '覇',
  '��' => '貝',
  '��' => '彭',
  '��' => '澎',
  '��' => '烹',
  '��' => '膨',
  '��' => '愎',
  '��' => '便',
  '��' => '偏',
  '��' => '扁',
  '��' => '片',
  '��' => '篇',
  '��' => '編',
  '��' => '翩',
  '��' => '遍',
  '��' => '鞭',
  '��' => '騙',
  '��' => '貶',
  '��' => '坪',
  '��' => '平',
  '��' => '枰',
  '��' => '萍',
  '��' => '評',
  '��' => '吠',
  '��' => '嬖',
  '��' => '幣',
  '��' => '廢',
  '��' => '弊',
  '��' => '斃',
  '��' => '肺',
  '��' => '蔽',
  '��' => '閉',
  '��' => '陛',
  '��' => '佈',
  '��' => '包',
  '��' => '匍',
  '��' => '匏',
  '��' => '咆',
  '��' => '哺',
  '��' => '圃',
  '��' => '布',
  '��' => '怖',
  '��' => '抛',
  '��' => '抱',
  '��' => '捕',
  '��' => '暴',
  '��' => '泡',
  '��' => '浦',
  '��' => '疱',
  '��' => '砲',
  '��' => '胞',
  '��' => '脯',
  '��' => '苞',
  '��' => '葡',
  '��' => '蒲',
  '��' => '袍',
  '��' => '褒',
  '��' => '逋',
  '��' => '鋪',
  '��' => '飽',
  '��' => '鮑',
  '��' => '幅',
  '��' => '暴',
  '��' => '曝',
  '��' => '瀑',
  '��' => '爆',
  '��' => '輻',
  '��' => '俵',
  '��' => '剽',
  '��' => '彪',
  '��' => '慓',
  '��' => '杓',
  '��' => '標',
  '��' => '漂',
  '��' => '瓢',
  '��' => '票',
  '��' => '表',
  '��' => '豹',
  '��' => '飇',
  '��' => '飄',
  '��' => '驃',
  '��' => '品',
  '��' => '稟',
  '��' => '楓',
  '��' => '諷',
  '��' => '豊',
  '��' => '風',
  '��' => '馮',
  '��' => '彼',
  '��' => '披',
  '��' => '疲',
  '��' => '皮',
  '��' => '被',
  '��' => '避',
  '��' => '陂',
  '��' => '匹',
  '��' => '弼',
  '��' => '必',
  '��' => '泌',
  '��' => '珌',
  '��' => '畢',
  '��' => '疋',
  '��' => '筆',
  '��' => '苾',
  '��' => '馝',
  '��' => '乏',
  '��' => '逼',
  '��' => '下',
  '��' => '何',
  '��' => '厦',
  '��' => '夏',
  '��' => '廈',
  '��' => '昰',
  '��' => '河',
  '��' => '瑕',
  '��' => '荷',
  '��' => '蝦',
  '��' => '賀',
  '��' => '遐',
  '��' => '霞',
  '��' => '鰕',
  '��' => '壑',
  '��' => '學',
  '��' => '虐',
  '��' => '謔',
  '��' => '鶴',
  '��' => '寒',
  '��' => '恨',
  '��' => '悍',
  '��' => '旱',
  '��' => '汗',
  '��' => '漢',
  '��' => '澣',
  '��' => '瀚',
  '��' => '罕',
  '��' => '翰',
  '��' => '閑',
  '��' => '閒',
  '��' => '限',
  '��' => '韓',
  '��' => '割',
  '��' => '轄',
  '��' => '函',
  '��' => '含',
  '��' => '咸',
  '��' => '啣',
  '��' => '喊',
  '��' => '檻',
  '��' => '涵',
  '��' => '緘',
  '��' => '艦',
  '��' => '銜',
  '��' => '陷',
  '��' => '鹹',
  '��' => '合',
  '��' => '哈',
  '��' => '盒',
  '��' => '蛤',
  '��' => '閤',
  '��' => '闔',
  '��' => '陜',
  '��' => '亢',
  '��' => '伉',
  '��' => '姮',
  '��' => '嫦',
  '��' => '巷',
  '��' => '恒',
  '��' => '抗',
  '��' => '杭',
  '��' => '桁',
  '��' => '沆',
  '��' => '港',
  '��' => '缸',
  '��' => '肛',
  '��' => '航',
  '��' => '行',
  '��' => '降',
  '��' => '項',
  '��' => '亥',
  '��' => '偕',
  '��' => '咳',
  '��' => '垓',
  '��' => '奚',
  '��' => '孩',
  '��' => '害',
  '��' => '懈',
  '��' => '楷',
  '��' => '海',
  '��' => '瀣',
  '��' => '蟹',
  '��' => '解',
  '��' => '該',
  '��' => '諧',
  '��' => '邂',
  '��' => '駭',
  '��' => '骸',
  '��' => '劾',
  '��' => '核',
  '��' => '倖',
  '��' => '幸',
  '��' => '杏',
  '��' => '荇',
  '��' => '行',
  '��' => '享',
  '��' => '向',
  '��' => '嚮',
  '��' => '珦',
  '��' => '鄕',
  '��' => '響',
  '��' => '餉',
  '��' => '饗',
  '��' => '香',
  '��' => '噓',
  '��' => '墟',
  '��' => '虛',
  '��' => '許',
  '��' => '憲',
  '��' => '櫶',
  '��' => '獻',
  '��' => '軒',
  '��' => '歇',
  '��' => '險',
  '��' => '驗',
  '��' => '奕',
  '��' => '爀',
  '��' => '赫',
  '��' => '革',
  '��' => '俔',
  '��' => '峴',
  '��' => '弦',
  '��' => '懸',
  '��' => '晛',
  '��' => '泫',
  '��' => '炫',
  '��' => '玄',
  '��' => '玹',
  '��' => '現',
  '��' => '眩',
  '��' => '睍',
  '��' => '絃',
  '��' => '絢',
  '��' => '縣',
  '��' => '舷',
  '��' => '衒',
  '��' => '見',
  '��' => '賢',
  '��' => '鉉',
  '��' => '顯',
  '��' => '孑',
  '��' => '穴',
  '��' => '血',
  '��' => '頁',
  '��' => '嫌',
  '��' => '俠',
  '��' => '協',
  '��' => '夾',
  '��' => '峽',
  '��' => '挾',
  '��' => '浹',
  '��' => '狹',
  '��' => '脅',
  '��' => '脇',
  '��' => '莢',
  '��' => '鋏',
  '��' => '頰',
  '��' => '亨',
  '��' => '兄',
  '��' => '刑',
  '��' => '型',
  '��' => '形',
  '��' => '泂',
  '��' => '滎',
  '��' => '瀅',
  '��' => '灐',
  '��' => '炯',
  '��' => '熒',
  '��' => '珩',
  '��' => '瑩',
  '��' => '荊',
  '��' => '螢',
  '��' => '衡',
  '��' => '逈',
  '��' => '邢',
  '��' => '鎣',
  '��' => '馨',
  '��' => '兮',
  '��' => '彗',
  '��' => '惠',
  '��' => '慧',
  '��' => '暳',
  '��' => '蕙',
  '��' => '蹊',
  '��' => '醯',
  '��' => '鞋',
  '��' => '乎',
  '��' => '互',
  '��' => '呼',
  '��' => '壕',
  '��' => '壺',
  '��' => '好',
  '��' => '岵',
  '��' => '弧',
  '��' => '戶',
  '��' => '扈',
  '��' => '昊',
  '��' => '晧',
  '��' => '毫',
  '��' => '浩',
  '��' => '淏',
  '��' => '湖',
  '��' => '滸',
  '��' => '澔',
  '��' => '濠',
  '��' => '濩',
  '��' => '灝',
  '��' => '狐',
  '��' => '琥',
  '��' => '瑚',
  '��' => '瓠',
  '��' => '皓',
  '��' => '祜',
  '��' => '糊',
  '��' => '縞',
  '��' => '胡',
  '��' => '芦',
  '��' => '葫',
  '��' => '蒿',
  '��' => '虎',
  '��' => '號',
  '��' => '蝴',
  '��' => '護',
  '��' => '豪',
  '��' => '鎬',
  '��' => '頀',
  '��' => '顥',
  '��' => '惑',
  '��' => '或',
  '��' => '酷',
  '��' => '婚',
  '��' => '昏',
  '��' => '混',
  '��' => '渾',
  '��' => '琿',
  '��' => '魂',
  '��' => '忽',
  '��' => '惚',
  '��' => '笏',
  '��' => '哄',
  '��' => '弘',
  '��' => '汞',
  '��' => '泓',
  '��' => '洪',
  '��' => '烘',
  '��' => '紅',
  '��' => '虹',
  '��' => '訌',
  '��' => '鴻',
  '��' => '化',
  '��' => '和',
  '��' => '嬅',
  '��' => '樺',
  '��' => '火',
  '��' => '畵',
  '��' => '禍',
  '��' => '禾',
  '��' => '花',
  '��' => '華',
  '��' => '話',
  '��' => '譁',
  '��' => '貨',
  '��' => '靴',
  '��' => '廓',
  '��' => '擴',
  '��' => '攫',
  '��' => '確',
  '��' => '碻',
  '��' => '穫',
  '��' => '丸',
  '��' => '喚',
  '��' => '奐',
  '��' => '宦',
  '��' => '幻',
  '��' => '患',
  '��' => '換',
  '��' => '歡',
  '��' => '晥',
  '��' => '桓',
  '��' => '渙',
  '��' => '煥',
  '��' => '環',
  '��' => '紈',
  '��' => '還',
  '��' => '驩',
  '��' => '鰥',
  '��' => '活',
  '��' => '滑',
  '��' => '猾',
  '��' => '豁',
  '��' => '闊',
  '��' => '凰',
  '��' => '幌',
  '��' => '徨',
  '��' => '恍',
  '��' => '惶',
  '��' => '愰',
  '��' => '慌',
  '��' => '晃',
  '��' => '晄',
  '��' => '榥',
  '��' => '況',
  '��' => '湟',
  '��' => '滉',
  '��' => '潢',
  '��' => '煌',
  '��' => '璜',
  '��' => '皇',
  '��' => '篁',
  '��' => '簧',
  '��' => '荒',
  '��' => '蝗',
  '��' => '遑',
  '��' => '隍',
  '��' => '黃',
  '��' => '匯',
  '��' => '回',
  '��' => '廻',
  '��' => '徊',
  '��' => '恢',
  '��' => '悔',
  '��' => '懷',
  '��' => '晦',
  '��' => '會',
  '��' => '檜',
  '��' => '淮',
  '��' => '澮',
  '��' => '灰',
  '��' => '獪',
  '��' => '繪',
  '��' => '膾',
  '��' => '茴',
  '��' => '蛔',
  '��' => '誨',
  '��' => '賄',
  '��' => '劃',
  '��' => '獲',
  '��' => '宖',
  '��' => '橫',
  '��' => '鐄',
  '��' => '哮',
  '��' => '嚆',
  '��' => '孝',
  '��' => '效',
  '��' => '斅',
  '��' => '曉',
  '��' => '梟',
  '��' => '涍',
  '��' => '淆',
  '��' => '爻',
  '��' => '肴',
  '��' => '酵',
  '��' => '驍',
  '��' => '侯',
  '��' => '候',
  '��' => '厚',
  '��' => '后',
  '��' => '吼',
  '��' => '喉',
  '��' => '嗅',
  '��' => '帿',
  '��' => '後',
  '��' => '朽',
  '��' => '煦',
  '��' => '珝',
  '��' => '逅',
  '��' => '勛',
  '��' => '勳',
  '��' => '塤',
  '��' => '壎',
  '��' => '焄',
  '��' => '熏',
  '��' => '燻',
  '��' => '薰',
  '��' => '訓',
  '��' => '暈',
  '��' => '薨',
  '��' => '喧',
  '��' => '暄',
  '��' => '煊',
  '��' => '萱',
  '��' => '卉',
  '��' => '喙',
  '��' => '毁',
  '��' => '彙',
  '��' => '徽',
  '��' => '揮',
  '��' => '暉',
  '��' => '煇',
  '��' => '諱',
  '��' => '輝',
  '��' => '麾',
  '��' => '休',
  '��' => '携',
  '��' => '烋',
  '��' => '畦',
  '��' => '虧',
  '��' => '恤',
  '��' => '譎',
  '��' => '鷸',
  '��' => '兇',
  '��' => '凶',
  '��' => '匈',
  '��' => '洶',
  '��' => '胸',
  '��' => '黑',
  '��' => '昕',
  '��' => '欣',
  '��' => '炘',
  '��' => '痕',
  '��' => '吃',
  '��' => '屹',
  '��' => '紇',
  '��' => '訖',
  '��' => '欠',
  '��' => '欽',
  '��' => '歆',
  '��' => '吸',
  '��' => '恰',
  '��' => '洽',
  '��' => '翕',
  '��' => '興',
  '��' => '僖',
  '��' => '凞',
  '��' => '喜',
  '��' => '噫',
  '��' => '囍',
  '��' => '姬',
  '��' => '嬉',
  '��' => '希',
  '��' => '憙',
  '��' => '憘',
  '��' => '戱',
  '��' => '晞',
  '��' => '曦',
  '��' => '熙',
  '��' => '熹',
  '��' => '熺',
  '��' => '犧',
  '��' => '禧',
  '��' => '稀',
  '��' => '羲',
  '��' => '詰',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp875.php000064400000007300151330736600017146 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => 'œ',
  '' => '	',
  '' => '†',
  '' => '',
  '' => '—',
  '	' => '',
  '
' => 'Ž',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '…',
  '' => '',
  '' => '‡',
  '' => '',
  '' => '',
  '' => '’',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => '€',
  '!' => '',
  '"' => '‚',
  '#' => 'ƒ',
  '$' => '„',
  '%' => '
',
  '&' => '',
  '\'' => '',
  '(' => 'ˆ',
  ')' => '‰',
  '*' => 'Š',
  '+' => '‹',
  ',' => 'Œ',
  '-' => '',
  '.' => '',
  '/' => '',
  0 => '',
  1 => '‘',
  2 => '',
  3 => '“',
  4 => '”',
  5 => '•',
  6 => '–',
  7 => '',
  8 => '˜',
  9 => '™',
  ':' => 'š',
  ';' => '›',
  '<' => '',
  '=' => '',
  '>' => 'ž',
  '?' => '',
  '@' => ' ',
  'A' => 'Α',
  'B' => 'Β',
  'C' => 'Γ',
  'D' => 'Δ',
  'E' => 'Ε',
  'F' => 'Ζ',
  'G' => 'Η',
  'H' => 'Θ',
  'I' => 'Ι',
  'J' => '[',
  'K' => '.',
  'L' => '<',
  'M' => '(',
  'N' => '+',
  'O' => '!',
  'P' => '&',
  'Q' => 'Κ',
  'R' => 'Λ',
  'S' => 'Μ',
  'T' => 'Ν',
  'U' => 'Ξ',
  'V' => 'Ο',
  'W' => 'Π',
  'X' => 'Ρ',
  'Y' => 'Σ',
  'Z' => ']',
  '[' => '$',
  '\\' => '*',
  ']' => ')',
  '^' => ';',
  '_' => '^',
  '`' => '-',
  'a' => '/',
  'b' => 'Τ',
  'c' => 'Υ',
  'd' => 'Φ',
  'e' => 'Χ',
  'f' => 'Ψ',
  'g' => 'Ω',
  'h' => 'Ϊ',
  'i' => 'Ϋ',
  'j' => '|',
  'k' => ',',
  'l' => '%',
  'm' => '_',
  'n' => '>',
  'o' => '?',
  'p' => '¨',
  'q' => 'Ά',
  'r' => 'Έ',
  's' => 'Ή',
  't' => ' ',
  'u' => 'Ί',
  'v' => 'Ό',
  'w' => 'Ύ',
  'x' => 'Ώ',
  'y' => '`',
  'z' => ':',
  '{' => '#',
  '|' => '@',
  '}' => '\'',
  '~' => '=',
  '' => '"',
  '�' => '΅',
  '�' => 'a',
  '�' => 'b',
  '�' => 'c',
  '�' => 'd',
  '�' => 'e',
  '�' => 'f',
  '�' => 'g',
  '�' => 'h',
  '�' => 'i',
  '�' => 'α',
  '�' => 'β',
  '�' => 'γ',
  '�' => 'δ',
  '�' => 'ε',
  '�' => 'ζ',
  '�' => '°',
  '�' => 'j',
  '�' => 'k',
  '�' => 'l',
  '�' => 'm',
  '�' => 'n',
  '�' => 'o',
  '�' => 'p',
  '�' => 'q',
  '�' => 'r',
  '�' => 'η',
  '�' => 'θ',
  '�' => 'ι',
  '�' => 'κ',
  '�' => 'λ',
  '�' => 'μ',
  '�' => '´',
  '�' => '~',
  '�' => 's',
  '�' => 't',
  '�' => 'u',
  '�' => 'v',
  '�' => 'w',
  '�' => 'x',
  '�' => 'y',
  '�' => 'z',
  '�' => 'ν',
  '�' => 'ξ',
  '�' => 'ο',
  '�' => 'π',
  '�' => 'ρ',
  '�' => 'σ',
  '�' => '£',
  '�' => 'ά',
  '�' => 'έ',
  '�' => 'ή',
  '�' => 'ϊ',
  '�' => 'ί',
  '�' => 'ό',
  '�' => 'ύ',
  '�' => 'ϋ',
  '�' => 'ώ',
  '�' => 'ς',
  '�' => 'τ',
  '�' => 'υ',
  '�' => 'φ',
  '�' => 'χ',
  '�' => 'ψ',
  '�' => '{',
  '�' => 'A',
  '�' => 'B',
  '�' => 'C',
  '�' => 'D',
  '�' => 'E',
  '�' => 'F',
  '�' => 'G',
  '�' => 'H',
  '�' => 'I',
  '�' => '­',
  '�' => 'ω',
  '�' => 'ΐ',
  '�' => 'ΰ',
  '�' => '‘',
  '�' => '―',
  '�' => '}',
  '�' => 'J',
  '�' => 'K',
  '�' => 'L',
  '�' => 'M',
  '�' => 'N',
  '�' => 'O',
  '�' => 'P',
  '�' => 'Q',
  '�' => 'R',
  '�' => '±',
  '�' => '½',
  '�' => '',
  '�' => '·',
  '�' => '’',
  '�' => '¦',
  '�' => '\\',
  '�' => '',
  '�' => 'S',
  '�' => 'T',
  '�' => 'U',
  '�' => 'V',
  '�' => 'W',
  '�' => 'X',
  '�' => 'Y',
  '�' => 'Z',
  '�' => '²',
  '�' => '§',
  '�' => '',
  '�' => '',
  '�' => '«',
  '�' => '¬',
  '�' => '0',
  '�' => '1',
  '�' => '2',
  '�' => '3',
  '�' => '4',
  '�' => '5',
  '�' => '6',
  '�' => '7',
  '�' => '8',
  '�' => '9',
  '�' => '³',
  '�' => '©',
  '�' => '',
  '�' => '',
  '�' => '»',
  '�' => 'Ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-8.php000064400000006252151330736600017657 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => '×',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => '¹',
  '�' => '÷',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '‗',
  '�' => 'א',
  '�' => 'ב',
  '�' => 'ג',
  '�' => 'ד',
  '�' => 'ה',
  '�' => 'ו',
  '�' => 'ז',
  '�' => 'ח',
  '�' => 'ט',
  '�' => 'י',
  '�' => 'ך',
  '�' => 'כ',
  '�' => 'ל',
  '�' => 'ם',
  '�' => 'מ',
  '�' => 'ן',
  '�' => 'נ',
  '�' => 'ס',
  '�' => 'ע',
  '�' => 'ף',
  '�' => 'פ',
  '�' => 'ץ',
  '�' => 'צ',
  '�' => 'ק',
  '�' => 'ר',
  '�' => 'ש',
  '�' => 'ת',
  '�' => '‎',
  '�' => '‏',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-1.php000064400000007303151330736600017646 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '¡',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => 'ª',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => '¹',
  '�' => 'º',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '¿',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ã',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'Ì',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Ð',
  '�' => 'Ñ',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ø',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ý',
  '�' => 'Þ',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ì',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ð',
  '�' => 'ñ',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ø',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ý',
  '�' => 'þ',
  '�' => 'ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-6.php000064400000006040151330736600017650 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '¤',
  '�' => '،',
  '�' => '­',
  '�' => '؛',
  '�' => '؟',
  '�' => 'ء',
  '�' => 'آ',
  '�' => 'أ',
  '�' => 'ؤ',
  '�' => 'إ',
  '�' => 'ئ',
  '�' => 'ا',
  '�' => 'ب',
  '�' => 'ة',
  '�' => 'ت',
  '�' => 'ث',
  '�' => 'ج',
  '�' => 'ح',
  '�' => 'خ',
  '�' => 'د',
  '�' => 'ذ',
  '�' => 'ر',
  '�' => 'ز',
  '�' => 'س',
  '�' => 'ش',
  '�' => 'ص',
  '�' => 'ض',
  '�' => 'ط',
  '�' => 'ظ',
  '�' => 'ع',
  '�' => 'غ',
  '�' => 'ـ',
  '�' => 'ف',
  '�' => 'ق',
  '�' => 'ك',
  '�' => 'ل',
  '�' => 'م',
  '�' => 'ن',
  '�' => 'ه',
  '�' => 'و',
  '�' => 'ى',
  '�' => 'ي',
  '�' => 'ً',
  '�' => 'ٌ',
  '�' => 'ٍ',
  '�' => 'َ',
  '�' => 'ُ',
  '�' => 'ِ',
  '�' => 'ّ',
  '�' => 'ْ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp775.php000064400000007347151330736600017160 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ć',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'ā',
  '�' => 'ä',
  '�' => 'ģ',
  '�' => 'å',
  '�' => 'ć',
  '�' => 'ł',
  '�' => 'ē',
  '�' => 'Ŗ',
  '�' => 'ŗ',
  '�' => 'ī',
  '�' => 'Ź',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'É',
  '�' => 'æ',
  '�' => 'Æ',
  '�' => 'ō',
  '�' => 'ö',
  '�' => 'Ģ',
  '�' => '¢',
  '�' => 'Ś',
  '�' => 'ś',
  '�' => 'Ö',
  '�' => 'Ü',
  '�' => 'ø',
  '�' => '£',
  '�' => 'Ø',
  '�' => '×',
  '�' => '¤',
  '�' => 'Ā',
  '�' => 'Ī',
  '�' => 'ó',
  '�' => 'Ż',
  '�' => 'ż',
  '�' => 'ź',
  '�' => '”',
  '�' => '¦',
  '�' => '©',
  '�' => '®',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => 'Ł',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => 'Ą',
  '�' => 'Č',
  '�' => 'Ę',
  '�' => 'Ė',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => 'Į',
  '�' => 'Š',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => 'Ų',
  '�' => 'Ū',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => 'Ž',
  '�' => 'ą',
  '�' => 'č',
  '�' => 'ę',
  '�' => 'ė',
  '�' => 'į',
  '�' => 'š',
  '�' => 'ų',
  '�' => 'ū',
  '�' => 'ž',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'Ó',
  '�' => 'ß',
  '�' => 'Ō',
  '�' => 'Ń',
  '�' => 'õ',
  '�' => 'Õ',
  '�' => 'µ',
  '�' => 'ń',
  '�' => 'Ķ',
  '�' => 'ķ',
  '�' => 'Ļ',
  '�' => 'ļ',
  '�' => 'ņ',
  '�' => 'Ē',
  '�' => 'Ņ',
  '�' => '’',
  '�' => '­',
  '�' => '±',
  '�' => '“',
  '�' => '¾',
  '�' => '¶',
  '�' => '§',
  '�' => '÷',
  '�' => '„',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '¹',
  '�' => '³',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp865.php000064400000007401151330736600017147 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ç',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'â',
  '�' => 'ä',
  '�' => 'à',
  '�' => 'å',
  '�' => 'ç',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'è',
  '�' => 'ï',
  '�' => 'î',
  '�' => 'ì',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'É',
  '�' => 'æ',
  '�' => 'Æ',
  '�' => 'ô',
  '�' => 'ö',
  '�' => 'ò',
  '�' => 'û',
  '�' => 'ù',
  '�' => 'ÿ',
  '�' => 'Ö',
  '�' => 'Ü',
  '�' => 'ø',
  '�' => '£',
  '�' => 'Ø',
  '�' => '₧',
  '�' => 'ƒ',
  '�' => 'á',
  '�' => 'í',
  '�' => 'ó',
  '�' => 'ú',
  '�' => 'ñ',
  '�' => 'Ñ',
  '�' => 'ª',
  '�' => 'º',
  '�' => '¿',
  '�' => '⌐',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '¡',
  '�' => '«',
  '�' => '¤',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '╡',
  '�' => '╢',
  '�' => '╖',
  '�' => '╕',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '╜',
  '�' => '╛',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╞',
  '�' => '╟',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '╧',
  '�' => '╨',
  '�' => '╤',
  '�' => '╥',
  '�' => '╙',
  '�' => '╘',
  '�' => '╒',
  '�' => '╓',
  '�' => '╫',
  '�' => '╪',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'α',
  '�' => 'ß',
  '�' => 'Γ',
  '�' => 'π',
  '�' => 'Σ',
  '�' => 'σ',
  '�' => 'µ',
  '�' => 'τ',
  '�' => 'Φ',
  '�' => 'Θ',
  '�' => 'Ω',
  '�' => 'δ',
  '�' => '∞',
  '�' => 'φ',
  '�' => 'ε',
  '�' => '∩',
  '�' => '≡',
  '�' => '±',
  '�' => '≥',
  '�' => '≤',
  '�' => '⌠',
  '�' => '⌡',
  '�' => '÷',
  '�' => '≈',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '√',
  '�' => 'ⁿ',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-10.php000064400000007304151330736600017727 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => 'Ą',
  '�' => 'Ē',
  '�' => 'Ģ',
  '�' => 'Ī',
  '�' => 'Ĩ',
  '�' => 'Ķ',
  '�' => '§',
  '�' => 'Ļ',
  '�' => 'Đ',
  '�' => 'Š',
  '�' => 'Ŧ',
  '�' => 'Ž',
  '�' => '­',
  '�' => 'Ū',
  '�' => 'Ŋ',
  '�' => '°',
  '�' => 'ą',
  '�' => 'ē',
  '�' => 'ģ',
  '�' => 'ī',
  '�' => 'ĩ',
  '�' => 'ķ',
  '�' => '·',
  '�' => 'ļ',
  '�' => 'đ',
  '�' => 'š',
  '�' => 'ŧ',
  '�' => 'ž',
  '�' => '―',
  '�' => 'ū',
  '�' => 'ŋ',
  '�' => 'Ā',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ã',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Į',
  '�' => 'Č',
  '�' => 'É',
  '�' => 'Ę',
  '�' => 'Ë',
  '�' => 'Ė',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Ð',
  '�' => 'Ņ',
  '�' => 'Ō',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => 'Ũ',
  '�' => 'Ø',
  '�' => 'Ų',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ý',
  '�' => 'Þ',
  '�' => 'ß',
  '�' => 'ā',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'į',
  '�' => 'č',
  '�' => 'é',
  '�' => 'ę',
  '�' => 'ë',
  '�' => 'ė',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ð',
  '�' => 'ņ',
  '�' => 'ō',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ö',
  '�' => 'ũ',
  '�' => 'ø',
  '�' => 'ų',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ý',
  '�' => 'þ',
  '�' => 'ĸ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp862.php000064400000007401151330736600017144 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'א',
  '�' => 'ב',
  '�' => 'ג',
  '�' => 'ד',
  '�' => 'ה',
  '�' => 'ו',
  '�' => 'ז',
  '�' => 'ח',
  '�' => 'ט',
  '�' => 'י',
  '�' => 'ך',
  '�' => 'כ',
  '�' => 'ל',
  '�' => 'ם',
  '�' => 'מ',
  '�' => 'ן',
  '�' => 'נ',
  '�' => 'ס',
  '�' => 'ע',
  '�' => 'ף',
  '�' => 'פ',
  '�' => 'ץ',
  '�' => 'צ',
  '�' => 'ק',
  '�' => 'ר',
  '�' => 'ש',
  '�' => 'ת',
  '�' => '¢',
  '�' => '£',
  '�' => '¥',
  '�' => '₧',
  '�' => 'ƒ',
  '�' => 'á',
  '�' => 'í',
  '�' => 'ó',
  '�' => 'ú',
  '�' => 'ñ',
  '�' => 'Ñ',
  '�' => 'ª',
  '�' => 'º',
  '�' => '¿',
  '�' => '⌐',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '¡',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '╡',
  '�' => '╢',
  '�' => '╖',
  '�' => '╕',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '╜',
  '�' => '╛',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╞',
  '�' => '╟',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '╧',
  '�' => '╨',
  '�' => '╤',
  '�' => '╥',
  '�' => '╙',
  '�' => '╘',
  '�' => '╒',
  '�' => '╓',
  '�' => '╫',
  '�' => '╪',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'α',
  '�' => 'ß',
  '�' => 'Γ',
  '�' => 'π',
  '�' => 'Σ',
  '�' => 'σ',
  '�' => 'µ',
  '�' => 'τ',
  '�' => 'Φ',
  '�' => 'Θ',
  '�' => 'Ω',
  '�' => 'δ',
  '�' => '∞',
  '�' => 'φ',
  '�' => 'ε',
  '�' => '∩',
  '�' => '≡',
  '�' => '±',
  '�' => '≥',
  '�' => '≤',
  '�' => '⌠',
  '�' => '⌡',
  '�' => '÷',
  '�' => '≈',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '√',
  '�' => 'ⁿ',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp857.php000064400000007263151330736600017156 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ç',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'â',
  '�' => 'ä',
  '�' => 'à',
  '�' => 'å',
  '�' => 'ç',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'è',
  '�' => 'ï',
  '�' => 'î',
  '�' => 'ı',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'É',
  '�' => 'æ',
  '�' => 'Æ',
  '�' => 'ô',
  '�' => 'ö',
  '�' => 'ò',
  '�' => 'û',
  '�' => 'ù',
  '�' => 'İ',
  '�' => 'Ö',
  '�' => 'Ü',
  '�' => 'ø',
  '�' => '£',
  '�' => 'Ø',
  '�' => 'Ş',
  '�' => 'ş',
  '�' => 'á',
  '�' => 'í',
  '�' => 'ó',
  '�' => 'ú',
  '�' => 'ñ',
  '�' => 'Ñ',
  '�' => 'Ğ',
  '�' => 'ğ',
  '�' => '¿',
  '�' => '®',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '¡',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'À',
  '�' => '©',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '¢',
  '�' => '¥',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => 'ã',
  '�' => 'Ã',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '¤',
  '�' => 'º',
  '�' => 'ª',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'È',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '¦',
  '�' => 'Ì',
  '�' => '▀',
  '�' => 'Ó',
  '�' => 'ß',
  '�' => 'Ô',
  '�' => 'Ò',
  '�' => 'õ',
  '�' => 'Õ',
  '�' => 'µ',
  '�' => '×',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ù',
  '�' => 'ì',
  '�' => 'ÿ',
  '�' => '¯',
  '�' => '´',
  '�' => '­',
  '�' => '±',
  '�' => '¾',
  '�' => '¶',
  '�' => '§',
  '�' => '÷',
  '�' => '¸',
  '�' => '°',
  '�' => '¨',
  '�' => '·',
  '�' => '¹',
  '�' => '³',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp850.php000064400000007341151330736600017144 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ç',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'â',
  '�' => 'ä',
  '�' => 'à',
  '�' => 'å',
  '�' => 'ç',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'è',
  '�' => 'ï',
  '�' => 'î',
  '�' => 'ì',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'É',
  '�' => 'æ',
  '�' => 'Æ',
  '�' => 'ô',
  '�' => 'ö',
  '�' => 'ò',
  '�' => 'û',
  '�' => 'ù',
  '�' => 'ÿ',
  '�' => 'Ö',
  '�' => 'Ü',
  '�' => 'ø',
  '�' => '£',
  '�' => 'Ø',
  '�' => '×',
  '�' => 'ƒ',
  '�' => 'á',
  '�' => 'í',
  '�' => 'ó',
  '�' => 'ú',
  '�' => 'ñ',
  '�' => 'Ñ',
  '�' => 'ª',
  '�' => 'º',
  '�' => '¿',
  '�' => '®',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '¡',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'À',
  '�' => '©',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '¢',
  '�' => '¥',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => 'ã',
  '�' => 'Ã',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '¤',
  '�' => 'ð',
  '�' => 'Ð',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'È',
  '�' => 'ı',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '¦',
  '�' => 'Ì',
  '�' => '▀',
  '�' => 'Ó',
  '�' => 'ß',
  '�' => 'Ô',
  '�' => 'Ò',
  '�' => 'õ',
  '�' => 'Õ',
  '�' => 'µ',
  '�' => 'þ',
  '�' => 'Þ',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ù',
  '�' => 'ý',
  '�' => 'Ý',
  '�' => '¯',
  '�' => '´',
  '�' => '­',
  '�' => '±',
  '�' => '‗',
  '�' => '¾',
  '�' => '¶',
  '�' => '§',
  '�' => '÷',
  '�' => '¸',
  '�' => '°',
  '�' => '¨',
  '�' => '·',
  '�' => '¹',
  '�' => '³',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1250.php000064400000007211151330736600020360 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '‚',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Ś',
  '�' => 'Ť',
  '�' => 'Ž',
  '�' => 'Ź',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'ś',
  '�' => 'ť',
  '�' => 'ž',
  '�' => 'ź',
  '�' => ' ',
  '�' => 'ˇ',
  '�' => '˘',
  '�' => 'Ł',
  '�' => '¤',
  '�' => 'Ą',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => 'Ş',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => 'Ż',
  '�' => '°',
  '�' => '±',
  '�' => '˛',
  '�' => 'ł',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => 'ą',
  '�' => 'ş',
  '�' => '»',
  '�' => 'Ľ',
  '�' => '˝',
  '�' => 'ľ',
  '�' => 'ż',
  '�' => 'Ŕ',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ă',
  '�' => 'Ä',
  '�' => 'Ĺ',
  '�' => 'Ć',
  '�' => 'Ç',
  '�' => 'Č',
  '�' => 'É',
  '�' => 'Ę',
  '�' => 'Ë',
  '�' => 'Ě',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ď',
  '�' => 'Đ',
  '�' => 'Ń',
  '�' => 'Ň',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Ő',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ř',
  '�' => 'Ů',
  '�' => 'Ú',
  '�' => 'Ű',
  '�' => 'Ü',
  '�' => 'Ý',
  '�' => 'Ţ',
  '�' => 'ß',
  '�' => 'ŕ',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ă',
  '�' => 'ä',
  '�' => 'ĺ',
  '�' => 'ć',
  '�' => 'ç',
  '�' => 'č',
  '�' => 'é',
  '�' => 'ę',
  '�' => 'ë',
  '�' => 'ě',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ď',
  '�' => 'đ',
  '�' => 'ń',
  '�' => 'ň',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'ő',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ř',
  '�' => 'ů',
  '�' => 'ú',
  '�' => 'ű',
  '�' => 'ü',
  '�' => 'ý',
  '�' => 'ţ',
  '�' => '˙',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1257.php000064400000007040151330736600020367 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '‚',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => '‰',
  '�' => '‹',
  '�' => '¨',
  '�' => 'ˇ',
  '�' => '¸',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '™',
  '�' => '›',
  '�' => '¯',
  '�' => '˛',
  '�' => ' ',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '¦',
  '�' => '§',
  '�' => 'Ø',
  '�' => '©',
  '�' => 'Ŗ',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => 'Æ',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => 'ø',
  '�' => '¹',
  '�' => 'ŗ',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => 'æ',
  '�' => 'Ą',
  '�' => 'Į',
  '�' => 'Ā',
  '�' => 'Ć',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Ę',
  '�' => 'Ē',
  '�' => 'Č',
  '�' => 'É',
  '�' => 'Ź',
  '�' => 'Ė',
  '�' => 'Ģ',
  '�' => 'Ķ',
  '�' => 'Ī',
  '�' => 'Ļ',
  '�' => 'Š',
  '�' => 'Ń',
  '�' => 'Ņ',
  '�' => 'Ó',
  '�' => 'Ō',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ų',
  '�' => 'Ł',
  '�' => 'Ś',
  '�' => 'Ū',
  '�' => 'Ü',
  '�' => 'Ż',
  '�' => 'Ž',
  '�' => 'ß',
  '�' => 'ą',
  '�' => 'į',
  '�' => 'ā',
  '�' => 'ć',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'ę',
  '�' => 'ē',
  '�' => 'č',
  '�' => 'é',
  '�' => 'ź',
  '�' => 'ė',
  '�' => 'ģ',
  '�' => 'ķ',
  '�' => 'ī',
  '�' => 'ļ',
  '�' => 'š',
  '�' => 'ń',
  '�' => 'ņ',
  '�' => 'ó',
  '�' => 'ō',
  '�' => 'õ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ų',
  '�' => 'ł',
  '�' => 'ś',
  '�' => 'ū',
  '�' => 'ü',
  '�' => 'ż',
  '�' => 'ž',
  '�' => '˙',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-7.php000064400000007154151330736600017660 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '‘',
  '�' => '’',
  '�' => '£',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '―',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '΄',
  '�' => '΅',
  '�' => 'Ά',
  '�' => '·',
  '�' => 'Έ',
  '�' => 'Ή',
  '�' => 'Ί',
  '�' => '»',
  '�' => 'Ό',
  '�' => '½',
  '�' => 'Ύ',
  '�' => 'Ώ',
  '�' => 'ΐ',
  '�' => 'Α',
  '�' => 'Β',
  '�' => 'Γ',
  '�' => 'Δ',
  '�' => 'Ε',
  '�' => 'Ζ',
  '�' => 'Η',
  '�' => 'Θ',
  '�' => 'Ι',
  '�' => 'Κ',
  '�' => 'Λ',
  '�' => 'Μ',
  '�' => 'Ν',
  '�' => 'Ξ',
  '�' => 'Ο',
  '�' => 'Π',
  '�' => 'Ρ',
  '�' => 'Σ',
  '�' => 'Τ',
  '�' => 'Υ',
  '�' => 'Φ',
  '�' => 'Χ',
  '�' => 'Ψ',
  '�' => 'Ω',
  '�' => 'Ϊ',
  '�' => 'Ϋ',
  '�' => 'ά',
  '�' => 'έ',
  '�' => 'ή',
  '�' => 'ί',
  '�' => 'ΰ',
  '�' => 'α',
  '�' => 'β',
  '�' => 'γ',
  '�' => 'δ',
  '�' => 'ε',
  '�' => 'ζ',
  '�' => 'η',
  '�' => 'θ',
  '�' => 'ι',
  '�' => 'κ',
  '�' => 'λ',
  '�' => 'μ',
  '�' => 'ν',
  '�' => 'ξ',
  '�' => 'ο',
  '�' => 'π',
  '�' => 'ρ',
  '�' => 'ς',
  '�' => 'σ',
  '�' => 'τ',
  '�' => 'υ',
  '�' => 'φ',
  '�' => 'χ',
  '�' => 'ψ',
  '�' => 'ω',
  '�' => 'ϊ',
  '�' => 'ϋ',
  '�' => 'ό',
  '�' => 'ύ',
  '�' => 'ώ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-9.php000064400000007303151330736600017656 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '¡',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => 'ª',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => '¹',
  '�' => 'º',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '¿',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ã',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'Ì',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Ğ',
  '�' => 'Ñ',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ø',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'İ',
  '�' => 'Ş',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ì',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ğ',
  '�' => 'ñ',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ø',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ı',
  '�' => 'ş',
  '�' => 'ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp874.php000064400000006522151330736600017152 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '…',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => ' ',
  '�' => 'ก',
  '�' => 'ข',
  '�' => 'ฃ',
  '�' => 'ค',
  '�' => 'ฅ',
  '�' => 'ฆ',
  '�' => 'ง',
  '�' => 'จ',
  '�' => 'ฉ',
  '�' => 'ช',
  '�' => 'ซ',
  '�' => 'ฌ',
  '�' => 'ญ',
  '�' => 'ฎ',
  '�' => 'ฏ',
  '�' => 'ฐ',
  '�' => 'ฑ',
  '�' => 'ฒ',
  '�' => 'ณ',
  '�' => 'ด',
  '�' => 'ต',
  '�' => 'ถ',
  '�' => 'ท',
  '�' => 'ธ',
  '�' => 'น',
  '�' => 'บ',
  '�' => 'ป',
  '�' => 'ผ',
  '�' => 'ฝ',
  '�' => 'พ',
  '�' => 'ฟ',
  '�' => 'ภ',
  '�' => 'ม',
  '�' => 'ย',
  '�' => 'ร',
  '�' => 'ฤ',
  '�' => 'ล',
  '�' => 'ฦ',
  '�' => 'ว',
  '�' => 'ศ',
  '�' => 'ษ',
  '�' => 'ส',
  '�' => 'ห',
  '�' => 'ฬ',
  '�' => 'อ',
  '�' => 'ฮ',
  '�' => 'ฯ',
  '�' => 'ะ',
  '�' => 'ั',
  '�' => 'า',
  '�' => 'ำ',
  '�' => 'ิ',
  '�' => 'ี',
  '�' => 'ึ',
  '�' => 'ื',
  '�' => 'ุ',
  '�' => 'ู',
  '�' => 'ฺ',
  '�' => '฿',
  '�' => 'เ',
  '�' => 'แ',
  '�' => 'โ',
  '�' => 'ใ',
  '�' => 'ไ',
  '�' => 'ๅ',
  '�' => 'ๆ',
  '�' => '็',
  '�' => '่',
  '�' => '้',
  '�' => '๊',
  '�' => '๋',
  '�' => '์',
  '�' => 'ํ',
  '�' => '๎',
  '�' => '๏',
  '�' => '๐',
  '�' => '๑',
  '�' => '๒',
  '�' => '๓',
  '�' => '๔',
  '�' => '๕',
  '�' => '๖',
  '�' => '๗',
  '�' => '๘',
  '�' => '๙',
  '�' => '๚',
  '�' => '๛',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp950.php000064400000704014151330736600017146 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�@' => ' ',
  '�A' => ',',
  '�B' => '、',
  '�C' => '。',
  '�D' => '.',
  '�E' => '‧',
  '�F' => ';',
  '�G' => ':',
  '�H' => '?',
  '�I' => '!',
  '�J' => '︰',
  '�K' => '…',
  '�L' => '‥',
  '�M' => '﹐',
  '�N' => '﹑',
  '�O' => '﹒',
  '�P' => '·',
  '�Q' => '﹔',
  '�R' => '﹕',
  '�S' => '﹖',
  '�T' => '﹗',
  '�U' => '|',
  '�V' => '–',
  '�W' => '︱',
  '�X' => '—',
  '�Y' => '︳',
  '�Z' => '╴',
  '�[' => '︴',
  '�\\' => '﹏',
  '�]' => '(',
  '�^' => ')',
  '�_' => '︵',
  '�`' => '︶',
  '�a' => '{',
  '�b' => '}',
  '�c' => '︷',
  '�d' => '︸',
  '�e' => '〔',
  '�f' => '〕',
  '�g' => '︹',
  '�h' => '︺',
  '�i' => '【',
  '�j' => '】',
  '�k' => '︻',
  '�l' => '︼',
  '�m' => '《',
  '�n' => '》',
  '�o' => '︽',
  '�p' => '︾',
  '�q' => '〈',
  '�r' => '〉',
  '�s' => '︿',
  '�t' => '﹀',
  '�u' => '「',
  '�v' => '」',
  '�w' => '﹁',
  '�x' => '﹂',
  '�y' => '『',
  '�z' => '』',
  '�{' => '﹃',
  '�|' => '﹄',
  '�}' => '﹙',
  '�~' => '﹚',
  '��' => '﹛',
  '��' => '﹜',
  '��' => '﹝',
  '��' => '﹞',
  '��' => '‘',
  '��' => '’',
  '��' => '“',
  '��' => '”',
  '��' => '〝',
  '��' => '〞',
  '��' => '‵',
  '��' => '′',
  '��' => '#',
  '��' => '&',
  '��' => '*',
  '��' => '※',
  '��' => '§',
  '��' => '〃',
  '��' => '○',
  '��' => '●',
  '��' => '△',
  '��' => '▲',
  '��' => '◎',
  '��' => '☆',
  '��' => '★',
  '��' => '◇',
  '��' => '◆',
  '��' => '□',
  '��' => '■',
  '��' => '▽',
  '��' => '▼',
  '��' => '㊣',
  '��' => '℅',
  '��' => '¯',
  '��' => ' ̄',
  '��' => '_',
  '��' => 'ˍ',
  '��' => '﹉',
  '��' => '﹊',
  '��' => '﹍',
  '��' => '﹎',
  '��' => '﹋',
  '��' => '﹌',
  '��' => '﹟',
  '��' => '﹠',
  '��' => '﹡',
  '��' => '+',
  '��' => '-',
  '��' => '×',
  '��' => '÷',
  '��' => '±',
  '��' => '√',
  '��' => '<',
  '��' => '>',
  '��' => '=',
  '��' => '≦',
  '��' => '≧',
  '��' => '≠',
  '��' => '∞',
  '��' => '≒',
  '��' => '≡',
  '��' => '﹢',
  '��' => '﹣',
  '��' => '﹤',
  '��' => '﹥',
  '��' => '﹦',
  '��' => '~',
  '��' => '∩',
  '��' => '∪',
  '��' => '⊥',
  '��' => '∠',
  '��' => '∟',
  '��' => '⊿',
  '��' => '㏒',
  '��' => '㏑',
  '��' => '∫',
  '��' => '∮',
  '��' => '∵',
  '��' => '∴',
  '��' => '♀',
  '��' => '♂',
  '��' => '⊕',
  '��' => '⊙',
  '��' => '↑',
  '��' => '↓',
  '��' => '←',
  '��' => '→',
  '��' => '↖',
  '��' => '↗',
  '��' => '↙',
  '��' => '↘',
  '��' => '∥',
  '��' => '∣',
  '��' => '/',
  '�@' => '\',
  '�A' => '∕',
  '�B' => '﹨',
  '�C' => '$',
  '�D' => '¥',
  '�E' => '〒',
  '�F' => '¢',
  '�G' => '£',
  '�H' => '%',
  '�I' => '@',
  '�J' => '℃',
  '�K' => '℉',
  '�L' => '﹩',
  '�M' => '﹪',
  '�N' => '﹫',
  '�O' => '㏕',
  '�P' => '㎜',
  '�Q' => '㎝',
  '�R' => '㎞',
  '�S' => '㏎',
  '�T' => '㎡',
  '�U' => '㎎',
  '�V' => '㎏',
  '�W' => '㏄',
  '�X' => '°',
  '�Y' => '兙',
  '�Z' => '兛',
  '�[' => '兞',
  '�\\' => '兝',
  '�]' => '兡',
  '�^' => '兣',
  '�_' => '嗧',
  '�`' => '瓩',
  '�a' => '糎',
  '�b' => '▁',
  '�c' => '▂',
  '�d' => '▃',
  '�e' => '▄',
  '�f' => '▅',
  '�g' => '▆',
  '�h' => '▇',
  '�i' => '█',
  '�j' => '▏',
  '�k' => '▎',
  '�l' => '▍',
  '�m' => '▌',
  '�n' => '▋',
  '�o' => '▊',
  '�p' => '▉',
  '�q' => '┼',
  '�r' => '┴',
  '�s' => '┬',
  '�t' => '┤',
  '�u' => '├',
  '�v' => '▔',
  '�w' => '─',
  '�x' => '│',
  '�y' => '▕',
  '�z' => '┌',
  '�{' => '┐',
  '�|' => '└',
  '�}' => '┘',
  '�~' => '╭',
  '��' => '╮',
  '��' => '╰',
  '��' => '╯',
  '��' => '═',
  '��' => '╞',
  '��' => '╪',
  '��' => '╡',
  '��' => '◢',
  '��' => '◣',
  '��' => '◥',
  '��' => '◤',
  '��' => '╱',
  '��' => '╲',
  '��' => '╳',
  '��' => '0',
  '��' => '1',
  '��' => '2',
  '��' => '3',
  '��' => '4',
  '��' => '5',
  '��' => '6',
  '��' => '7',
  '��' => '8',
  '��' => '9',
  '��' => 'Ⅰ',
  '��' => 'Ⅱ',
  '��' => 'Ⅲ',
  '��' => 'Ⅳ',
  '��' => 'Ⅴ',
  '��' => 'Ⅵ',
  '��' => 'Ⅶ',
  '��' => 'Ⅷ',
  '��' => 'Ⅸ',
  '��' => 'Ⅹ',
  '��' => '〡',
  '��' => '〢',
  '��' => '〣',
  '��' => '〤',
  '��' => '〥',
  '��' => '〦',
  '��' => '〧',
  '��' => '〨',
  '��' => '〩',
  '��' => '十',
  '��' => '卄',
  '��' => '卅',
  '��' => 'A',
  '��' => 'B',
  '��' => 'C',
  '��' => 'D',
  '��' => 'E',
  '��' => 'F',
  '��' => 'G',
  '��' => 'H',
  '��' => 'I',
  '��' => 'J',
  '��' => 'K',
  '��' => 'L',
  '��' => 'M',
  '��' => 'N',
  '��' => 'O',
  '��' => 'P',
  '��' => 'Q',
  '��' => 'R',
  '��' => 'S',
  '��' => 'T',
  '��' => 'U',
  '��' => 'V',
  '��' => 'W',
  '��' => 'X',
  '��' => 'Y',
  '��' => 'Z',
  '��' => 'a',
  '��' => 'b',
  '��' => 'c',
  '��' => 'd',
  '��' => 'e',
  '��' => 'f',
  '��' => 'g',
  '��' => 'h',
  '��' => 'i',
  '��' => 'j',
  '��' => 'k',
  '��' => 'l',
  '��' => 'm',
  '��' => 'n',
  '��' => 'o',
  '��' => 'p',
  '��' => 'q',
  '��' => 'r',
  '��' => 's',
  '��' => 't',
  '��' => 'u',
  '��' => 'v',
  '�@' => 'w',
  '�A' => 'x',
  '�B' => 'y',
  '�C' => 'z',
  '�D' => 'Α',
  '�E' => 'Β',
  '�F' => 'Γ',
  '�G' => 'Δ',
  '�H' => 'Ε',
  '�I' => 'Ζ',
  '�J' => 'Η',
  '�K' => 'Θ',
  '�L' => 'Ι',
  '�M' => 'Κ',
  '�N' => 'Λ',
  '�O' => 'Μ',
  '�P' => 'Ν',
  '�Q' => 'Ξ',
  '�R' => 'Ο',
  '�S' => 'Π',
  '�T' => 'Ρ',
  '�U' => 'Σ',
  '�V' => 'Τ',
  '�W' => 'Υ',
  '�X' => 'Φ',
  '�Y' => 'Χ',
  '�Z' => 'Ψ',
  '�[' => 'Ω',
  '�\\' => 'α',
  '�]' => 'β',
  '�^' => 'γ',
  '�_' => 'δ',
  '�`' => 'ε',
  '�a' => 'ζ',
  '�b' => 'η',
  '�c' => 'θ',
  '�d' => 'ι',
  '�e' => 'κ',
  '�f' => 'λ',
  '�g' => 'μ',
  '�h' => 'ν',
  '�i' => 'ξ',
  '�j' => 'ο',
  '�k' => 'π',
  '�l' => 'ρ',
  '�m' => 'σ',
  '�n' => 'τ',
  '�o' => 'υ',
  '�p' => 'φ',
  '�q' => 'χ',
  '�r' => 'ψ',
  '�s' => 'ω',
  '�t' => 'ㄅ',
  '�u' => 'ㄆ',
  '�v' => 'ㄇ',
  '�w' => 'ㄈ',
  '�x' => 'ㄉ',
  '�y' => 'ㄊ',
  '�z' => 'ㄋ',
  '�{' => 'ㄌ',
  '�|' => 'ㄍ',
  '�}' => 'ㄎ',
  '�~' => 'ㄏ',
  '��' => 'ㄐ',
  '��' => 'ㄑ',
  '��' => 'ㄒ',
  '��' => 'ㄓ',
  '��' => 'ㄔ',
  '��' => 'ㄕ',
  '��' => 'ㄖ',
  '��' => 'ㄗ',
  '��' => 'ㄘ',
  '��' => 'ㄙ',
  '��' => 'ㄚ',
  '��' => 'ㄛ',
  '��' => 'ㄜ',
  '��' => 'ㄝ',
  '��' => 'ㄞ',
  '��' => 'ㄟ',
  '��' => 'ㄠ',
  '��' => 'ㄡ',
  '��' => 'ㄢ',
  '��' => 'ㄣ',
  '��' => 'ㄤ',
  '��' => 'ㄥ',
  '��' => 'ㄦ',
  '��' => 'ㄧ',
  '��' => 'ㄨ',
  '��' => 'ㄩ',
  '��' => '˙',
  '��' => 'ˉ',
  '��' => 'ˊ',
  '��' => 'ˇ',
  '��' => 'ˋ',
  '��' => '€',
  '�@' => '一',
  '�A' => '乙',
  '�B' => '丁',
  '�C' => '七',
  '�D' => '乃',
  '�E' => '九',
  '�F' => '了',
  '�G' => '二',
  '�H' => '人',
  '�I' => '儿',
  '�J' => '入',
  '�K' => '八',
  '�L' => '几',
  '�M' => '刀',
  '�N' => '刁',
  '�O' => '力',
  '�P' => '匕',
  '�Q' => '十',
  '�R' => '卜',
  '�S' => '又',
  '�T' => '三',
  '�U' => '下',
  '�V' => '丈',
  '�W' => '上',
  '�X' => '丫',
  '�Y' => '丸',
  '�Z' => '凡',
  '�[' => '久',
  '�\\' => '么',
  '�]' => '也',
  '�^' => '乞',
  '�_' => '于',
  '�`' => '亡',
  '�a' => '兀',
  '�b' => '刃',
  '�c' => '勺',
  '�d' => '千',
  '�e' => '叉',
  '�f' => '口',
  '�g' => '土',
  '�h' => '士',
  '�i' => '夕',
  '�j' => '大',
  '�k' => '女',
  '�l' => '子',
  '�m' => '孑',
  '�n' => '孓',
  '�o' => '寸',
  '�p' => '小',
  '�q' => '尢',
  '�r' => '尸',
  '�s' => '山',
  '�t' => '川',
  '�u' => '工',
  '�v' => '己',
  '�w' => '已',
  '�x' => '巳',
  '�y' => '巾',
  '�z' => '干',
  '�{' => '廾',
  '�|' => '弋',
  '�}' => '弓',
  '�~' => '才',
  '��' => '丑',
  '��' => '丐',
  '��' => '不',
  '��' => '中',
  '��' => '丰',
  '��' => '丹',
  '��' => '之',
  '��' => '尹',
  '��' => '予',
  '��' => '云',
  '��' => '井',
  '��' => '互',
  '��' => '五',
  '��' => '亢',
  '��' => '仁',
  '��' => '什',
  '��' => '仃',
  '��' => '仆',
  '��' => '仇',
  '��' => '仍',
  '��' => '今',
  '��' => '介',
  '��' => '仄',
  '��' => '元',
  '��' => '允',
  '��' => '內',
  '��' => '六',
  '��' => '兮',
  '��' => '公',
  '��' => '冗',
  '��' => '凶',
  '��' => '分',
  '��' => '切',
  '��' => '刈',
  '��' => '勻',
  '��' => '勾',
  '��' => '勿',
  '��' => '化',
  '��' => '匹',
  '��' => '午',
  '��' => '升',
  '��' => '卅',
  '��' => '卞',
  '��' => '厄',
  '��' => '友',
  '��' => '及',
  '��' => '反',
  '��' => '壬',
  '��' => '天',
  '��' => '夫',
  '��' => '太',
  '��' => '夭',
  '��' => '孔',
  '��' => '少',
  '��' => '尤',
  '��' => '尺',
  '��' => '屯',
  '��' => '巴',
  '��' => '幻',
  '��' => '廿',
  '��' => '弔',
  '��' => '引',
  '��' => '心',
  '��' => '戈',
  '��' => '戶',
  '��' => '手',
  '��' => '扎',
  '��' => '支',
  '��' => '文',
  '��' => '斗',
  '��' => '斤',
  '��' => '方',
  '��' => '日',
  '��' => '曰',
  '��' => '月',
  '��' => '木',
  '��' => '欠',
  '��' => '止',
  '��' => '歹',
  '��' => '毋',
  '��' => '比',
  '��' => '毛',
  '��' => '氏',
  '��' => '水',
  '��' => '火',
  '��' => '爪',
  '��' => '父',
  '��' => '爻',
  '��' => '片',
  '��' => '牙',
  '��' => '牛',
  '��' => '犬',
  '��' => '王',
  '��' => '丙',
  '�@' => '世',
  '�A' => '丕',
  '�B' => '且',
  '�C' => '丘',
  '�D' => '主',
  '�E' => '乍',
  '�F' => '乏',
  '�G' => '乎',
  '�H' => '以',
  '�I' => '付',
  '�J' => '仔',
  '�K' => '仕',
  '�L' => '他',
  '�M' => '仗',
  '�N' => '代',
  '�O' => '令',
  '�P' => '仙',
  '�Q' => '仞',
  '�R' => '充',
  '�S' => '兄',
  '�T' => '冉',
  '�U' => '冊',
  '�V' => '冬',
  '�W' => '凹',
  '�X' => '出',
  '�Y' => '凸',
  '�Z' => '刊',
  '�[' => '加',
  '�\\' => '功',
  '�]' => '包',
  '�^' => '匆',
  '�_' => '北',
  '�`' => '匝',
  '�a' => '仟',
  '�b' => '半',
  '�c' => '卉',
  '�d' => '卡',
  '�e' => '占',
  '�f' => '卯',
  '�g' => '卮',
  '�h' => '去',
  '�i' => '可',
  '�j' => '古',
  '�k' => '右',
  '�l' => '召',
  '�m' => '叮',
  '�n' => '叩',
  '�o' => '叨',
  '�p' => '叼',
  '�q' => '司',
  '�r' => '叵',
  '�s' => '叫',
  '�t' => '另',
  '�u' => '只',
  '�v' => '史',
  '�w' => '叱',
  '�x' => '台',
  '�y' => '句',
  '�z' => '叭',
  '�{' => '叻',
  '�|' => '四',
  '�}' => '囚',
  '�~' => '外',
  '��' => '央',
  '��' => '失',
  '��' => '奴',
  '��' => '奶',
  '��' => '孕',
  '��' => '它',
  '��' => '尼',
  '��' => '巨',
  '��' => '巧',
  '��' => '左',
  '��' => '市',
  '��' => '布',
  '��' => '平',
  '��' => '幼',
  '��' => '弁',
  '��' => '弘',
  '��' => '弗',
  '��' => '必',
  '��' => '戊',
  '��' => '打',
  '��' => '扔',
  '��' => '扒',
  '��' => '扑',
  '��' => '斥',
  '��' => '旦',
  '��' => '朮',
  '��' => '本',
  '��' => '未',
  '��' => '末',
  '��' => '札',
  '��' => '正',
  '��' => '母',
  '��' => '民',
  '��' => '氐',
  '��' => '永',
  '��' => '汁',
  '��' => '汀',
  '��' => '氾',
  '��' => '犯',
  '��' => '玄',
  '��' => '玉',
  '��' => '瓜',
  '��' => '瓦',
  '��' => '甘',
  '��' => '生',
  '��' => '用',
  '��' => '甩',
  '��' => '田',
  '��' => '由',
  '��' => '甲',
  '��' => '申',
  '��' => '疋',
  '��' => '白',
  '��' => '皮',
  '��' => '皿',
  '��' => '目',
  '��' => '矛',
  '��' => '矢',
  '��' => '石',
  '��' => '示',
  '��' => '禾',
  '��' => '穴',
  '��' => '立',
  '��' => '丞',
  '��' => '丟',
  '��' => '乒',
  '��' => '乓',
  '��' => '乩',
  '��' => '亙',
  '��' => '交',
  '��' => '亦',
  '��' => '亥',
  '��' => '仿',
  '��' => '伉',
  '��' => '伙',
  '��' => '伊',
  '��' => '伕',
  '��' => '伍',
  '��' => '伐',
  '��' => '休',
  '��' => '伏',
  '��' => '仲',
  '��' => '件',
  '��' => '任',
  '��' => '仰',
  '��' => '仳',
  '��' => '份',
  '��' => '企',
  '��' => '伋',
  '��' => '光',
  '��' => '兇',
  '��' => '兆',
  '��' => '先',
  '��' => '全',
  '�@' => '共',
  '�A' => '再',
  '�B' => '冰',
  '�C' => '列',
  '�D' => '刑',
  '�E' => '划',
  '�F' => '刎',
  '�G' => '刖',
  '�H' => '劣',
  '�I' => '匈',
  '�J' => '匡',
  '�K' => '匠',
  '�L' => '印',
  '�M' => '危',
  '�N' => '吉',
  '�O' => '吏',
  '�P' => '同',
  '�Q' => '吊',
  '�R' => '吐',
  '�S' => '吁',
  '�T' => '吋',
  '�U' => '各',
  '�V' => '向',
  '�W' => '名',
  '�X' => '合',
  '�Y' => '吃',
  '�Z' => '后',
  '�[' => '吆',
  '�\\' => '吒',
  '�]' => '因',
  '�^' => '回',
  '�_' => '囝',
  '�`' => '圳',
  '�a' => '地',
  '�b' => '在',
  '�c' => '圭',
  '�d' => '圬',
  '�e' => '圯',
  '�f' => '圩',
  '�g' => '夙',
  '�h' => '多',
  '�i' => '夷',
  '�j' => '夸',
  '�k' => '妄',
  '�l' => '奸',
  '�m' => '妃',
  '�n' => '好',
  '�o' => '她',
  '�p' => '如',
  '�q' => '妁',
  '�r' => '字',
  '�s' => '存',
  '�t' => '宇',
  '�u' => '守',
  '�v' => '宅',
  '�w' => '安',
  '�x' => '寺',
  '�y' => '尖',
  '�z' => '屹',
  '�{' => '州',
  '�|' => '帆',
  '�}' => '并',
  '�~' => '年',
  '��' => '式',
  '��' => '弛',
  '��' => '忙',
  '��' => '忖',
  '��' => '戎',
  '��' => '戌',
  '��' => '戍',
  '��' => '成',
  '��' => '扣',
  '��' => '扛',
  '��' => '托',
  '��' => '收',
  '��' => '早',
  '��' => '旨',
  '��' => '旬',
  '��' => '旭',
  '��' => '曲',
  '��' => '曳',
  '��' => '有',
  '��' => '朽',
  '��' => '朴',
  '��' => '朱',
  '��' => '朵',
  '��' => '次',
  '��' => '此',
  '��' => '死',
  '��' => '氖',
  '��' => '汝',
  '��' => '汗',
  '��' => '汙',
  '��' => '江',
  '��' => '池',
  '��' => '汐',
  '��' => '汕',
  '��' => '污',
  '��' => '汛',
  '��' => '汍',
  '��' => '汎',
  '��' => '灰',
  '��' => '牟',
  '��' => '牝',
  '��' => '百',
  '��' => '竹',
  '��' => '米',
  '��' => '糸',
  '��' => '缶',
  '��' => '羊',
  '��' => '羽',
  '��' => '老',
  '��' => '考',
  '��' => '而',
  '��' => '耒',
  '��' => '耳',
  '��' => '聿',
  '��' => '肉',
  '��' => '肋',
  '��' => '肌',
  '��' => '臣',
  '��' => '自',
  '��' => '至',
  '��' => '臼',
  '��' => '舌',
  '��' => '舛',
  '��' => '舟',
  '��' => '艮',
  '��' => '色',
  '��' => '艾',
  '��' => '虫',
  '��' => '血',
  '��' => '行',
  '��' => '衣',
  '��' => '西',
  '��' => '阡',
  '��' => '串',
  '��' => '亨',
  '��' => '位',
  '��' => '住',
  '��' => '佇',
  '��' => '佗',
  '��' => '佞',
  '��' => '伴',
  '��' => '佛',
  '��' => '何',
  '��' => '估',
  '��' => '佐',
  '��' => '佑',
  '��' => '伽',
  '��' => '伺',
  '��' => '伸',
  '��' => '佃',
  '��' => '佔',
  '��' => '似',
  '��' => '但',
  '��' => '佣',
  '�@' => '作',
  '�A' => '你',
  '�B' => '伯',
  '�C' => '低',
  '�D' => '伶',
  '�E' => '余',
  '�F' => '佝',
  '�G' => '佈',
  '�H' => '佚',
  '�I' => '兌',
  '�J' => '克',
  '�K' => '免',
  '�L' => '兵',
  '�M' => '冶',
  '�N' => '冷',
  '�O' => '別',
  '�P' => '判',
  '�Q' => '利',
  '�R' => '刪',
  '�S' => '刨',
  '�T' => '劫',
  '�U' => '助',
  '�V' => '努',
  '�W' => '劬',
  '�X' => '匣',
  '�Y' => '即',
  '�Z' => '卵',
  '�[' => '吝',
  '�\\' => '吭',
  '�]' => '吞',
  '�^' => '吾',
  '�_' => '否',
  '�`' => '呎',
  '�a' => '吧',
  '�b' => '呆',
  '�c' => '呃',
  '�d' => '吳',
  '�e' => '呈',
  '�f' => '呂',
  '�g' => '君',
  '�h' => '吩',
  '�i' => '告',
  '�j' => '吹',
  '�k' => '吻',
  '�l' => '吸',
  '�m' => '吮',
  '�n' => '吵',
  '�o' => '吶',
  '�p' => '吠',
  '�q' => '吼',
  '�r' => '呀',
  '�s' => '吱',
  '�t' => '含',
  '�u' => '吟',
  '�v' => '听',
  '�w' => '囪',
  '�x' => '困',
  '�y' => '囤',
  '�z' => '囫',
  '�{' => '坊',
  '�|' => '坑',
  '�}' => '址',
  '�~' => '坍',
  '��' => '均',
  '��' => '坎',
  '��' => '圾',
  '��' => '坐',
  '��' => '坏',
  '��' => '圻',
  '��' => '壯',
  '��' => '夾',
  '��' => '妝',
  '��' => '妒',
  '��' => '妨',
  '��' => '妞',
  '��' => '妣',
  '��' => '妙',
  '��' => '妖',
  '��' => '妍',
  '��' => '妤',
  '��' => '妓',
  '��' => '妊',
  '��' => '妥',
  '��' => '孝',
  '��' => '孜',
  '��' => '孚',
  '��' => '孛',
  '��' => '完',
  '��' => '宋',
  '��' => '宏',
  '��' => '尬',
  '��' => '局',
  '��' => '屁',
  '��' => '尿',
  '��' => '尾',
  '��' => '岐',
  '��' => '岑',
  '��' => '岔',
  '��' => '岌',
  '��' => '巫',
  '��' => '希',
  '��' => '序',
  '��' => '庇',
  '��' => '床',
  '��' => '廷',
  '��' => '弄',
  '��' => '弟',
  '��' => '彤',
  '��' => '形',
  '��' => '彷',
  '��' => '役',
  '��' => '忘',
  '��' => '忌',
  '��' => '志',
  '��' => '忍',
  '��' => '忱',
  '��' => '快',
  '��' => '忸',
  '��' => '忪',
  '��' => '戒',
  '��' => '我',
  '��' => '抄',
  '��' => '抗',
  '��' => '抖',
  '��' => '技',
  '��' => '扶',
  '��' => '抉',
  '��' => '扭',
  '��' => '把',
  '��' => '扼',
  '��' => '找',
  '��' => '批',
  '��' => '扳',
  '��' => '抒',
  '��' => '扯',
  '��' => '折',
  '��' => '扮',
  '��' => '投',
  '��' => '抓',
  '��' => '抑',
  '��' => '抆',
  '��' => '改',
  '��' => '攻',
  '��' => '攸',
  '��' => '旱',
  '��' => '更',
  '��' => '束',
  '��' => '李',
  '��' => '杏',
  '��' => '材',
  '��' => '村',
  '��' => '杜',
  '��' => '杖',
  '��' => '杞',
  '��' => '杉',
  '��' => '杆',
  '��' => '杠',
  '�@' => '杓',
  '�A' => '杗',
  '�B' => '步',
  '�C' => '每',
  '�D' => '求',
  '�E' => '汞',
  '�F' => '沙',
  '�G' => '沁',
  '�H' => '沈',
  '�I' => '沉',
  '�J' => '沅',
  '�K' => '沛',
  '�L' => '汪',
  '�M' => '決',
  '�N' => '沐',
  '�O' => '汰',
  '�P' => '沌',
  '�Q' => '汨',
  '�R' => '沖',
  '�S' => '沒',
  '�T' => '汽',
  '�U' => '沃',
  '�V' => '汲',
  '�W' => '汾',
  '�X' => '汴',
  '�Y' => '沆',
  '�Z' => '汶',
  '�[' => '沍',
  '�\\' => '沔',
  '�]' => '沘',
  '�^' => '沂',
  '�_' => '灶',
  '�`' => '灼',
  '�a' => '災',
  '�b' => '灸',
  '�c' => '牢',
  '�d' => '牡',
  '�e' => '牠',
  '�f' => '狄',
  '�g' => '狂',
  '�h' => '玖',
  '�i' => '甬',
  '�j' => '甫',
  '�k' => '男',
  '�l' => '甸',
  '�m' => '皂',
  '�n' => '盯',
  '�o' => '矣',
  '�p' => '私',
  '�q' => '秀',
  '�r' => '禿',
  '�s' => '究',
  '�t' => '系',
  '�u' => '罕',
  '�v' => '肖',
  '�w' => '肓',
  '�x' => '肝',
  '�y' => '肘',
  '�z' => '肛',
  '�{' => '肚',
  '�|' => '育',
  '�}' => '良',
  '�~' => '芒',
  '��' => '芋',
  '��' => '芍',
  '��' => '見',
  '��' => '角',
  '��' => '言',
  '��' => '谷',
  '��' => '豆',
  '��' => '豕',
  '��' => '貝',
  '��' => '赤',
  '��' => '走',
  '��' => '足',
  '��' => '身',
  '��' => '車',
  '��' => '辛',
  '��' => '辰',
  '��' => '迂',
  '��' => '迆',
  '��' => '迅',
  '��' => '迄',
  '��' => '巡',
  '��' => '邑',
  '��' => '邢',
  '��' => '邪',
  '��' => '邦',
  '��' => '那',
  '��' => '酉',
  '��' => '釆',
  '��' => '里',
  '��' => '防',
  '��' => '阮',
  '��' => '阱',
  '��' => '阪',
  '��' => '阬',
  '��' => '並',
  '��' => '乖',
  '��' => '乳',
  '��' => '事',
  '��' => '些',
  '��' => '亞',
  '��' => '享',
  '��' => '京',
  '��' => '佯',
  '��' => '依',
  '��' => '侍',
  '��' => '佳',
  '��' => '使',
  '��' => '佬',
  '��' => '供',
  '��' => '例',
  '��' => '來',
  '��' => '侃',
  '��' => '佰',
  '��' => '併',
  '��' => '侈',
  '��' => '佩',
  '��' => '佻',
  '��' => '侖',
  '��' => '佾',
  '��' => '侏',
  '��' => '侑',
  '��' => '佺',
  '��' => '兔',
  '��' => '兒',
  '��' => '兕',
  '��' => '兩',
  '��' => '具',
  '��' => '其',
  '��' => '典',
  '��' => '冽',
  '��' => '函',
  '��' => '刻',
  '��' => '券',
  '��' => '刷',
  '��' => '刺',
  '��' => '到',
  '��' => '刮',
  '��' => '制',
  '��' => '剁',
  '��' => '劾',
  '��' => '劻',
  '��' => '卒',
  '��' => '協',
  '��' => '卓',
  '��' => '卑',
  '��' => '卦',
  '��' => '卷',
  '��' => '卸',
  '��' => '卹',
  '��' => '取',
  '��' => '叔',
  '��' => '受',
  '��' => '味',
  '��' => '呵',
  '�@' => '咖',
  '�A' => '呸',
  '�B' => '咕',
  '�C' => '咀',
  '�D' => '呻',
  '�E' => '呷',
  '�F' => '咄',
  '�G' => '咒',
  '�H' => '咆',
  '�I' => '呼',
  '�J' => '咐',
  '�K' => '呱',
  '�L' => '呶',
  '�M' => '和',
  '�N' => '咚',
  '�O' => '呢',
  '�P' => '周',
  '�Q' => '咋',
  '�R' => '命',
  '�S' => '咎',
  '�T' => '固',
  '�U' => '垃',
  '�V' => '坷',
  '�W' => '坪',
  '�X' => '坩',
  '�Y' => '坡',
  '�Z' => '坦',
  '�[' => '坤',
  '�\\' => '坼',
  '�]' => '夜',
  '�^' => '奉',
  '�_' => '奇',
  '�`' => '奈',
  '�a' => '奄',
  '�b' => '奔',
  '�c' => '妾',
  '�d' => '妻',
  '�e' => '委',
  '�f' => '妹',
  '�g' => '妮',
  '�h' => '姑',
  '�i' => '姆',
  '�j' => '姐',
  '�k' => '姍',
  '�l' => '始',
  '�m' => '姓',
  '�n' => '姊',
  '�o' => '妯',
  '�p' => '妳',
  '�q' => '姒',
  '�r' => '姅',
  '�s' => '孟',
  '�t' => '孤',
  '�u' => '季',
  '�v' => '宗',
  '�w' => '定',
  '�x' => '官',
  '�y' => '宜',
  '�z' => '宙',
  '�{' => '宛',
  '�|' => '尚',
  '�}' => '屈',
  '�~' => '居',
  '��' => '屆',
  '��' => '岷',
  '��' => '岡',
  '��' => '岸',
  '��' => '岩',
  '��' => '岫',
  '��' => '岱',
  '��' => '岳',
  '��' => '帘',
  '��' => '帚',
  '��' => '帖',
  '��' => '帕',
  '��' => '帛',
  '��' => '帑',
  '��' => '幸',
  '��' => '庚',
  '��' => '店',
  '��' => '府',
  '��' => '底',
  '��' => '庖',
  '��' => '延',
  '��' => '弦',
  '��' => '弧',
  '��' => '弩',
  '��' => '往',
  '��' => '征',
  '��' => '彿',
  '��' => '彼',
  '��' => '忝',
  '��' => '忠',
  '��' => '忽',
  '��' => '念',
  '��' => '忿',
  '��' => '怏',
  '��' => '怔',
  '��' => '怯',
  '��' => '怵',
  '��' => '怖',
  '��' => '怪',
  '��' => '怕',
  '��' => '怡',
  '��' => '性',
  '��' => '怩',
  '��' => '怫',
  '��' => '怛',
  '��' => '或',
  '��' => '戕',
  '��' => '房',
  '��' => '戾',
  '��' => '所',
  '��' => '承',
  '��' => '拉',
  '��' => '拌',
  '��' => '拄',
  '��' => '抿',
  '��' => '拂',
  '��' => '抹',
  '��' => '拒',
  '��' => '招',
  '��' => '披',
  '��' => '拓',
  '��' => '拔',
  '��' => '拋',
  '��' => '拈',
  '��' => '抨',
  '��' => '抽',
  '��' => '押',
  '��' => '拐',
  '��' => '拙',
  '��' => '拇',
  '��' => '拍',
  '��' => '抵',
  '��' => '拚',
  '��' => '抱',
  '��' => '拘',
  '��' => '拖',
  '��' => '拗',
  '��' => '拆',
  '��' => '抬',
  '��' => '拎',
  '��' => '放',
  '��' => '斧',
  '��' => '於',
  '��' => '旺',
  '��' => '昔',
  '��' => '易',
  '��' => '昌',
  '��' => '昆',
  '��' => '昂',
  '��' => '明',
  '��' => '昀',
  '��' => '昏',
  '��' => '昕',
  '��' => '昊',
  '�@' => '昇',
  '�A' => '服',
  '�B' => '朋',
  '�C' => '杭',
  '�D' => '枋',
  '�E' => '枕',
  '�F' => '東',
  '�G' => '果',
  '�H' => '杳',
  '�I' => '杷',
  '�J' => '枇',
  '�K' => '枝',
  '�L' => '林',
  '�M' => '杯',
  '�N' => '杰',
  '�O' => '板',
  '�P' => '枉',
  '�Q' => '松',
  '�R' => '析',
  '�S' => '杵',
  '�T' => '枚',
  '�U' => '枓',
  '�V' => '杼',
  '�W' => '杪',
  '�X' => '杲',
  '�Y' => '欣',
  '�Z' => '武',
  '�[' => '歧',
  '�\\' => '歿',
  '�]' => '氓',
  '�^' => '氛',
  '�_' => '泣',
  '�`' => '注',
  '�a' => '泳',
  '�b' => '沱',
  '�c' => '泌',
  '�d' => '泥',
  '�e' => '河',
  '�f' => '沽',
  '�g' => '沾',
  '�h' => '沼',
  '�i' => '波',
  '�j' => '沫',
  '�k' => '法',
  '�l' => '泓',
  '�m' => '沸',
  '�n' => '泄',
  '�o' => '油',
  '�p' => '況',
  '�q' => '沮',
  '�r' => '泗',
  '�s' => '泅',
  '�t' => '泱',
  '�u' => '沿',
  '�v' => '治',
  '�w' => '泡',
  '�x' => '泛',
  '�y' => '泊',
  '�z' => '沬',
  '�{' => '泯',
  '�|' => '泜',
  '�}' => '泖',
  '�~' => '泠',
  '��' => '炕',
  '��' => '炎',
  '��' => '炒',
  '��' => '炊',
  '��' => '炙',
  '��' => '爬',
  '��' => '爭',
  '��' => '爸',
  '��' => '版',
  '��' => '牧',
  '��' => '物',
  '��' => '狀',
  '��' => '狎',
  '��' => '狙',
  '��' => '狗',
  '��' => '狐',
  '��' => '玩',
  '��' => '玨',
  '��' => '玟',
  '��' => '玫',
  '��' => '玥',
  '��' => '甽',
  '��' => '疝',
  '��' => '疙',
  '��' => '疚',
  '��' => '的',
  '��' => '盂',
  '��' => '盲',
  '��' => '直',
  '��' => '知',
  '��' => '矽',
  '��' => '社',
  '��' => '祀',
  '��' => '祁',
  '��' => '秉',
  '��' => '秈',
  '��' => '空',
  '��' => '穹',
  '��' => '竺',
  '��' => '糾',
  '��' => '罔',
  '��' => '羌',
  '��' => '羋',
  '��' => '者',
  '��' => '肺',
  '��' => '肥',
  '��' => '肢',
  '��' => '肱',
  '��' => '股',
  '��' => '肫',
  '��' => '肩',
  '��' => '肴',
  '��' => '肪',
  '��' => '肯',
  '��' => '臥',
  '��' => '臾',
  '��' => '舍',
  '��' => '芳',
  '��' => '芝',
  '��' => '芙',
  '��' => '芭',
  '��' => '芽',
  '��' => '芟',
  '��' => '芹',
  '��' => '花',
  '��' => '芬',
  '��' => '芥',
  '��' => '芯',
  '��' => '芸',
  '��' => '芣',
  '��' => '芰',
  '��' => '芾',
  '��' => '芷',
  '��' => '虎',
  '��' => '虱',
  '��' => '初',
  '��' => '表',
  '��' => '軋',
  '��' => '迎',
  '��' => '返',
  '��' => '近',
  '��' => '邵',
  '��' => '邸',
  '��' => '邱',
  '��' => '邶',
  '��' => '采',
  '��' => '金',
  '��' => '長',
  '��' => '門',
  '��' => '阜',
  '��' => '陀',
  '��' => '阿',
  '��' => '阻',
  '��' => '附',
  '�@' => '陂',
  '�A' => '隹',
  '�B' => '雨',
  '�C' => '青',
  '�D' => '非',
  '�E' => '亟',
  '�F' => '亭',
  '�G' => '亮',
  '�H' => '信',
  '�I' => '侵',
  '�J' => '侯',
  '�K' => '便',
  '�L' => '俠',
  '�M' => '俑',
  '�N' => '俏',
  '�O' => '保',
  '�P' => '促',
  '�Q' => '侶',
  '�R' => '俘',
  '�S' => '俟',
  '�T' => '俊',
  '�U' => '俗',
  '�V' => '侮',
  '�W' => '俐',
  '�X' => '俄',
  '�Y' => '係',
  '�Z' => '俚',
  '�[' => '俎',
  '�\\' => '俞',
  '�]' => '侷',
  '�^' => '兗',
  '�_' => '冒',
  '�`' => '冑',
  '�a' => '冠',
  '�b' => '剎',
  '�c' => '剃',
  '�d' => '削',
  '�e' => '前',
  '�f' => '剌',
  '�g' => '剋',
  '�h' => '則',
  '�i' => '勇',
  '�j' => '勉',
  '�k' => '勃',
  '�l' => '勁',
  '�m' => '匍',
  '�n' => '南',
  '�o' => '卻',
  '�p' => '厚',
  '�q' => '叛',
  '�r' => '咬',
  '�s' => '哀',
  '�t' => '咨',
  '�u' => '哎',
  '�v' => '哉',
  '�w' => '咸',
  '�x' => '咦',
  '�y' => '咳',
  '�z' => '哇',
  '�{' => '哂',
  '�|' => '咽',
  '�}' => '咪',
  '�~' => '品',
  '��' => '哄',
  '��' => '哈',
  '��' => '咯',
  '��' => '咫',
  '��' => '咱',
  '��' => '咻',
  '��' => '咩',
  '��' => '咧',
  '��' => '咿',
  '��' => '囿',
  '��' => '垂',
  '��' => '型',
  '��' => '垠',
  '��' => '垣',
  '��' => '垢',
  '��' => '城',
  '��' => '垮',
  '��' => '垓',
  '��' => '奕',
  '��' => '契',
  '��' => '奏',
  '��' => '奎',
  '��' => '奐',
  '��' => '姜',
  '��' => '姘',
  '��' => '姿',
  '��' => '姣',
  '��' => '姨',
  '��' => '娃',
  '��' => '姥',
  '��' => '姪',
  '��' => '姚',
  '��' => '姦',
  '��' => '威',
  '��' => '姻',
  '��' => '孩',
  '��' => '宣',
  '��' => '宦',
  '��' => '室',
  '��' => '客',
  '��' => '宥',
  '��' => '封',
  '��' => '屎',
  '��' => '屏',
  '��' => '屍',
  '��' => '屋',
  '��' => '峙',
  '��' => '峒',
  '��' => '巷',
  '��' => '帝',
  '��' => '帥',
  '��' => '帟',
  '��' => '幽',
  '��' => '庠',
  '��' => '度',
  '��' => '建',
  '��' => '弈',
  '��' => '弭',
  '��' => '彥',
  '��' => '很',
  '��' => '待',
  '��' => '徊',
  '��' => '律',
  '��' => '徇',
  '��' => '後',
  '��' => '徉',
  '��' => '怒',
  '��' => '思',
  '��' => '怠',
  '��' => '急',
  '��' => '怎',
  '��' => '怨',
  '��' => '恍',
  '��' => '恰',
  '��' => '恨',
  '��' => '恢',
  '��' => '恆',
  '��' => '恃',
  '��' => '恬',
  '��' => '恫',
  '��' => '恪',
  '��' => '恤',
  '��' => '扁',
  '��' => '拜',
  '��' => '挖',
  '��' => '按',
  '��' => '拼',
  '��' => '拭',
  '��' => '持',
  '��' => '拮',
  '��' => '拽',
  '��' => '指',
  '��' => '拱',
  '��' => '拷',
  '�@' => '拯',
  '�A' => '括',
  '�B' => '拾',
  '�C' => '拴',
  '�D' => '挑',
  '�E' => '挂',
  '�F' => '政',
  '�G' => '故',
  '�H' => '斫',
  '�I' => '施',
  '�J' => '既',
  '�K' => '春',
  '�L' => '昭',
  '�M' => '映',
  '�N' => '昧',
  '�O' => '是',
  '�P' => '星',
  '�Q' => '昨',
  '�R' => '昱',
  '�S' => '昤',
  '�T' => '曷',
  '�U' => '柿',
  '�V' => '染',
  '�W' => '柱',
  '�X' => '柔',
  '�Y' => '某',
  '�Z' => '柬',
  '�[' => '架',
  '�\\' => '枯',
  '�]' => '柵',
  '�^' => '柩',
  '�_' => '柯',
  '�`' => '柄',
  '�a' => '柑',
  '�b' => '枴',
  '�c' => '柚',
  '�d' => '查',
  '�e' => '枸',
  '�f' => '柏',
  '�g' => '柞',
  '�h' => '柳',
  '�i' => '枰',
  '�j' => '柙',
  '�k' => '柢',
  '�l' => '柝',
  '�m' => '柒',
  '�n' => '歪',
  '�o' => '殃',
  '�p' => '殆',
  '�q' => '段',
  '�r' => '毒',
  '�s' => '毗',
  '�t' => '氟',
  '�u' => '泉',
  '�v' => '洋',
  '�w' => '洲',
  '�x' => '洪',
  '�y' => '流',
  '�z' => '津',
  '�{' => '洌',
  '�|' => '洱',
  '�}' => '洞',
  '�~' => '洗',
  '��' => '活',
  '��' => '洽',
  '��' => '派',
  '��' => '洶',
  '��' => '洛',
  '��' => '泵',
  '��' => '洹',
  '��' => '洧',
  '��' => '洸',
  '��' => '洩',
  '��' => '洮',
  '��' => '洵',
  '��' => '洎',
  '��' => '洫',
  '��' => '炫',
  '��' => '為',
  '��' => '炳',
  '��' => '炬',
  '��' => '炯',
  '��' => '炭',
  '��' => '炸',
  '��' => '炮',
  '��' => '炤',
  '��' => '爰',
  '��' => '牲',
  '��' => '牯',
  '��' => '牴',
  '��' => '狩',
  '��' => '狠',
  '��' => '狡',
  '��' => '玷',
  '��' => '珊',
  '��' => '玻',
  '��' => '玲',
  '��' => '珍',
  '��' => '珀',
  '��' => '玳',
  '��' => '甚',
  '��' => '甭',
  '��' => '畏',
  '��' => '界',
  '��' => '畎',
  '��' => '畋',
  '��' => '疫',
  '��' => '疤',
  '��' => '疥',
  '��' => '疢',
  '��' => '疣',
  '��' => '癸',
  '��' => '皆',
  '��' => '皇',
  '��' => '皈',
  '��' => '盈',
  '��' => '盆',
  '��' => '盃',
  '��' => '盅',
  '��' => '省',
  '��' => '盹',
  '��' => '相',
  '��' => '眉',
  '��' => '看',
  '��' => '盾',
  '��' => '盼',
  '��' => '眇',
  '��' => '矜',
  '��' => '砂',
  '��' => '研',
  '��' => '砌',
  '��' => '砍',
  '��' => '祆',
  '��' => '祉',
  '��' => '祈',
  '��' => '祇',
  '��' => '禹',
  '��' => '禺',
  '��' => '科',
  '��' => '秒',
  '��' => '秋',
  '��' => '穿',
  '��' => '突',
  '��' => '竿',
  '��' => '竽',
  '��' => '籽',
  '��' => '紂',
  '��' => '紅',
  '��' => '紀',
  '��' => '紉',
  '��' => '紇',
  '��' => '約',
  '��' => '紆',
  '��' => '缸',
  '��' => '美',
  '��' => '羿',
  '��' => '耄',
  '�@' => '耐',
  '�A' => '耍',
  '�B' => '耑',
  '�C' => '耶',
  '�D' => '胖',
  '�E' => '胥',
  '�F' => '胚',
  '�G' => '胃',
  '�H' => '胄',
  '�I' => '背',
  '�J' => '胡',
  '�K' => '胛',
  '�L' => '胎',
  '�M' => '胞',
  '�N' => '胤',
  '�O' => '胝',
  '�P' => '致',
  '�Q' => '舢',
  '�R' => '苧',
  '�S' => '范',
  '�T' => '茅',
  '�U' => '苣',
  '�V' => '苛',
  '�W' => '苦',
  '�X' => '茄',
  '�Y' => '若',
  '�Z' => '茂',
  '�[' => '茉',
  '�\\' => '苒',
  '�]' => '苗',
  '�^' => '英',
  '�_' => '茁',
  '�`' => '苜',
  '�a' => '苔',
  '�b' => '苑',
  '�c' => '苞',
  '�d' => '苓',
  '�e' => '苟',
  '�f' => '苯',
  '�g' => '茆',
  '�h' => '虐',
  '�i' => '虹',
  '�j' => '虻',
  '�k' => '虺',
  '�l' => '衍',
  '�m' => '衫',
  '�n' => '要',
  '�o' => '觔',
  '�p' => '計',
  '�q' => '訂',
  '�r' => '訃',
  '�s' => '貞',
  '�t' => '負',
  '�u' => '赴',
  '�v' => '赳',
  '�w' => '趴',
  '�x' => '軍',
  '�y' => '軌',
  '�z' => '述',
  '�{' => '迦',
  '�|' => '迢',
  '�}' => '迪',
  '�~' => '迥',
  '��' => '迭',
  '��' => '迫',
  '��' => '迤',
  '��' => '迨',
  '��' => '郊',
  '��' => '郎',
  '��' => '郁',
  '��' => '郃',
  '��' => '酋',
  '��' => '酊',
  '��' => '重',
  '��' => '閂',
  '��' => '限',
  '��' => '陋',
  '��' => '陌',
  '��' => '降',
  '��' => '面',
  '��' => '革',
  '��' => '韋',
  '��' => '韭',
  '��' => '音',
  '��' => '頁',
  '��' => '風',
  '��' => '飛',
  '��' => '食',
  '��' => '首',
  '��' => '香',
  '��' => '乘',
  '��' => '亳',
  '��' => '倌',
  '��' => '倍',
  '��' => '倣',
  '��' => '俯',
  '��' => '倦',
  '��' => '倥',
  '��' => '俸',
  '��' => '倩',
  '��' => '倖',
  '��' => '倆',
  '��' => '值',
  '��' => '借',
  '��' => '倚',
  '��' => '倒',
  '��' => '們',
  '��' => '俺',
  '��' => '倀',
  '��' => '倔',
  '��' => '倨',
  '��' => '俱',
  '��' => '倡',
  '��' => '個',
  '��' => '候',
  '��' => '倘',
  '��' => '俳',
  '��' => '修',
  '��' => '倭',
  '��' => '倪',
  '��' => '俾',
  '��' => '倫',
  '��' => '倉',
  '��' => '兼',
  '��' => '冤',
  '��' => '冥',
  '��' => '冢',
  '��' => '凍',
  '��' => '凌',
  '��' => '准',
  '��' => '凋',
  '��' => '剖',
  '��' => '剜',
  '��' => '剔',
  '��' => '剛',
  '��' => '剝',
  '��' => '匪',
  '��' => '卿',
  '��' => '原',
  '��' => '厝',
  '��' => '叟',
  '��' => '哨',
  '��' => '唐',
  '��' => '唁',
  '��' => '唷',
  '��' => '哼',
  '��' => '哥',
  '��' => '哲',
  '��' => '唆',
  '��' => '哺',
  '��' => '唔',
  '��' => '哩',
  '��' => '哭',
  '��' => '員',
  '��' => '唉',
  '��' => '哮',
  '��' => '哪',
  '�@' => '哦',
  '�A' => '唧',
  '�B' => '唇',
  '�C' => '哽',
  '�D' => '唏',
  '�E' => '圃',
  '�F' => '圄',
  '�G' => '埂',
  '�H' => '埔',
  '�I' => '埋',
  '�J' => '埃',
  '�K' => '堉',
  '�L' => '夏',
  '�M' => '套',
  '�N' => '奘',
  '�O' => '奚',
  '�P' => '娑',
  '�Q' => '娘',
  '�R' => '娜',
  '�S' => '娟',
  '�T' => '娛',
  '�U' => '娓',
  '�V' => '姬',
  '�W' => '娠',
  '�X' => '娣',
  '�Y' => '娩',
  '�Z' => '娥',
  '�[' => '娌',
  '�\\' => '娉',
  '�]' => '孫',
  '�^' => '屘',
  '�_' => '宰',
  '�`' => '害',
  '�a' => '家',
  '�b' => '宴',
  '�c' => '宮',
  '�d' => '宵',
  '�e' => '容',
  '�f' => '宸',
  '�g' => '射',
  '�h' => '屑',
  '�i' => '展',
  '�j' => '屐',
  '�k' => '峭',
  '�l' => '峽',
  '�m' => '峻',
  '�n' => '峪',
  '�o' => '峨',
  '�p' => '峰',
  '�q' => '島',
  '�r' => '崁',
  '�s' => '峴',
  '�t' => '差',
  '�u' => '席',
  '�v' => '師',
  '�w' => '庫',
  '�x' => '庭',
  '�y' => '座',
  '�z' => '弱',
  '�{' => '徒',
  '�|' => '徑',
  '�}' => '徐',
  '�~' => '恙',
  '��' => '恣',
  '��' => '恥',
  '��' => '恐',
  '��' => '恕',
  '��' => '恭',
  '��' => '恩',
  '��' => '息',
  '��' => '悄',
  '��' => '悟',
  '��' => '悚',
  '��' => '悍',
  '��' => '悔',
  '��' => '悌',
  '��' => '悅',
  '��' => '悖',
  '��' => '扇',
  '��' => '拳',
  '��' => '挈',
  '��' => '拿',
  '��' => '捎',
  '��' => '挾',
  '��' => '振',
  '��' => '捕',
  '��' => '捂',
  '��' => '捆',
  '��' => '捏',
  '��' => '捉',
  '��' => '挺',
  '��' => '捐',
  '��' => '挽',
  '��' => '挪',
  '��' => '挫',
  '��' => '挨',
  '��' => '捍',
  '��' => '捌',
  '��' => '效',
  '��' => '敉',
  '��' => '料',
  '��' => '旁',
  '��' => '旅',
  '��' => '時',
  '��' => '晉',
  '��' => '晏',
  '��' => '晃',
  '��' => '晒',
  '��' => '晌',
  '��' => '晅',
  '��' => '晁',
  '��' => '書',
  '��' => '朔',
  '��' => '朕',
  '��' => '朗',
  '��' => '校',
  '��' => '核',
  '��' => '案',
  '��' => '框',
  '��' => '桓',
  '��' => '根',
  '��' => '桂',
  '��' => '桔',
  '��' => '栩',
  '��' => '梳',
  '��' => '栗',
  '��' => '桌',
  '��' => '桑',
  '��' => '栽',
  '��' => '柴',
  '��' => '桐',
  '��' => '桀',
  '��' => '格',
  '��' => '桃',
  '��' => '株',
  '��' => '桅',
  '��' => '栓',
  '��' => '栘',
  '��' => '桁',
  '��' => '殊',
  '��' => '殉',
  '��' => '殷',
  '��' => '氣',
  '��' => '氧',
  '��' => '氨',
  '��' => '氦',
  '��' => '氤',
  '��' => '泰',
  '��' => '浪',
  '��' => '涕',
  '��' => '消',
  '��' => '涇',
  '��' => '浦',
  '��' => '浸',
  '��' => '海',
  '��' => '浙',
  '��' => '涓',
  '�@' => '浬',
  '�A' => '涉',
  '�B' => '浮',
  '�C' => '浚',
  '�D' => '浴',
  '�E' => '浩',
  '�F' => '涌',
  '�G' => '涊',
  '�H' => '浹',
  '�I' => '涅',
  '�J' => '浥',
  '�K' => '涔',
  '�L' => '烊',
  '�M' => '烘',
  '�N' => '烤',
  '�O' => '烙',
  '�P' => '烈',
  '�Q' => '烏',
  '�R' => '爹',
  '�S' => '特',
  '�T' => '狼',
  '�U' => '狹',
  '�V' => '狽',
  '�W' => '狸',
  '�X' => '狷',
  '�Y' => '玆',
  '�Z' => '班',
  '�[' => '琉',
  '�\\' => '珮',
  '�]' => '珠',
  '�^' => '珪',
  '�_' => '珞',
  '�`' => '畔',
  '�a' => '畝',
  '�b' => '畜',
  '�c' => '畚',
  '�d' => '留',
  '�e' => '疾',
  '�f' => '病',
  '�g' => '症',
  '�h' => '疲',
  '�i' => '疳',
  '�j' => '疽',
  '�k' => '疼',
  '�l' => '疹',
  '�m' => '痂',
  '�n' => '疸',
  '�o' => '皋',
  '�p' => '皰',
  '�q' => '益',
  '�r' => '盍',
  '�s' => '盎',
  '�t' => '眩',
  '�u' => '真',
  '�v' => '眠',
  '�w' => '眨',
  '�x' => '矩',
  '�y' => '砰',
  '�z' => '砧',
  '�{' => '砸',
  '�|' => '砝',
  '�}' => '破',
  '�~' => '砷',
  '��' => '砥',
  '��' => '砭',
  '��' => '砠',
  '��' => '砟',
  '��' => '砲',
  '��' => '祕',
  '��' => '祐',
  '��' => '祠',
  '��' => '祟',
  '��' => '祖',
  '��' => '神',
  '��' => '祝',
  '��' => '祗',
  '��' => '祚',
  '��' => '秤',
  '��' => '秣',
  '��' => '秧',
  '��' => '租',
  '��' => '秦',
  '��' => '秩',
  '��' => '秘',
  '��' => '窄',
  '��' => '窈',
  '��' => '站',
  '��' => '笆',
  '��' => '笑',
  '��' => '粉',
  '��' => '紡',
  '��' => '紗',
  '��' => '紋',
  '��' => '紊',
  '��' => '素',
  '��' => '索',
  '��' => '純',
  '��' => '紐',
  '��' => '紕',
  '��' => '級',
  '��' => '紜',
  '��' => '納',
  '��' => '紙',
  '��' => '紛',
  '��' => '缺',
  '��' => '罟',
  '��' => '羔',
  '��' => '翅',
  '��' => '翁',
  '��' => '耆',
  '��' => '耘',
  '��' => '耕',
  '��' => '耙',
  '��' => '耗',
  '��' => '耽',
  '��' => '耿',
  '��' => '胱',
  '��' => '脂',
  '��' => '胰',
  '��' => '脅',
  '��' => '胭',
  '��' => '胴',
  '��' => '脆',
  '��' => '胸',
  '��' => '胳',
  '��' => '脈',
  '��' => '能',
  '��' => '脊',
  '��' => '胼',
  '��' => '胯',
  '��' => '臭',
  '��' => '臬',
  '��' => '舀',
  '��' => '舐',
  '��' => '航',
  '��' => '舫',
  '��' => '舨',
  '��' => '般',
  '��' => '芻',
  '��' => '茫',
  '��' => '荒',
  '��' => '荔',
  '��' => '荊',
  '��' => '茸',
  '��' => '荐',
  '��' => '草',
  '��' => '茵',
  '��' => '茴',
  '��' => '荏',
  '��' => '茲',
  '��' => '茹',
  '��' => '茶',
  '��' => '茗',
  '��' => '荀',
  '��' => '茱',
  '��' => '茨',
  '��' => '荃',
  '�@' => '虔',
  '�A' => '蚊',
  '�B' => '蚪',
  '�C' => '蚓',
  '�D' => '蚤',
  '�E' => '蚩',
  '�F' => '蚌',
  '�G' => '蚣',
  '�H' => '蚜',
  '�I' => '衰',
  '�J' => '衷',
  '�K' => '袁',
  '�L' => '袂',
  '�M' => '衽',
  '�N' => '衹',
  '�O' => '記',
  '�P' => '訐',
  '�Q' => '討',
  '�R' => '訌',
  '�S' => '訕',
  '�T' => '訊',
  '�U' => '託',
  '�V' => '訓',
  '�W' => '訖',
  '�X' => '訏',
  '�Y' => '訑',
  '�Z' => '豈',
  '�[' => '豺',
  '�\\' => '豹',
  '�]' => '財',
  '�^' => '貢',
  '�_' => '起',
  '�`' => '躬',
  '�a' => '軒',
  '�b' => '軔',
  '�c' => '軏',
  '�d' => '辱',
  '�e' => '送',
  '�f' => '逆',
  '�g' => '迷',
  '�h' => '退',
  '�i' => '迺',
  '�j' => '迴',
  '�k' => '逃',
  '�l' => '追',
  '�m' => '逅',
  '�n' => '迸',
  '�o' => '邕',
  '�p' => '郡',
  '�q' => '郝',
  '�r' => '郢',
  '�s' => '酒',
  '�t' => '配',
  '�u' => '酌',
  '�v' => '釘',
  '�w' => '針',
  '�x' => '釗',
  '�y' => '釜',
  '�z' => '釙',
  '�{' => '閃',
  '�|' => '院',
  '�}' => '陣',
  '�~' => '陡',
  '��' => '陛',
  '��' => '陝',
  '��' => '除',
  '��' => '陘',
  '��' => '陞',
  '��' => '隻',
  '��' => '飢',
  '��' => '馬',
  '��' => '骨',
  '��' => '高',
  '��' => '鬥',
  '��' => '鬲',
  '��' => '鬼',
  '��' => '乾',
  '��' => '偺',
  '��' => '偽',
  '��' => '停',
  '��' => '假',
  '��' => '偃',
  '��' => '偌',
  '��' => '做',
  '��' => '偉',
  '��' => '健',
  '��' => '偶',
  '��' => '偎',
  '��' => '偕',
  '��' => '偵',
  '��' => '側',
  '��' => '偷',
  '��' => '偏',
  '��' => '倏',
  '��' => '偯',
  '��' => '偭',
  '��' => '兜',
  '��' => '冕',
  '��' => '凰',
  '��' => '剪',
  '��' => '副',
  '��' => '勒',
  '��' => '務',
  '��' => '勘',
  '��' => '動',
  '��' => '匐',
  '��' => '匏',
  '��' => '匙',
  '��' => '匿',
  '��' => '區',
  '��' => '匾',
  '��' => '參',
  '��' => '曼',
  '��' => '商',
  '��' => '啪',
  '��' => '啦',
  '��' => '啄',
  '��' => '啞',
  '��' => '啡',
  '��' => '啃',
  '��' => '啊',
  '��' => '唱',
  '��' => '啖',
  '��' => '問',
  '��' => '啕',
  '��' => '唯',
  '��' => '啤',
  '��' => '唸',
  '��' => '售',
  '��' => '啜',
  '��' => '唬',
  '��' => '啣',
  '��' => '唳',
  '��' => '啁',
  '��' => '啗',
  '��' => '圈',
  '��' => '國',
  '��' => '圉',
  '��' => '域',
  '��' => '堅',
  '��' => '堊',
  '��' => '堆',
  '��' => '埠',
  '��' => '埤',
  '��' => '基',
  '��' => '堂',
  '��' => '堵',
  '��' => '執',
  '��' => '培',
  '��' => '夠',
  '��' => '奢',
  '��' => '娶',
  '��' => '婁',
  '��' => '婉',
  '��' => '婦',
  '��' => '婪',
  '��' => '婀',
  '�@' => '娼',
  '�A' => '婢',
  '�B' => '婚',
  '�C' => '婆',
  '�D' => '婊',
  '�E' => '孰',
  '�F' => '寇',
  '�G' => '寅',
  '�H' => '寄',
  '�I' => '寂',
  '�J' => '宿',
  '�K' => '密',
  '�L' => '尉',
  '�M' => '專',
  '�N' => '將',
  '�O' => '屠',
  '�P' => '屜',
  '�Q' => '屝',
  '�R' => '崇',
  '�S' => '崆',
  '�T' => '崎',
  '�U' => '崛',
  '�V' => '崖',
  '�W' => '崢',
  '�X' => '崑',
  '�Y' => '崩',
  '�Z' => '崔',
  '�[' => '崙',
  '�\\' => '崤',
  '�]' => '崧',
  '�^' => '崗',
  '�_' => '巢',
  '�`' => '常',
  '�a' => '帶',
  '�b' => '帳',
  '�c' => '帷',
  '�d' => '康',
  '�e' => '庸',
  '�f' => '庶',
  '�g' => '庵',
  '�h' => '庾',
  '�i' => '張',
  '�j' => '強',
  '�k' => '彗',
  '�l' => '彬',
  '�m' => '彩',
  '�n' => '彫',
  '�o' => '得',
  '�p' => '徙',
  '�q' => '從',
  '�r' => '徘',
  '�s' => '御',
  '�t' => '徠',
  '�u' => '徜',
  '�v' => '恿',
  '�w' => '患',
  '�x' => '悉',
  '�y' => '悠',
  '�z' => '您',
  '�{' => '惋',
  '�|' => '悴',
  '�}' => '惦',
  '�~' => '悽',
  '��' => '情',
  '��' => '悻',
  '��' => '悵',
  '��' => '惜',
  '��' => '悼',
  '��' => '惘',
  '��' => '惕',
  '��' => '惆',
  '��' => '惟',
  '��' => '悸',
  '��' => '惚',
  '��' => '惇',
  '��' => '戚',
  '��' => '戛',
  '��' => '扈',
  '��' => '掠',
  '��' => '控',
  '��' => '捲',
  '��' => '掖',
  '��' => '探',
  '��' => '接',
  '��' => '捷',
  '��' => '捧',
  '��' => '掘',
  '��' => '措',
  '��' => '捱',
  '��' => '掩',
  '��' => '掉',
  '��' => '掃',
  '��' => '掛',
  '��' => '捫',
  '��' => '推',
  '��' => '掄',
  '��' => '授',
  '��' => '掙',
  '��' => '採',
  '��' => '掬',
  '��' => '排',
  '��' => '掏',
  '��' => '掀',
  '��' => '捻',
  '��' => '捩',
  '��' => '捨',
  '��' => '捺',
  '��' => '敝',
  '��' => '敖',
  '��' => '救',
  '��' => '教',
  '��' => '敗',
  '��' => '啟',
  '��' => '敏',
  '��' => '敘',
  '��' => '敕',
  '��' => '敔',
  '��' => '斜',
  '��' => '斛',
  '��' => '斬',
  '��' => '族',
  '��' => '旋',
  '��' => '旌',
  '��' => '旎',
  '��' => '晝',
  '��' => '晚',
  '��' => '晤',
  '��' => '晨',
  '��' => '晦',
  '��' => '晞',
  '��' => '曹',
  '��' => '勗',
  '��' => '望',
  '��' => '梁',
  '��' => '梯',
  '��' => '梢',
  '��' => '梓',
  '��' => '梵',
  '��' => '桿',
  '��' => '桶',
  '��' => '梱',
  '��' => '梧',
  '��' => '梗',
  '��' => '械',
  '��' => '梃',
  '��' => '棄',
  '��' => '梭',
  '��' => '梆',
  '��' => '梅',
  '��' => '梔',
  '��' => '條',
  '��' => '梨',
  '��' => '梟',
  '��' => '梡',
  '��' => '梂',
  '��' => '欲',
  '��' => '殺',
  '�@' => '毫',
  '�A' => '毬',
  '�B' => '氫',
  '�C' => '涎',
  '�D' => '涼',
  '�E' => '淳',
  '�F' => '淙',
  '�G' => '液',
  '�H' => '淡',
  '�I' => '淌',
  '�J' => '淤',
  '�K' => '添',
  '�L' => '淺',
  '�M' => '清',
  '�N' => '淇',
  '�O' => '淋',
  '�P' => '涯',
  '�Q' => '淑',
  '�R' => '涮',
  '�S' => '淞',
  '�T' => '淹',
  '�U' => '涸',
  '�V' => '混',
  '�W' => '淵',
  '�X' => '淅',
  '�Y' => '淒',
  '�Z' => '渚',
  '�[' => '涵',
  '�\\' => '淚',
  '�]' => '淫',
  '�^' => '淘',
  '�_' => '淪',
  '�`' => '深',
  '�a' => '淮',
  '�b' => '淨',
  '�c' => '淆',
  '�d' => '淄',
  '�e' => '涪',
  '�f' => '淬',
  '�g' => '涿',
  '�h' => '淦',
  '�i' => '烹',
  '�j' => '焉',
  '�k' => '焊',
  '�l' => '烽',
  '�m' => '烯',
  '�n' => '爽',
  '�o' => '牽',
  '�p' => '犁',
  '�q' => '猜',
  '�r' => '猛',
  '�s' => '猖',
  '�t' => '猓',
  '�u' => '猙',
  '�v' => '率',
  '�w' => '琅',
  '�x' => '琊',
  '�y' => '球',
  '�z' => '理',
  '�{' => '現',
  '�|' => '琍',
  '�}' => '瓠',
  '�~' => '瓶',
  '��' => '瓷',
  '��' => '甜',
  '��' => '產',
  '��' => '略',
  '��' => '畦',
  '��' => '畢',
  '��' => '異',
  '��' => '疏',
  '��' => '痔',
  '��' => '痕',
  '��' => '疵',
  '��' => '痊',
  '��' => '痍',
  '��' => '皎',
  '��' => '盔',
  '��' => '盒',
  '��' => '盛',
  '��' => '眷',
  '��' => '眾',
  '��' => '眼',
  '��' => '眶',
  '��' => '眸',
  '��' => '眺',
  '��' => '硫',
  '��' => '硃',
  '��' => '硎',
  '��' => '祥',
  '��' => '票',
  '��' => '祭',
  '��' => '移',
  '��' => '窒',
  '��' => '窕',
  '��' => '笠',
  '��' => '笨',
  '��' => '笛',
  '��' => '第',
  '��' => '符',
  '��' => '笙',
  '��' => '笞',
  '��' => '笮',
  '��' => '粒',
  '��' => '粗',
  '��' => '粕',
  '��' => '絆',
  '��' => '絃',
  '��' => '統',
  '��' => '紮',
  '��' => '紹',
  '��' => '紼',
  '��' => '絀',
  '��' => '細',
  '��' => '紳',
  '��' => '組',
  '��' => '累',
  '��' => '終',
  '��' => '紲',
  '��' => '紱',
  '��' => '缽',
  '��' => '羞',
  '��' => '羚',
  '��' => '翌',
  '��' => '翎',
  '��' => '習',
  '��' => '耜',
  '��' => '聊',
  '��' => '聆',
  '��' => '脯',
  '��' => '脖',
  '��' => '脣',
  '��' => '脫',
  '��' => '脩',
  '��' => '脰',
  '��' => '脤',
  '��' => '舂',
  '��' => '舵',
  '��' => '舷',
  '��' => '舶',
  '��' => '船',
  '��' => '莎',
  '��' => '莞',
  '��' => '莘',
  '��' => '荸',
  '��' => '莢',
  '��' => '莖',
  '��' => '莽',
  '��' => '莫',
  '��' => '莒',
  '��' => '莊',
  '��' => '莓',
  '��' => '莉',
  '��' => '莠',
  '��' => '荷',
  '��' => '荻',
  '��' => '荼',
  '�@' => '莆',
  '�A' => '莧',
  '�B' => '處',
  '�C' => '彪',
  '�D' => '蛇',
  '�E' => '蛀',
  '�F' => '蚶',
  '�G' => '蛄',
  '�H' => '蚵',
  '�I' => '蛆',
  '�J' => '蛋',
  '�K' => '蚱',
  '�L' => '蚯',
  '�M' => '蛉',
  '�N' => '術',
  '�O' => '袞',
  '�P' => '袈',
  '�Q' => '被',
  '�R' => '袒',
  '�S' => '袖',
  '�T' => '袍',
  '�U' => '袋',
  '�V' => '覓',
  '�W' => '規',
  '�X' => '訪',
  '�Y' => '訝',
  '�Z' => '訣',
  '�[' => '訥',
  '�\\' => '許',
  '�]' => '設',
  '�^' => '訟',
  '�_' => '訛',
  '�`' => '訢',
  '�a' => '豉',
  '�b' => '豚',
  '�c' => '販',
  '�d' => '責',
  '�e' => '貫',
  '�f' => '貨',
  '�g' => '貪',
  '�h' => '貧',
  '�i' => '赧',
  '�j' => '赦',
  '�k' => '趾',
  '�l' => '趺',
  '�m' => '軛',
  '�n' => '軟',
  '�o' => '這',
  '�p' => '逍',
  '�q' => '通',
  '�r' => '逗',
  '�s' => '連',
  '�t' => '速',
  '�u' => '逝',
  '�v' => '逐',
  '�w' => '逕',
  '�x' => '逞',
  '�y' => '造',
  '�z' => '透',
  '�{' => '逢',
  '�|' => '逖',
  '�}' => '逛',
  '�~' => '途',
  '��' => '部',
  '��' => '郭',
  '��' => '都',
  '��' => '酗',
  '��' => '野',
  '��' => '釵',
  '��' => '釦',
  '��' => '釣',
  '��' => '釧',
  '��' => '釭',
  '��' => '釩',
  '��' => '閉',
  '��' => '陪',
  '��' => '陵',
  '��' => '陳',
  '��' => '陸',
  '��' => '陰',
  '��' => '陴',
  '��' => '陶',
  '��' => '陷',
  '��' => '陬',
  '��' => '雀',
  '��' => '雪',
  '��' => '雩',
  '��' => '章',
  '��' => '竟',
  '��' => '頂',
  '��' => '頃',
  '��' => '魚',
  '��' => '鳥',
  '��' => '鹵',
  '��' => '鹿',
  '��' => '麥',
  '��' => '麻',
  '��' => '傢',
  '��' => '傍',
  '��' => '傅',
  '��' => '備',
  '��' => '傑',
  '��' => '傀',
  '��' => '傖',
  '��' => '傘',
  '��' => '傚',
  '��' => '最',
  '��' => '凱',
  '��' => '割',
  '��' => '剴',
  '��' => '創',
  '��' => '剩',
  '��' => '勞',
  '��' => '勝',
  '��' => '勛',
  '��' => '博',
  '��' => '厥',
  '��' => '啻',
  '��' => '喀',
  '��' => '喧',
  '��' => '啼',
  '��' => '喊',
  '��' => '喝',
  '��' => '喘',
  '��' => '喂',
  '��' => '喜',
  '��' => '喪',
  '��' => '喔',
  '��' => '喇',
  '��' => '喋',
  '��' => '喃',
  '��' => '喳',
  '��' => '單',
  '��' => '喟',
  '��' => '唾',
  '��' => '喲',
  '��' => '喚',
  '��' => '喻',
  '��' => '喬',
  '��' => '喱',
  '��' => '啾',
  '��' => '喉',
  '��' => '喫',
  '��' => '喙',
  '��' => '圍',
  '��' => '堯',
  '��' => '堪',
  '��' => '場',
  '��' => '堤',
  '��' => '堰',
  '��' => '報',
  '��' => '堡',
  '��' => '堝',
  '��' => '堠',
  '��' => '壹',
  '��' => '壺',
  '��' => '奠',
  '�@' => '婷',
  '�A' => '媚',
  '�B' => '婿',
  '�C' => '媒',
  '�D' => '媛',
  '�E' => '媧',
  '�F' => '孳',
  '�G' => '孱',
  '�H' => '寒',
  '�I' => '富',
  '�J' => '寓',
  '�K' => '寐',
  '�L' => '尊',
  '�M' => '尋',
  '�N' => '就',
  '�O' => '嵌',
  '�P' => '嵐',
  '�Q' => '崴',
  '�R' => '嵇',
  '�S' => '巽',
  '�T' => '幅',
  '�U' => '帽',
  '�V' => '幀',
  '�W' => '幃',
  '�X' => '幾',
  '�Y' => '廊',
  '�Z' => '廁',
  '�[' => '廂',
  '�\\' => '廄',
  '�]' => '弼',
  '�^' => '彭',
  '�_' => '復',
  '�`' => '循',
  '�a' => '徨',
  '�b' => '惑',
  '�c' => '惡',
  '�d' => '悲',
  '�e' => '悶',
  '�f' => '惠',
  '�g' => '愜',
  '�h' => '愣',
  '�i' => '惺',
  '�j' => '愕',
  '�k' => '惰',
  '�l' => '惻',
  '�m' => '惴',
  '�n' => '慨',
  '�o' => '惱',
  '�p' => '愎',
  '�q' => '惶',
  '�r' => '愉',
  '�s' => '愀',
  '�t' => '愒',
  '�u' => '戟',
  '�v' => '扉',
  '�w' => '掣',
  '�x' => '掌',
  '�y' => '描',
  '�z' => '揀',
  '�{' => '揩',
  '�|' => '揉',
  '�}' => '揆',
  '�~' => '揍',
  '��' => '插',
  '��' => '揣',
  '��' => '提',
  '��' => '握',
  '��' => '揖',
  '��' => '揭',
  '��' => '揮',
  '��' => '捶',
  '��' => '援',
  '��' => '揪',
  '��' => '換',
  '��' => '摒',
  '��' => '揚',
  '��' => '揹',
  '��' => '敞',
  '��' => '敦',
  '��' => '敢',
  '��' => '散',
  '��' => '斑',
  '��' => '斐',
  '��' => '斯',
  '��' => '普',
  '��' => '晰',
  '��' => '晴',
  '��' => '晶',
  '��' => '景',
  '��' => '暑',
  '��' => '智',
  '��' => '晾',
  '��' => '晷',
  '��' => '曾',
  '��' => '替',
  '��' => '期',
  '��' => '朝',
  '��' => '棺',
  '��' => '棕',
  '��' => '棠',
  '��' => '棘',
  '��' => '棗',
  '��' => '椅',
  '��' => '棟',
  '��' => '棵',
  '��' => '森',
  '��' => '棧',
  '��' => '棹',
  '��' => '棒',
  '��' => '棲',
  '��' => '棣',
  '��' => '棋',
  '��' => '棍',
  '��' => '植',
  '��' => '椒',
  '��' => '椎',
  '��' => '棉',
  '��' => '棚',
  '��' => '楮',
  '��' => '棻',
  '��' => '款',
  '��' => '欺',
  '��' => '欽',
  '��' => '殘',
  '��' => '殖',
  '��' => '殼',
  '��' => '毯',
  '��' => '氮',
  '��' => '氯',
  '��' => '氬',
  '��' => '港',
  '��' => '游',
  '��' => '湔',
  '��' => '渡',
  '��' => '渲',
  '��' => '湧',
  '��' => '湊',
  '��' => '渠',
  '��' => '渥',
  '��' => '渣',
  '��' => '減',
  '��' => '湛',
  '��' => '湘',
  '��' => '渤',
  '��' => '湖',
  '��' => '湮',
  '��' => '渭',
  '��' => '渦',
  '��' => '湯',
  '��' => '渴',
  '��' => '湍',
  '��' => '渺',
  '��' => '測',
  '��' => '湃',
  '��' => '渝',
  '��' => '渾',
  '��' => '滋',
  '�@' => '溉',
  '�A' => '渙',
  '�B' => '湎',
  '�C' => '湣',
  '�D' => '湄',
  '�E' => '湲',
  '�F' => '湩',
  '�G' => '湟',
  '�H' => '焙',
  '�I' => '焚',
  '�J' => '焦',
  '�K' => '焰',
  '�L' => '無',
  '�M' => '然',
  '�N' => '煮',
  '�O' => '焜',
  '�P' => '牌',
  '�Q' => '犄',
  '�R' => '犀',
  '�S' => '猶',
  '�T' => '猥',
  '�U' => '猴',
  '�V' => '猩',
  '�W' => '琺',
  '�X' => '琪',
  '�Y' => '琳',
  '�Z' => '琢',
  '�[' => '琥',
  '�\\' => '琵',
  '�]' => '琶',
  '�^' => '琴',
  '�_' => '琯',
  '�`' => '琛',
  '�a' => '琦',
  '�b' => '琨',
  '�c' => '甥',
  '�d' => '甦',
  '�e' => '畫',
  '�f' => '番',
  '�g' => '痢',
  '�h' => '痛',
  '�i' => '痣',
  '�j' => '痙',
  '�k' => '痘',
  '�l' => '痞',
  '�m' => '痠',
  '�n' => '登',
  '�o' => '發',
  '�p' => '皖',
  '�q' => '皓',
  '�r' => '皴',
  '�s' => '盜',
  '�t' => '睏',
  '�u' => '短',
  '�v' => '硝',
  '�w' => '硬',
  '�x' => '硯',
  '�y' => '稍',
  '�z' => '稈',
  '�{' => '程',
  '�|' => '稅',
  '�}' => '稀',
  '�~' => '窘',
  '��' => '窗',
  '��' => '窖',
  '��' => '童',
  '��' => '竣',
  '��' => '等',
  '��' => '策',
  '��' => '筆',
  '��' => '筐',
  '��' => '筒',
  '��' => '答',
  '��' => '筍',
  '��' => '筋',
  '��' => '筏',
  '��' => '筑',
  '��' => '粟',
  '��' => '粥',
  '��' => '絞',
  '��' => '結',
  '��' => '絨',
  '��' => '絕',
  '��' => '紫',
  '��' => '絮',
  '��' => '絲',
  '��' => '絡',
  '��' => '給',
  '��' => '絢',
  '��' => '絰',
  '��' => '絳',
  '��' => '善',
  '��' => '翔',
  '��' => '翕',
  '��' => '耋',
  '��' => '聒',
  '��' => '肅',
  '��' => '腕',
  '��' => '腔',
  '��' => '腋',
  '��' => '腑',
  '��' => '腎',
  '��' => '脹',
  '��' => '腆',
  '��' => '脾',
  '��' => '腌',
  '��' => '腓',
  '��' => '腴',
  '��' => '舒',
  '��' => '舜',
  '��' => '菩',
  '��' => '萃',
  '��' => '菸',
  '��' => '萍',
  '��' => '菠',
  '��' => '菅',
  '��' => '萋',
  '��' => '菁',
  '��' => '華',
  '��' => '菱',
  '��' => '菴',
  '��' => '著',
  '��' => '萊',
  '��' => '菰',
  '��' => '萌',
  '��' => '菌',
  '��' => '菽',
  '��' => '菲',
  '��' => '菊',
  '��' => '萸',
  '��' => '萎',
  '��' => '萄',
  '��' => '菜',
  '��' => '萇',
  '��' => '菔',
  '��' => '菟',
  '��' => '虛',
  '��' => '蛟',
  '��' => '蛙',
  '��' => '蛭',
  '��' => '蛔',
  '��' => '蛛',
  '��' => '蛤',
  '��' => '蛐',
  '��' => '蛞',
  '��' => '街',
  '��' => '裁',
  '��' => '裂',
  '��' => '袱',
  '��' => '覃',
  '��' => '視',
  '��' => '註',
  '��' => '詠',
  '��' => '評',
  '��' => '詞',
  '��' => '証',
  '��' => '詁',
  '�@' => '詔',
  '�A' => '詛',
  '�B' => '詐',
  '�C' => '詆',
  '�D' => '訴',
  '�E' => '診',
  '�F' => '訶',
  '�G' => '詖',
  '�H' => '象',
  '�I' => '貂',
  '�J' => '貯',
  '�K' => '貼',
  '�L' => '貳',
  '�M' => '貽',
  '�N' => '賁',
  '�O' => '費',
  '�P' => '賀',
  '�Q' => '貴',
  '�R' => '買',
  '�S' => '貶',
  '�T' => '貿',
  '�U' => '貸',
  '�V' => '越',
  '�W' => '超',
  '�X' => '趁',
  '�Y' => '跎',
  '�Z' => '距',
  '�[' => '跋',
  '�\\' => '跚',
  '�]' => '跑',
  '�^' => '跌',
  '�_' => '跛',
  '�`' => '跆',
  '�a' => '軻',
  '�b' => '軸',
  '�c' => '軼',
  '�d' => '辜',
  '�e' => '逮',
  '�f' => '逵',
  '�g' => '週',
  '�h' => '逸',
  '�i' => '進',
  '�j' => '逶',
  '�k' => '鄂',
  '�l' => '郵',
  '�m' => '鄉',
  '�n' => '郾',
  '�o' => '酣',
  '�p' => '酥',
  '�q' => '量',
  '�r' => '鈔',
  '�s' => '鈕',
  '�t' => '鈣',
  '�u' => '鈉',
  '�v' => '鈞',
  '�w' => '鈍',
  '�x' => '鈐',
  '�y' => '鈇',
  '�z' => '鈑',
  '�{' => '閔',
  '�|' => '閏',
  '�}' => '開',
  '�~' => '閑',
  '��' => '間',
  '��' => '閒',
  '��' => '閎',
  '��' => '隊',
  '��' => '階',
  '��' => '隋',
  '��' => '陽',
  '��' => '隅',
  '��' => '隆',
  '��' => '隍',
  '��' => '陲',
  '��' => '隄',
  '��' => '雁',
  '��' => '雅',
  '��' => '雄',
  '��' => '集',
  '��' => '雇',
  '��' => '雯',
  '��' => '雲',
  '��' => '韌',
  '��' => '項',
  '��' => '順',
  '��' => '須',
  '��' => '飧',
  '��' => '飪',
  '��' => '飯',
  '��' => '飩',
  '��' => '飲',
  '��' => '飭',
  '��' => '馮',
  '��' => '馭',
  '��' => '黃',
  '��' => '黍',
  '��' => '黑',
  '��' => '亂',
  '��' => '傭',
  '��' => '債',
  '��' => '傲',
  '��' => '傳',
  '��' => '僅',
  '��' => '傾',
  '��' => '催',
  '��' => '傷',
  '��' => '傻',
  '��' => '傯',
  '��' => '僇',
  '��' => '剿',
  '��' => '剷',
  '��' => '剽',
  '��' => '募',
  '��' => '勦',
  '��' => '勤',
  '��' => '勢',
  '��' => '勣',
  '��' => '匯',
  '��' => '嗟',
  '��' => '嗨',
  '��' => '嗓',
  '��' => '嗦',
  '��' => '嗎',
  '��' => '嗜',
  '��' => '嗇',
  '��' => '嗑',
  '��' => '嗣',
  '��' => '嗤',
  '��' => '嗯',
  '��' => '嗚',
  '��' => '嗡',
  '��' => '嗅',
  '��' => '嗆',
  '��' => '嗥',
  '��' => '嗉',
  '��' => '園',
  '��' => '圓',
  '��' => '塞',
  '��' => '塑',
  '��' => '塘',
  '��' => '塗',
  '��' => '塚',
  '��' => '塔',
  '��' => '填',
  '��' => '塌',
  '��' => '塭',
  '��' => '塊',
  '��' => '塢',
  '��' => '塒',
  '��' => '塋',
  '��' => '奧',
  '��' => '嫁',
  '��' => '嫉',
  '��' => '嫌',
  '��' => '媾',
  '��' => '媽',
  '��' => '媼',
  '�@' => '媳',
  '�A' => '嫂',
  '�B' => '媲',
  '�C' => '嵩',
  '�D' => '嵯',
  '�E' => '幌',
  '�F' => '幹',
  '�G' => '廉',
  '�H' => '廈',
  '�I' => '弒',
  '�J' => '彙',
  '�K' => '徬',
  '�L' => '微',
  '�M' => '愚',
  '�N' => '意',
  '�O' => '慈',
  '�P' => '感',
  '�Q' => '想',
  '�R' => '愛',
  '�S' => '惹',
  '�T' => '愁',
  '�U' => '愈',
  '�V' => '慎',
  '�W' => '慌',
  '�X' => '慄',
  '�Y' => '慍',
  '�Z' => '愾',
  '�[' => '愴',
  '�\\' => '愧',
  '�]' => '愍',
  '�^' => '愆',
  '�_' => '愷',
  '�`' => '戡',
  '�a' => '戢',
  '�b' => '搓',
  '�c' => '搾',
  '�d' => '搞',
  '�e' => '搪',
  '�f' => '搭',
  '�g' => '搽',
  '�h' => '搬',
  '�i' => '搏',
  '�j' => '搜',
  '�k' => '搔',
  '�l' => '損',
  '�m' => '搶',
  '�n' => '搖',
  '�o' => '搗',
  '�p' => '搆',
  '�q' => '敬',
  '�r' => '斟',
  '�s' => '新',
  '�t' => '暗',
  '�u' => '暉',
  '�v' => '暇',
  '�w' => '暈',
  '�x' => '暖',
  '�y' => '暄',
  '�z' => '暘',
  '�{' => '暍',
  '�|' => '會',
  '�}' => '榔',
  '�~' => '業',
  '��' => '楚',
  '��' => '楷',
  '��' => '楠',
  '��' => '楔',
  '��' => '極',
  '��' => '椰',
  '��' => '概',
  '��' => '楊',
  '��' => '楨',
  '��' => '楫',
  '��' => '楞',
  '��' => '楓',
  '��' => '楹',
  '��' => '榆',
  '��' => '楝',
  '��' => '楣',
  '��' => '楛',
  '��' => '歇',
  '��' => '歲',
  '��' => '毀',
  '��' => '殿',
  '��' => '毓',
  '��' => '毽',
  '��' => '溢',
  '��' => '溯',
  '��' => '滓',
  '��' => '溶',
  '��' => '滂',
  '��' => '源',
  '��' => '溝',
  '��' => '滇',
  '��' => '滅',
  '��' => '溥',
  '��' => '溘',
  '��' => '溼',
  '��' => '溺',
  '��' => '溫',
  '��' => '滑',
  '��' => '準',
  '��' => '溜',
  '��' => '滄',
  '��' => '滔',
  '��' => '溪',
  '��' => '溧',
  '��' => '溴',
  '��' => '煎',
  '��' => '煙',
  '��' => '煩',
  '��' => '煤',
  '��' => '煉',
  '��' => '照',
  '��' => '煜',
  '��' => '煬',
  '��' => '煦',
  '��' => '煌',
  '��' => '煥',
  '��' => '煞',
  '��' => '煆',
  '��' => '煨',
  '��' => '煖',
  '��' => '爺',
  '��' => '牒',
  '��' => '猷',
  '��' => '獅',
  '��' => '猿',
  '��' => '猾',
  '��' => '瑯',
  '��' => '瑚',
  '��' => '瑕',
  '��' => '瑟',
  '��' => '瑞',
  '��' => '瑁',
  '��' => '琿',
  '��' => '瑙',
  '��' => '瑛',
  '��' => '瑜',
  '��' => '當',
  '��' => '畸',
  '��' => '瘀',
  '��' => '痰',
  '��' => '瘁',
  '��' => '痲',
  '��' => '痱',
  '��' => '痺',
  '��' => '痿',
  '��' => '痴',
  '��' => '痳',
  '��' => '盞',
  '��' => '盟',
  '��' => '睛',
  '��' => '睫',
  '��' => '睦',
  '��' => '睞',
  '��' => '督',
  '�@' => '睹',
  '�A' => '睪',
  '�B' => '睬',
  '�C' => '睜',
  '�D' => '睥',
  '�E' => '睨',
  '�F' => '睢',
  '�G' => '矮',
  '�H' => '碎',
  '�I' => '碰',
  '�J' => '碗',
  '�K' => '碘',
  '�L' => '碌',
  '�M' => '碉',
  '�N' => '硼',
  '�O' => '碑',
  '�P' => '碓',
  '�Q' => '硿',
  '�R' => '祺',
  '�S' => '祿',
  '�T' => '禁',
  '�U' => '萬',
  '�V' => '禽',
  '�W' => '稜',
  '�X' => '稚',
  '�Y' => '稠',
  '�Z' => '稔',
  '�[' => '稟',
  '�\\' => '稞',
  '�]' => '窟',
  '�^' => '窠',
  '�_' => '筷',
  '�`' => '節',
  '�a' => '筠',
  '�b' => '筮',
  '�c' => '筧',
  '�d' => '粱',
  '�e' => '粳',
  '�f' => '粵',
  '�g' => '經',
  '�h' => '絹',
  '�i' => '綑',
  '�j' => '綁',
  '�k' => '綏',
  '�l' => '絛',
  '�m' => '置',
  '�n' => '罩',
  '�o' => '罪',
  '�p' => '署',
  '�q' => '義',
  '�r' => '羨',
  '�s' => '群',
  '�t' => '聖',
  '�u' => '聘',
  '�v' => '肆',
  '�w' => '肄',
  '�x' => '腱',
  '�y' => '腰',
  '�z' => '腸',
  '�{' => '腥',
  '�|' => '腮',
  '�}' => '腳',
  '�~' => '腫',
  '��' => '腹',
  '��' => '腺',
  '��' => '腦',
  '��' => '舅',
  '��' => '艇',
  '��' => '蒂',
  '��' => '葷',
  '��' => '落',
  '��' => '萱',
  '��' => '葵',
  '��' => '葦',
  '��' => '葫',
  '��' => '葉',
  '��' => '葬',
  '��' => '葛',
  '��' => '萼',
  '��' => '萵',
  '��' => '葡',
  '��' => '董',
  '��' => '葩',
  '��' => '葭',
  '��' => '葆',
  '��' => '虞',
  '��' => '虜',
  '��' => '號',
  '��' => '蛹',
  '��' => '蜓',
  '��' => '蜈',
  '��' => '蜇',
  '��' => '蜀',
  '��' => '蛾',
  '��' => '蛻',
  '��' => '蜂',
  '��' => '蜃',
  '��' => '蜆',
  '��' => '蜊',
  '��' => '衙',
  '��' => '裟',
  '��' => '裔',
  '��' => '裙',
  '��' => '補',
  '��' => '裘',
  '��' => '裝',
  '��' => '裡',
  '��' => '裊',
  '��' => '裕',
  '��' => '裒',
  '��' => '覜',
  '��' => '解',
  '��' => '詫',
  '��' => '該',
  '��' => '詳',
  '��' => '試',
  '��' => '詩',
  '��' => '詰',
  '��' => '誇',
  '��' => '詼',
  '��' => '詣',
  '��' => '誠',
  '��' => '話',
  '��' => '誅',
  '��' => '詭',
  '��' => '詢',
  '��' => '詮',
  '��' => '詬',
  '��' => '詹',
  '��' => '詻',
  '��' => '訾',
  '��' => '詨',
  '��' => '豢',
  '��' => '貊',
  '��' => '貉',
  '��' => '賊',
  '��' => '資',
  '��' => '賈',
  '��' => '賄',
  '��' => '貲',
  '��' => '賃',
  '��' => '賂',
  '��' => '賅',
  '��' => '跡',
  '��' => '跟',
  '��' => '跨',
  '��' => '路',
  '��' => '跳',
  '��' => '跺',
  '��' => '跪',
  '��' => '跤',
  '��' => '跦',
  '��' => '躲',
  '��' => '較',
  '��' => '載',
  '��' => '軾',
  '��' => '輊',
  '�@' => '辟',
  '�A' => '農',
  '�B' => '運',
  '�C' => '遊',
  '�D' => '道',
  '�E' => '遂',
  '�F' => '達',
  '�G' => '逼',
  '�H' => '違',
  '�I' => '遐',
  '�J' => '遇',
  '�K' => '遏',
  '�L' => '過',
  '�M' => '遍',
  '�N' => '遑',
  '�O' => '逾',
  '�P' => '遁',
  '�Q' => '鄒',
  '�R' => '鄗',
  '�S' => '酬',
  '�T' => '酪',
  '�U' => '酩',
  '�V' => '釉',
  '�W' => '鈷',
  '�X' => '鉗',
  '�Y' => '鈸',
  '�Z' => '鈽',
  '�[' => '鉀',
  '�\\' => '鈾',
  '�]' => '鉛',
  '�^' => '鉋',
  '�_' => '鉤',
  '�`' => '鉑',
  '�a' => '鈴',
  '�b' => '鉉',
  '�c' => '鉍',
  '�d' => '鉅',
  '�e' => '鈹',
  '�f' => '鈿',
  '�g' => '鉚',
  '�h' => '閘',
  '�i' => '隘',
  '�j' => '隔',
  '�k' => '隕',
  '�l' => '雍',
  '�m' => '雋',
  '�n' => '雉',
  '�o' => '雊',
  '�p' => '雷',
  '�q' => '電',
  '�r' => '雹',
  '�s' => '零',
  '�t' => '靖',
  '�u' => '靴',
  '�v' => '靶',
  '�w' => '預',
  '�x' => '頑',
  '�y' => '頓',
  '�z' => '頊',
  '�{' => '頒',
  '�|' => '頌',
  '�}' => '飼',
  '�~' => '飴',
  '��' => '飽',
  '��' => '飾',
  '��' => '馳',
  '��' => '馱',
  '��' => '馴',
  '��' => '髡',
  '��' => '鳩',
  '��' => '麂',
  '��' => '鼎',
  '��' => '鼓',
  '��' => '鼠',
  '��' => '僧',
  '��' => '僮',
  '��' => '僥',
  '��' => '僖',
  '��' => '僭',
  '��' => '僚',
  '��' => '僕',
  '��' => '像',
  '��' => '僑',
  '��' => '僱',
  '��' => '僎',
  '��' => '僩',
  '��' => '兢',
  '��' => '凳',
  '��' => '劃',
  '��' => '劂',
  '��' => '匱',
  '��' => '厭',
  '��' => '嗾',
  '��' => '嘀',
  '��' => '嘛',
  '��' => '嘗',
  '��' => '嗽',
  '��' => '嘔',
  '��' => '嘆',
  '��' => '嘉',
  '��' => '嘍',
  '��' => '嘎',
  '��' => '嗷',
  '��' => '嘖',
  '��' => '嘟',
  '��' => '嘈',
  '��' => '嘐',
  '��' => '嗶',
  '��' => '團',
  '��' => '圖',
  '��' => '塵',
  '��' => '塾',
  '��' => '境',
  '��' => '墓',
  '��' => '墊',
  '��' => '塹',
  '��' => '墅',
  '��' => '塽',
  '��' => '壽',
  '��' => '夥',
  '��' => '夢',
  '��' => '夤',
  '��' => '奪',
  '��' => '奩',
  '��' => '嫡',
  '��' => '嫦',
  '��' => '嫩',
  '��' => '嫗',
  '��' => '嫖',
  '��' => '嫘',
  '��' => '嫣',
  '��' => '孵',
  '��' => '寞',
  '��' => '寧',
  '��' => '寡',
  '��' => '寥',
  '��' => '實',
  '��' => '寨',
  '��' => '寢',
  '��' => '寤',
  '��' => '察',
  '��' => '對',
  '��' => '屢',
  '��' => '嶄',
  '��' => '嶇',
  '��' => '幛',
  '��' => '幣',
  '��' => '幕',
  '��' => '幗',
  '��' => '幔',
  '��' => '廓',
  '��' => '廖',
  '��' => '弊',
  '��' => '彆',
  '��' => '彰',
  '��' => '徹',
  '��' => '慇',
  '�@' => '愿',
  '�A' => '態',
  '�B' => '慷',
  '�C' => '慢',
  '�D' => '慣',
  '�E' => '慟',
  '�F' => '慚',
  '�G' => '慘',
  '�H' => '慵',
  '�I' => '截',
  '�J' => '撇',
  '�K' => '摘',
  '�L' => '摔',
  '�M' => '撤',
  '�N' => '摸',
  '�O' => '摟',
  '�P' => '摺',
  '�Q' => '摑',
  '�R' => '摧',
  '�S' => '搴',
  '�T' => '摭',
  '�U' => '摻',
  '�V' => '敲',
  '�W' => '斡',
  '�X' => '旗',
  '�Y' => '旖',
  '�Z' => '暢',
  '�[' => '暨',
  '�\\' => '暝',
  '�]' => '榜',
  '�^' => '榨',
  '�_' => '榕',
  '�`' => '槁',
  '�a' => '榮',
  '�b' => '槓',
  '�c' => '構',
  '�d' => '榛',
  '�e' => '榷',
  '�f' => '榻',
  '�g' => '榫',
  '�h' => '榴',
  '�i' => '槐',
  '�j' => '槍',
  '�k' => '榭',
  '�l' => '槌',
  '�m' => '榦',
  '�n' => '槃',
  '�o' => '榣',
  '�p' => '歉',
  '�q' => '歌',
  '�r' => '氳',
  '�s' => '漳',
  '�t' => '演',
  '�u' => '滾',
  '�v' => '漓',
  '�w' => '滴',
  '�x' => '漩',
  '�y' => '漾',
  '�z' => '漠',
  '�{' => '漬',
  '�|' => '漏',
  '�}' => '漂',
  '�~' => '漢',
  '��' => '滿',
  '��' => '滯',
  '��' => '漆',
  '��' => '漱',
  '��' => '漸',
  '��' => '漲',
  '��' => '漣',
  '��' => '漕',
  '��' => '漫',
  '��' => '漯',
  '��' => '澈',
  '��' => '漪',
  '��' => '滬',
  '��' => '漁',
  '��' => '滲',
  '��' => '滌',
  '��' => '滷',
  '��' => '熔',
  '��' => '熙',
  '��' => '煽',
  '��' => '熊',
  '��' => '熄',
  '��' => '熒',
  '��' => '爾',
  '��' => '犒',
  '��' => '犖',
  '��' => '獄',
  '��' => '獐',
  '��' => '瑤',
  '��' => '瑣',
  '��' => '瑪',
  '��' => '瑰',
  '��' => '瑭',
  '��' => '甄',
  '��' => '疑',
  '��' => '瘧',
  '��' => '瘍',
  '��' => '瘋',
  '��' => '瘉',
  '��' => '瘓',
  '��' => '盡',
  '��' => '監',
  '��' => '瞄',
  '��' => '睽',
  '��' => '睿',
  '��' => '睡',
  '��' => '磁',
  '��' => '碟',
  '��' => '碧',
  '��' => '碳',
  '��' => '碩',
  '��' => '碣',
  '��' => '禎',
  '��' => '福',
  '��' => '禍',
  '��' => '種',
  '��' => '稱',
  '��' => '窪',
  '��' => '窩',
  '��' => '竭',
  '��' => '端',
  '��' => '管',
  '��' => '箕',
  '��' => '箋',
  '��' => '筵',
  '��' => '算',
  '��' => '箝',
  '��' => '箔',
  '��' => '箏',
  '��' => '箸',
  '��' => '箇',
  '��' => '箄',
  '��' => '粹',
  '��' => '粽',
  '��' => '精',
  '��' => '綻',
  '��' => '綰',
  '��' => '綜',
  '��' => '綽',
  '��' => '綾',
  '��' => '綠',
  '��' => '緊',
  '��' => '綴',
  '��' => '網',
  '��' => '綱',
  '��' => '綺',
  '��' => '綢',
  '��' => '綿',
  '��' => '綵',
  '��' => '綸',
  '��' => '維',
  '��' => '緒',
  '��' => '緇',
  '��' => '綬',
  '�@' => '罰',
  '�A' => '翠',
  '�B' => '翡',
  '�C' => '翟',
  '�D' => '聞',
  '�E' => '聚',
  '�F' => '肇',
  '�G' => '腐',
  '�H' => '膀',
  '�I' => '膏',
  '�J' => '膈',
  '�K' => '膊',
  '�L' => '腿',
  '�M' => '膂',
  '�N' => '臧',
  '�O' => '臺',
  '�P' => '與',
  '�Q' => '舔',
  '�R' => '舞',
  '�S' => '艋',
  '�T' => '蓉',
  '�U' => '蒿',
  '�V' => '蓆',
  '�W' => '蓄',
  '�X' => '蒙',
  '�Y' => '蒞',
  '�Z' => '蒲',
  '�[' => '蒜',
  '�\\' => '蓋',
  '�]' => '蒸',
  '�^' => '蓀',
  '�_' => '蓓',
  '�`' => '蒐',
  '�a' => '蒼',
  '�b' => '蓑',
  '�c' => '蓊',
  '�d' => '蜿',
  '�e' => '蜜',
  '�f' => '蜻',
  '�g' => '蜢',
  '�h' => '蜥',
  '�i' => '蜴',
  '�j' => '蜘',
  '�k' => '蝕',
  '�l' => '蜷',
  '�m' => '蜩',
  '�n' => '裳',
  '�o' => '褂',
  '�p' => '裴',
  '�q' => '裹',
  '�r' => '裸',
  '�s' => '製',
  '�t' => '裨',
  '�u' => '褚',
  '�v' => '裯',
  '�w' => '誦',
  '�x' => '誌',
  '�y' => '語',
  '�z' => '誣',
  '�{' => '認',
  '�|' => '誡',
  '�}' => '誓',
  '�~' => '誤',
  '��' => '說',
  '��' => '誥',
  '��' => '誨',
  '��' => '誘',
  '��' => '誑',
  '��' => '誚',
  '��' => '誧',
  '��' => '豪',
  '��' => '貍',
  '��' => '貌',
  '��' => '賓',
  '��' => '賑',
  '��' => '賒',
  '��' => '赫',
  '��' => '趙',
  '��' => '趕',
  '��' => '跼',
  '��' => '輔',
  '��' => '輒',
  '��' => '輕',
  '��' => '輓',
  '��' => '辣',
  '��' => '遠',
  '��' => '遘',
  '��' => '遜',
  '��' => '遣',
  '��' => '遙',
  '��' => '遞',
  '��' => '遢',
  '��' => '遝',
  '��' => '遛',
  '��' => '鄙',
  '��' => '鄘',
  '��' => '鄞',
  '��' => '酵',
  '��' => '酸',
  '��' => '酷',
  '��' => '酴',
  '��' => '鉸',
  '��' => '銀',
  '��' => '銅',
  '��' => '銘',
  '��' => '銖',
  '��' => '鉻',
  '��' => '銓',
  '��' => '銜',
  '��' => '銨',
  '��' => '鉼',
  '��' => '銑',
  '��' => '閡',
  '��' => '閨',
  '��' => '閩',
  '��' => '閣',
  '��' => '閥',
  '��' => '閤',
  '��' => '隙',
  '��' => '障',
  '��' => '際',
  '��' => '雌',
  '��' => '雒',
  '��' => '需',
  '��' => '靼',
  '��' => '鞅',
  '��' => '韶',
  '��' => '頗',
  '��' => '領',
  '��' => '颯',
  '��' => '颱',
  '��' => '餃',
  '��' => '餅',
  '��' => '餌',
  '��' => '餉',
  '��' => '駁',
  '��' => '骯',
  '��' => '骰',
  '��' => '髦',
  '��' => '魁',
  '��' => '魂',
  '��' => '鳴',
  '��' => '鳶',
  '��' => '鳳',
  '��' => '麼',
  '��' => '鼻',
  '��' => '齊',
  '��' => '億',
  '��' => '儀',
  '��' => '僻',
  '��' => '僵',
  '��' => '價',
  '��' => '儂',
  '��' => '儈',
  '��' => '儉',
  '��' => '儅',
  '��' => '凜',
  '�@' => '劇',
  '�A' => '劈',
  '�B' => '劉',
  '�C' => '劍',
  '�D' => '劊',
  '�E' => '勰',
  '�F' => '厲',
  '�G' => '嘮',
  '�H' => '嘻',
  '�I' => '嘹',
  '�J' => '嘲',
  '�K' => '嘿',
  '�L' => '嘴',
  '�M' => '嘩',
  '�N' => '噓',
  '�O' => '噎',
  '�P' => '噗',
  '�Q' => '噴',
  '�R' => '嘶',
  '�S' => '嘯',
  '�T' => '嘰',
  '�U' => '墀',
  '�V' => '墟',
  '�W' => '增',
  '�X' => '墳',
  '�Y' => '墜',
  '�Z' => '墮',
  '�[' => '墩',
  '�\\' => '墦',
  '�]' => '奭',
  '�^' => '嬉',
  '�_' => '嫻',
  '�`' => '嬋',
  '�a' => '嫵',
  '�b' => '嬌',
  '�c' => '嬈',
  '�d' => '寮',
  '�e' => '寬',
  '�f' => '審',
  '�g' => '寫',
  '�h' => '層',
  '�i' => '履',
  '�j' => '嶝',
  '�k' => '嶔',
  '�l' => '幢',
  '�m' => '幟',
  '�n' => '幡',
  '�o' => '廢',
  '�p' => '廚',
  '�q' => '廟',
  '�r' => '廝',
  '�s' => '廣',
  '�t' => '廠',
  '�u' => '彈',
  '�v' => '影',
  '�w' => '德',
  '�x' => '徵',
  '�y' => '慶',
  '�z' => '慧',
  '�{' => '慮',
  '�|' => '慝',
  '�}' => '慕',
  '�~' => '憂',
  '��' => '慼',
  '��' => '慰',
  '��' => '慫',
  '��' => '慾',
  '��' => '憧',
  '��' => '憐',
  '��' => '憫',
  '��' => '憎',
  '��' => '憬',
  '��' => '憚',
  '��' => '憤',
  '��' => '憔',
  '��' => '憮',
  '��' => '戮',
  '��' => '摩',
  '��' => '摯',
  '��' => '摹',
  '��' => '撞',
  '��' => '撲',
  '��' => '撈',
  '��' => '撐',
  '��' => '撰',
  '��' => '撥',
  '��' => '撓',
  '��' => '撕',
  '��' => '撩',
  '��' => '撒',
  '��' => '撮',
  '��' => '播',
  '��' => '撫',
  '��' => '撚',
  '��' => '撬',
  '��' => '撙',
  '��' => '撢',
  '��' => '撳',
  '��' => '敵',
  '��' => '敷',
  '��' => '數',
  '��' => '暮',
  '��' => '暫',
  '��' => '暴',
  '��' => '暱',
  '��' => '樣',
  '��' => '樟',
  '��' => '槨',
  '��' => '樁',
  '��' => '樞',
  '��' => '標',
  '��' => '槽',
  '��' => '模',
  '��' => '樓',
  '��' => '樊',
  '��' => '槳',
  '��' => '樂',
  '��' => '樅',
  '��' => '槭',
  '��' => '樑',
  '��' => '歐',
  '��' => '歎',
  '��' => '殤',
  '��' => '毅',
  '��' => '毆',
  '��' => '漿',
  '��' => '潼',
  '��' => '澄',
  '��' => '潑',
  '��' => '潦',
  '��' => '潔',
  '��' => '澆',
  '��' => '潭',
  '��' => '潛',
  '��' => '潸',
  '��' => '潮',
  '��' => '澎',
  '��' => '潺',
  '��' => '潰',
  '��' => '潤',
  '��' => '澗',
  '��' => '潘',
  '��' => '滕',
  '��' => '潯',
  '��' => '潠',
  '��' => '潟',
  '��' => '熟',
  '��' => '熬',
  '��' => '熱',
  '��' => '熨',
  '��' => '牖',
  '��' => '犛',
  '��' => '獎',
  '��' => '獗',
  '��' => '瑩',
  '��' => '璋',
  '��' => '璃',
  '�@' => '瑾',
  '�A' => '璀',
  '�B' => '畿',
  '�C' => '瘠',
  '�D' => '瘩',
  '�E' => '瘟',
  '�F' => '瘤',
  '�G' => '瘦',
  '�H' => '瘡',
  '�I' => '瘢',
  '�J' => '皚',
  '�K' => '皺',
  '�L' => '盤',
  '�M' => '瞎',
  '�N' => '瞇',
  '�O' => '瞌',
  '�P' => '瞑',
  '�Q' => '瞋',
  '�R' => '磋',
  '�S' => '磅',
  '�T' => '確',
  '�U' => '磊',
  '�V' => '碾',
  '�W' => '磕',
  '�X' => '碼',
  '�Y' => '磐',
  '�Z' => '稿',
  '�[' => '稼',
  '�\\' => '穀',
  '�]' => '稽',
  '�^' => '稷',
  '�_' => '稻',
  '�`' => '窯',
  '�a' => '窮',
  '�b' => '箭',
  '�c' => '箱',
  '�d' => '範',
  '�e' => '箴',
  '�f' => '篆',
  '�g' => '篇',
  '�h' => '篁',
  '�i' => '箠',
  '�j' => '篌',
  '�k' => '糊',
  '�l' => '締',
  '�m' => '練',
  '�n' => '緯',
  '�o' => '緻',
  '�p' => '緘',
  '�q' => '緬',
  '�r' => '緝',
  '�s' => '編',
  '�t' => '緣',
  '�u' => '線',
  '�v' => '緞',
  '�w' => '緩',
  '�x' => '綞',
  '�y' => '緙',
  '�z' => '緲',
  '�{' => '緹',
  '�|' => '罵',
  '�}' => '罷',
  '�~' => '羯',
  '��' => '翩',
  '��' => '耦',
  '��' => '膛',
  '��' => '膜',
  '��' => '膝',
  '��' => '膠',
  '��' => '膚',
  '��' => '膘',
  '��' => '蔗',
  '��' => '蔽',
  '��' => '蔚',
  '��' => '蓮',
  '��' => '蔬',
  '��' => '蔭',
  '��' => '蔓',
  '��' => '蔑',
  '��' => '蔣',
  '��' => '蔡',
  '��' => '蔔',
  '��' => '蓬',
  '��' => '蔥',
  '��' => '蓿',
  '��' => '蔆',
  '��' => '螂',
  '��' => '蝴',
  '��' => '蝶',
  '��' => '蝠',
  '��' => '蝦',
  '��' => '蝸',
  '��' => '蝨',
  '��' => '蝙',
  '��' => '蝗',
  '��' => '蝌',
  '��' => '蝓',
  '��' => '衛',
  '��' => '衝',
  '��' => '褐',
  '��' => '複',
  '��' => '褒',
  '��' => '褓',
  '��' => '褕',
  '��' => '褊',
  '��' => '誼',
  '��' => '諒',
  '��' => '談',
  '��' => '諄',
  '��' => '誕',
  '��' => '請',
  '��' => '諸',
  '��' => '課',
  '��' => '諉',
  '��' => '諂',
  '��' => '調',
  '��' => '誰',
  '��' => '論',
  '��' => '諍',
  '��' => '誶',
  '��' => '誹',
  '��' => '諛',
  '��' => '豌',
  '��' => '豎',
  '��' => '豬',
  '��' => '賠',
  '��' => '賞',
  '��' => '賦',
  '��' => '賤',
  '��' => '賬',
  '��' => '賭',
  '��' => '賢',
  '��' => '賣',
  '��' => '賜',
  '��' => '質',
  '��' => '賡',
  '��' => '赭',
  '��' => '趟',
  '��' => '趣',
  '��' => '踫',
  '��' => '踐',
  '��' => '踝',
  '��' => '踢',
  '��' => '踏',
  '��' => '踩',
  '��' => '踟',
  '��' => '踡',
  '��' => '踞',
  '��' => '躺',
  '��' => '輝',
  '��' => '輛',
  '��' => '輟',
  '��' => '輩',
  '��' => '輦',
  '��' => '輪',
  '��' => '輜',
  '��' => '輞',
  '�@' => '輥',
  '�A' => '適',
  '�B' => '遮',
  '�C' => '遨',
  '�D' => '遭',
  '�E' => '遷',
  '�F' => '鄰',
  '�G' => '鄭',
  '�H' => '鄧',
  '�I' => '鄱',
  '�J' => '醇',
  '�K' => '醉',
  '�L' => '醋',
  '�M' => '醃',
  '�N' => '鋅',
  '�O' => '銻',
  '�P' => '銷',
  '�Q' => '鋪',
  '�R' => '銬',
  '�S' => '鋤',
  '�T' => '鋁',
  '�U' => '銳',
  '�V' => '銼',
  '�W' => '鋒',
  '�X' => '鋇',
  '�Y' => '鋰',
  '�Z' => '銲',
  '�[' => '閭',
  '�\\' => '閱',
  '�]' => '霄',
  '�^' => '霆',
  '�_' => '震',
  '�`' => '霉',
  '�a' => '靠',
  '�b' => '鞍',
  '�c' => '鞋',
  '�d' => '鞏',
  '�e' => '頡',
  '�f' => '頫',
  '�g' => '頜',
  '�h' => '颳',
  '�i' => '養',
  '�j' => '餓',
  '�k' => '餒',
  '�l' => '餘',
  '�m' => '駝',
  '�n' => '駐',
  '�o' => '駟',
  '�p' => '駛',
  '�q' => '駑',
  '�r' => '駕',
  '�s' => '駒',
  '�t' => '駙',
  '�u' => '骷',
  '�v' => '髮',
  '�w' => '髯',
  '�x' => '鬧',
  '�y' => '魅',
  '�z' => '魄',
  '�{' => '魷',
  '�|' => '魯',
  '�}' => '鴆',
  '�~' => '鴉',
  '��' => '鴃',
  '��' => '麩',
  '��' => '麾',
  '��' => '黎',
  '��' => '墨',
  '��' => '齒',
  '��' => '儒',
  '��' => '儘',
  '��' => '儔',
  '��' => '儐',
  '��' => '儕',
  '��' => '冀',
  '��' => '冪',
  '��' => '凝',
  '��' => '劑',
  '��' => '劓',
  '��' => '勳',
  '��' => '噙',
  '��' => '噫',
  '��' => '噹',
  '��' => '噩',
  '��' => '噤',
  '��' => '噸',
  '��' => '噪',
  '��' => '器',
  '��' => '噥',
  '��' => '噱',
  '��' => '噯',
  '��' => '噬',
  '��' => '噢',
  '��' => '噶',
  '��' => '壁',
  '��' => '墾',
  '��' => '壇',
  '��' => '壅',
  '��' => '奮',
  '��' => '嬝',
  '��' => '嬴',
  '��' => '學',
  '��' => '寰',
  '��' => '導',
  '��' => '彊',
  '��' => '憲',
  '��' => '憑',
  '��' => '憩',
  '��' => '憊',
  '��' => '懍',
  '��' => '憶',
  '��' => '憾',
  '��' => '懊',
  '��' => '懈',
  '��' => '戰',
  '��' => '擅',
  '��' => '擁',
  '��' => '擋',
  '��' => '撻',
  '��' => '撼',
  '��' => '據',
  '��' => '擄',
  '��' => '擇',
  '��' => '擂',
  '��' => '操',
  '��' => '撿',
  '��' => '擒',
  '��' => '擔',
  '��' => '撾',
  '��' => '整',
  '��' => '曆',
  '��' => '曉',
  '��' => '暹',
  '��' => '曄',
  '��' => '曇',
  '��' => '暸',
  '��' => '樽',
  '��' => '樸',
  '��' => '樺',
  '��' => '橙',
  '��' => '橫',
  '��' => '橘',
  '��' => '樹',
  '��' => '橄',
  '��' => '橢',
  '��' => '橡',
  '��' => '橋',
  '��' => '橇',
  '��' => '樵',
  '��' => '機',
  '��' => '橈',
  '��' => '歙',
  '��' => '歷',
  '��' => '氅',
  '��' => '濂',
  '��' => '澱',
  '��' => '澡',
  '�@' => '濃',
  '�A' => '澤',
  '�B' => '濁',
  '�C' => '澧',
  '�D' => '澳',
  '�E' => '激',
  '�F' => '澹',
  '�G' => '澶',
  '�H' => '澦',
  '�I' => '澠',
  '�J' => '澴',
  '�K' => '熾',
  '�L' => '燉',
  '�M' => '燐',
  '�N' => '燒',
  '�O' => '燈',
  '�P' => '燕',
  '�Q' => '熹',
  '�R' => '燎',
  '�S' => '燙',
  '�T' => '燜',
  '�U' => '燃',
  '�V' => '燄',
  '�W' => '獨',
  '�X' => '璜',
  '�Y' => '璣',
  '�Z' => '璘',
  '�[' => '璟',
  '�\\' => '璞',
  '�]' => '瓢',
  '�^' => '甌',
  '�_' => '甍',
  '�`' => '瘴',
  '�a' => '瘸',
  '�b' => '瘺',
  '�c' => '盧',
  '�d' => '盥',
  '�e' => '瞠',
  '�f' => '瞞',
  '�g' => '瞟',
  '�h' => '瞥',
  '�i' => '磨',
  '�j' => '磚',
  '�k' => '磬',
  '�l' => '磧',
  '�m' => '禦',
  '�n' => '積',
  '�o' => '穎',
  '�p' => '穆',
  '�q' => '穌',
  '�r' => '穋',
  '�s' => '窺',
  '�t' => '篙',
  '�u' => '簑',
  '�v' => '築',
  '�w' => '篤',
  '�x' => '篛',
  '�y' => '篡',
  '�z' => '篩',
  '�{' => '篦',
  '�|' => '糕',
  '�}' => '糖',
  '�~' => '縊',
  '��' => '縑',
  '��' => '縈',
  '��' => '縛',
  '��' => '縣',
  '��' => '縞',
  '��' => '縝',
  '��' => '縉',
  '��' => '縐',
  '��' => '罹',
  '��' => '羲',
  '��' => '翰',
  '��' => '翱',
  '��' => '翮',
  '��' => '耨',
  '��' => '膳',
  '��' => '膩',
  '��' => '膨',
  '��' => '臻',
  '��' => '興',
  '��' => '艘',
  '��' => '艙',
  '��' => '蕊',
  '��' => '蕙',
  '��' => '蕈',
  '��' => '蕨',
  '��' => '蕩',
  '��' => '蕃',
  '��' => '蕉',
  '��' => '蕭',
  '��' => '蕪',
  '��' => '蕞',
  '��' => '螃',
  '��' => '螟',
  '��' => '螞',
  '��' => '螢',
  '��' => '融',
  '��' => '衡',
  '��' => '褪',
  '��' => '褲',
  '��' => '褥',
  '��' => '褫',
  '��' => '褡',
  '��' => '親',
  '��' => '覦',
  '��' => '諦',
  '��' => '諺',
  '��' => '諫',
  '��' => '諱',
  '��' => '謀',
  '��' => '諜',
  '��' => '諧',
  '��' => '諮',
  '��' => '諾',
  '��' => '謁',
  '��' => '謂',
  '��' => '諷',
  '��' => '諭',
  '��' => '諳',
  '��' => '諶',
  '��' => '諼',
  '��' => '豫',
  '��' => '豭',
  '��' => '貓',
  '��' => '賴',
  '��' => '蹄',
  '��' => '踱',
  '��' => '踴',
  '��' => '蹂',
  '��' => '踹',
  '��' => '踵',
  '��' => '輻',
  '��' => '輯',
  '��' => '輸',
  '��' => '輳',
  '��' => '辨',
  '��' => '辦',
  '��' => '遵',
  '��' => '遴',
  '��' => '選',
  '��' => '遲',
  '��' => '遼',
  '��' => '遺',
  '��' => '鄴',
  '��' => '醒',
  '��' => '錠',
  '��' => '錶',
  '��' => '鋸',
  '��' => '錳',
  '��' => '錯',
  '��' => '錢',
  '��' => '鋼',
  '��' => '錫',
  '��' => '錄',
  '��' => '錚',
  '�@' => '錐',
  '�A' => '錦',
  '�B' => '錡',
  '�C' => '錕',
  '�D' => '錮',
  '�E' => '錙',
  '�F' => '閻',
  '�G' => '隧',
  '�H' => '隨',
  '�I' => '險',
  '�J' => '雕',
  '�K' => '霎',
  '�L' => '霑',
  '�M' => '霖',
  '�N' => '霍',
  '�O' => '霓',
  '�P' => '霏',
  '�Q' => '靛',
  '�R' => '靜',
  '�S' => '靦',
  '�T' => '鞘',
  '�U' => '頰',
  '�V' => '頸',
  '�W' => '頻',
  '�X' => '頷',
  '�Y' => '頭',
  '�Z' => '頹',
  '�[' => '頤',
  '�\\' => '餐',
  '�]' => '館',
  '�^' => '餞',
  '�_' => '餛',
  '�`' => '餡',
  '�a' => '餚',
  '�b' => '駭',
  '�c' => '駢',
  '�d' => '駱',
  '�e' => '骸',
  '�f' => '骼',
  '�g' => '髻',
  '�h' => '髭',
  '�i' => '鬨',
  '�j' => '鮑',
  '�k' => '鴕',
  '�l' => '鴣',
  '�m' => '鴦',
  '�n' => '鴨',
  '�o' => '鴒',
  '�p' => '鴛',
  '�q' => '默',
  '�r' => '黔',
  '�s' => '龍',
  '�t' => '龜',
  '�u' => '優',
  '�v' => '償',
  '�w' => '儡',
  '�x' => '儲',
  '�y' => '勵',
  '�z' => '嚎',
  '�{' => '嚀',
  '�|' => '嚐',
  '�}' => '嚅',
  '�~' => '嚇',
  '��' => '嚏',
  '��' => '壕',
  '��' => '壓',
  '��' => '壑',
  '��' => '壎',
  '��' => '嬰',
  '��' => '嬪',
  '��' => '嬤',
  '��' => '孺',
  '��' => '尷',
  '��' => '屨',
  '��' => '嶼',
  '��' => '嶺',
  '��' => '嶽',
  '��' => '嶸',
  '��' => '幫',
  '��' => '彌',
  '��' => '徽',
  '��' => '應',
  '��' => '懂',
  '��' => '懇',
  '��' => '懦',
  '��' => '懋',
  '��' => '戲',
  '��' => '戴',
  '��' => '擎',
  '��' => '擊',
  '��' => '擘',
  '��' => '擠',
  '��' => '擰',
  '��' => '擦',
  '��' => '擬',
  '��' => '擱',
  '��' => '擢',
  '��' => '擭',
  '��' => '斂',
  '��' => '斃',
  '��' => '曙',
  '��' => '曖',
  '��' => '檀',
  '��' => '檔',
  '��' => '檄',
  '��' => '檢',
  '��' => '檜',
  '��' => '櫛',
  '��' => '檣',
  '��' => '橾',
  '��' => '檗',
  '��' => '檐',
  '��' => '檠',
  '��' => '歜',
  '��' => '殮',
  '��' => '毚',
  '��' => '氈',
  '��' => '濘',
  '��' => '濱',
  '��' => '濟',
  '��' => '濠',
  '��' => '濛',
  '��' => '濤',
  '��' => '濫',
  '��' => '濯',
  '��' => '澀',
  '��' => '濬',
  '��' => '濡',
  '��' => '濩',
  '��' => '濕',
  '��' => '濮',
  '��' => '濰',
  '��' => '燧',
  '��' => '營',
  '��' => '燮',
  '��' => '燦',
  '��' => '燥',
  '��' => '燭',
  '��' => '燬',
  '��' => '燴',
  '��' => '燠',
  '��' => '爵',
  '��' => '牆',
  '��' => '獰',
  '��' => '獲',
  '��' => '璩',
  '��' => '環',
  '��' => '璦',
  '��' => '璨',
  '��' => '癆',
  '��' => '療',
  '��' => '癌',
  '��' => '盪',
  '��' => '瞳',
  '��' => '瞪',
  '��' => '瞰',
  '��' => '瞬',
  '�@' => '瞧',
  '�A' => '瞭',
  '�B' => '矯',
  '�C' => '磷',
  '�D' => '磺',
  '�E' => '磴',
  '�F' => '磯',
  '�G' => '礁',
  '�H' => '禧',
  '�I' => '禪',
  '�J' => '穗',
  '�K' => '窿',
  '�L' => '簇',
  '�M' => '簍',
  '�N' => '篾',
  '�O' => '篷',
  '�P' => '簌',
  '�Q' => '篠',
  '�R' => '糠',
  '�S' => '糜',
  '�T' => '糞',
  '�U' => '糢',
  '�V' => '糟',
  '�W' => '糙',
  '�X' => '糝',
  '�Y' => '縮',
  '�Z' => '績',
  '�[' => '繆',
  '�\\' => '縷',
  '�]' => '縲',
  '�^' => '繃',
  '�_' => '縫',
  '�`' => '總',
  '�a' => '縱',
  '�b' => '繅',
  '�c' => '繁',
  '�d' => '縴',
  '�e' => '縹',
  '�f' => '繈',
  '�g' => '縵',
  '�h' => '縿',
  '�i' => '縯',
  '�j' => '罄',
  '�k' => '翳',
  '�l' => '翼',
  '�m' => '聱',
  '�n' => '聲',
  '�o' => '聰',
  '�p' => '聯',
  '�q' => '聳',
  '�r' => '臆',
  '�s' => '臃',
  '�t' => '膺',
  '�u' => '臂',
  '�v' => '臀',
  '�w' => '膿',
  '�x' => '膽',
  '�y' => '臉',
  '�z' => '膾',
  '�{' => '臨',
  '�|' => '舉',
  '�}' => '艱',
  '�~' => '薪',
  '��' => '薄',
  '��' => '蕾',
  '��' => '薜',
  '��' => '薑',
  '��' => '薔',
  '��' => '薯',
  '��' => '薛',
  '��' => '薇',
  '��' => '薨',
  '��' => '薊',
  '��' => '虧',
  '��' => '蟀',
  '��' => '蟑',
  '��' => '螳',
  '��' => '蟒',
  '��' => '蟆',
  '��' => '螫',
  '��' => '螻',
  '��' => '螺',
  '��' => '蟈',
  '��' => '蟋',
  '��' => '褻',
  '��' => '褶',
  '��' => '襄',
  '��' => '褸',
  '��' => '褽',
  '��' => '覬',
  '��' => '謎',
  '��' => '謗',
  '��' => '謙',
  '��' => '講',
  '��' => '謊',
  '��' => '謠',
  '��' => '謝',
  '��' => '謄',
  '��' => '謐',
  '��' => '豁',
  '��' => '谿',
  '��' => '豳',
  '��' => '賺',
  '��' => '賽',
  '��' => '購',
  '��' => '賸',
  '��' => '賻',
  '��' => '趨',
  '��' => '蹉',
  '��' => '蹋',
  '��' => '蹈',
  '��' => '蹊',
  '��' => '轄',
  '��' => '輾',
  '��' => '轂',
  '��' => '轅',
  '��' => '輿',
  '��' => '避',
  '��' => '遽',
  '��' => '還',
  '��' => '邁',
  '��' => '邂',
  '��' => '邀',
  '��' => '鄹',
  '��' => '醣',
  '��' => '醞',
  '��' => '醜',
  '��' => '鍍',
  '��' => '鎂',
  '��' => '錨',
  '��' => '鍵',
  '��' => '鍊',
  '��' => '鍥',
  '��' => '鍋',
  '��' => '錘',
  '��' => '鍾',
  '��' => '鍬',
  '��' => '鍛',
  '��' => '鍰',
  '��' => '鍚',
  '��' => '鍔',
  '��' => '闊',
  '��' => '闋',
  '��' => '闌',
  '��' => '闈',
  '��' => '闆',
  '��' => '隱',
  '��' => '隸',
  '��' => '雖',
  '��' => '霜',
  '��' => '霞',
  '��' => '鞠',
  '��' => '韓',
  '��' => '顆',
  '��' => '颶',
  '��' => '餵',
  '��' => '騁',
  '�@' => '駿',
  '�A' => '鮮',
  '�B' => '鮫',
  '�C' => '鮪',
  '�D' => '鮭',
  '�E' => '鴻',
  '�F' => '鴿',
  '�G' => '麋',
  '�H' => '黏',
  '�I' => '點',
  '�J' => '黜',
  '�K' => '黝',
  '�L' => '黛',
  '�M' => '鼾',
  '�N' => '齋',
  '�O' => '叢',
  '�P' => '嚕',
  '�Q' => '嚮',
  '�R' => '壙',
  '�S' => '壘',
  '�T' => '嬸',
  '�U' => '彝',
  '�V' => '懣',
  '�W' => '戳',
  '�X' => '擴',
  '�Y' => '擲',
  '�Z' => '擾',
  '�[' => '攆',
  '�\\' => '擺',
  '�]' => '擻',
  '�^' => '擷',
  '�_' => '斷',
  '�`' => '曜',
  '�a' => '朦',
  '�b' => '檳',
  '�c' => '檬',
  '�d' => '櫃',
  '�e' => '檻',
  '�f' => '檸',
  '�g' => '櫂',
  '�h' => '檮',
  '�i' => '檯',
  '�j' => '歟',
  '�k' => '歸',
  '�l' => '殯',
  '�m' => '瀉',
  '�n' => '瀋',
  '�o' => '濾',
  '�p' => '瀆',
  '�q' => '濺',
  '�r' => '瀑',
  '�s' => '瀏',
  '�t' => '燻',
  '�u' => '燼',
  '�v' => '燾',
  '�w' => '燸',
  '�x' => '獷',
  '�y' => '獵',
  '�z' => '璧',
  '�{' => '璿',
  '�|' => '甕',
  '�}' => '癖',
  '�~' => '癘',
  '¡' => '癒',
  '¢' => '瞽',
  '£' => '瞿',
  '¤' => '瞻',
  '¥' => '瞼',
  '¦' => '礎',
  '§' => '禮',
  '¨' => '穡',
  '©' => '穢',
  'ª' => '穠',
  '«' => '竄',
  '¬' => '竅',
  '­' => '簫',
  '®' => '簧',
  '¯' => '簪',
  '°' => '簞',
  '±' => '簣',
  '²' => '簡',
  '³' => '糧',
  '´' => '織',
  'µ' => '繕',
  '¶' => '繞',
  '·' => '繚',
  '¸' => '繡',
  '¹' => '繒',
  'º' => '繙',
  '»' => '罈',
  '¼' => '翹',
  '½' => '翻',
  '¾' => '職',
  '¿' => '聶',
  '�' => '臍',
  '�' => '臏',
  '��' => '舊',
  '��' => '藏',
  '��' => '薩',
  '��' => '藍',
  '��' => '藐',
  '��' => '藉',
  '��' => '薰',
  '��' => '薺',
  '��' => '薹',
  '��' => '薦',
  '��' => '蟯',
  '��' => '蟬',
  '��' => '蟲',
  '��' => '蟠',
  '��' => '覆',
  '��' => '覲',
  '��' => '觴',
  '��' => '謨',
  '��' => '謹',
  '��' => '謬',
  '��' => '謫',
  '��' => '豐',
  '��' => '贅',
  '��' => '蹙',
  '��' => '蹣',
  '��' => '蹦',
  '��' => '蹤',
  '��' => '蹟',
  '��' => '蹕',
  '��' => '軀',
  '��' => '轉',
  '��' => '轍',
  '��' => '邇',
  '��' => '邃',
  '��' => '邈',
  '��' => '醫',
  '��' => '醬',
  '��' => '釐',
  '��' => '鎔',
  '��' => '鎊',
  '��' => '鎖',
  '��' => '鎢',
  '��' => '鎳',
  '��' => '鎮',
  '��' => '鎬',
  '��' => '鎰',
  '��' => '鎘',
  '��' => '鎚',
  '��' => '鎗',
  '��' => '闔',
  '��' => '闖',
  '�' => '闐',
  '�' => '闕',
  '�' => '離',
  '�' => '雜',
  '�' => '雙',
  '�' => '雛',
  '�' => '雞',
  '�' => '霤',
  '�' => '鞣',
  '�' => '鞦',
  '�@' => '鞭',
  '�A' => '韹',
  '�B' => '額',
  '�C' => '顏',
  '�D' => '題',
  '�E' => '顎',
  '�F' => '顓',
  '�G' => '颺',
  '�H' => '餾',
  '�I' => '餿',
  '�J' => '餽',
  '�K' => '餮',
  '�L' => '馥',
  '�M' => '騎',
  '�N' => '髁',
  '�O' => '鬃',
  '�P' => '鬆',
  '�Q' => '魏',
  '�R' => '魎',
  '�S' => '魍',
  '�T' => '鯊',
  '�U' => '鯉',
  '�V' => '鯽',
  '�W' => '鯈',
  '�X' => '鯀',
  '�Y' => '鵑',
  '�Z' => '鵝',
  '�[' => '鵠',
  '�\\' => '黠',
  '�]' => '鼕',
  '�^' => '鼬',
  '�_' => '儳',
  '�`' => '嚥',
  '�a' => '壞',
  '�b' => '壟',
  '�c' => '壢',
  '�d' => '寵',
  '�e' => '龐',
  '�f' => '廬',
  '�g' => '懲',
  '�h' => '懷',
  '�i' => '懶',
  '�j' => '懵',
  '�k' => '攀',
  '�l' => '攏',
  '�m' => '曠',
  '�n' => '曝',
  '�o' => '櫥',
  '�p' => '櫝',
  '�q' => '櫚',
  '�r' => '櫓',
  '�s' => '瀛',
  '�t' => '瀟',
  '�u' => '瀨',
  '�v' => '瀚',
  '�w' => '瀝',
  '�x' => '瀕',
  '�y' => '瀘',
  '�z' => '爆',
  '�{' => '爍',
  '�|' => '牘',
  '�}' => '犢',
  '�~' => '獸',
  'á' => '獺',
  'â' => '璽',
  'ã' => '瓊',
  'ä' => '瓣',
  'å' => '疇',
  'æ' => '疆',
  'ç' => '癟',
  'è' => '癡',
  'é' => '矇',
  'ê' => '礙',
  'ë' => '禱',
  'ì' => '穫',
  'í' => '穩',
  'î' => '簾',
  'ï' => '簿',
  'ð' => '簸',
  'ñ' => '簽',
  'ò' => '簷',
  'ó' => '籀',
  'ô' => '繫',
  'õ' => '繭',
  'ö' => '繹',
  '÷' => '繩',
  'ø' => '繪',
  'ù' => '羅',
  'ú' => '繳',
  'û' => '羶',
  'ü' => '羹',
  'ý' => '羸',
  'þ' => '臘',
  'ÿ' => '藩',
  '�' => '藝',
  '�' => '藪',
  '��' => '藕',
  '��' => '藤',
  '��' => '藥',
  '��' => '藷',
  '��' => '蟻',
  '��' => '蠅',
  '��' => '蠍',
  '��' => '蟹',
  '��' => '蟾',
  '��' => '襠',
  '��' => '襟',
  '��' => '襖',
  '��' => '襞',
  '��' => '譁',
  '��' => '譜',
  '��' => '識',
  '��' => '證',
  '��' => '譚',
  '��' => '譎',
  '��' => '譏',
  '��' => '譆',
  '��' => '譙',
  '��' => '贈',
  '��' => '贊',
  '��' => '蹼',
  '��' => '蹲',
  '��' => '躇',
  '��' => '蹶',
  '��' => '蹬',
  '��' => '蹺',
  '��' => '蹴',
  '��' => '轔',
  '��' => '轎',
  '��' => '辭',
  '��' => '邊',
  '��' => '邋',
  '��' => '醱',
  '��' => '醮',
  '��' => '鏡',
  '��' => '鏑',
  '��' => '鏟',
  '��' => '鏃',
  '��' => '鏈',
  '��' => '鏜',
  '��' => '鏝',
  '��' => '鏖',
  '��' => '鏢',
  '��' => '鏍',
  '��' => '鏘',
  '��' => '鏤',
  '��' => '鏗',
  '�' => '鏨',
  '�' => '關',
  '�' => '隴',
  '�' => '難',
  '�' => '霪',
  '�' => '霧',
  '�' => '靡',
  '�' => '韜',
  '�' => '韻',
  '�' => '類',
  '�@' => '願',
  '�A' => '顛',
  '�B' => '颼',
  '�C' => '饅',
  '�D' => '饉',
  '�E' => '騖',
  '�F' => '騙',
  '�G' => '鬍',
  '�H' => '鯨',
  '�I' => '鯧',
  '�J' => '鯖',
  '�K' => '鯛',
  '�L' => '鶉',
  '�M' => '鵡',
  '�N' => '鵲',
  '�O' => '鵪',
  '�P' => '鵬',
  '�Q' => '麒',
  '�R' => '麗',
  '�S' => '麓',
  '�T' => '麴',
  '�U' => '勸',
  '�V' => '嚨',
  '�W' => '嚷',
  '�X' => '嚶',
  '�Y' => '嚴',
  '�Z' => '嚼',
  '�[' => '壤',
  '�\\' => '孀',
  '�]' => '孃',
  '�^' => '孽',
  '�_' => '寶',
  '�`' => '巉',
  '�a' => '懸',
  '�b' => '懺',
  '�c' => '攘',
  '�d' => '攔',
  '�e' => '攙',
  '�f' => '曦',
  '�g' => '朧',
  '�h' => '櫬',
  '�i' => '瀾',
  '�j' => '瀰',
  '�k' => '瀲',
  '�l' => '爐',
  '�m' => '獻',
  '�n' => '瓏',
  '�o' => '癢',
  '�p' => '癥',
  '�q' => '礦',
  '�r' => '礪',
  '�s' => '礬',
  '�t' => '礫',
  '�u' => '竇',
  '�v' => '競',
  '�w' => '籌',
  '�x' => '籃',
  '�y' => '籍',
  '�z' => '糯',
  '�{' => '糰',
  '�|' => '辮',
  '�}' => '繽',
  '�~' => '繼',
  'ġ' => '纂',
  'Ģ' => '罌',
  'ģ' => '耀',
  'Ĥ' => '臚',
  'ĥ' => '艦',
  'Ħ' => '藻',
  'ħ' => '藹',
  'Ĩ' => '蘑',
  'ĩ' => '藺',
  'Ī' => '蘆',
  'ī' => '蘋',
  'Ĭ' => '蘇',
  'ĭ' => '蘊',
  'Į' => '蠔',
  'į' => '蠕',
  'İ' => '襤',
  'ı' => '覺',
  'IJ' => '觸',
  'ij' => '議',
  'Ĵ' => '譬',
  'ĵ' => '警',
  'Ķ' => '譯',
  'ķ' => '譟',
  'ĸ' => '譫',
  'Ĺ' => '贏',
  'ĺ' => '贍',
  'Ļ' => '躉',
  'ļ' => '躁',
  'Ľ' => '躅',
  'ľ' => '躂',
  'Ŀ' => '醴',
  '�' => '釋',
  '�' => '鐘',
  '��' => '鐃',
  '��' => '鏽',
  '��' => '闡',
  '��' => '霰',
  '��' => '飄',
  '��' => '饒',
  '��' => '饑',
  '��' => '馨',
  '��' => '騫',
  '��' => '騰',
  '��' => '騷',
  '��' => '騵',
  '��' => '鰓',
  '��' => '鰍',
  '��' => '鹹',
  '��' => '麵',
  '��' => '黨',
  '��' => '鼯',
  '��' => '齟',
  '��' => '齣',
  '��' => '齡',
  '��' => '儷',
  '��' => '儸',
  '��' => '囁',
  '��' => '囀',
  '��' => '囂',
  '��' => '夔',
  '��' => '屬',
  '��' => '巍',
  '��' => '懼',
  '��' => '懾',
  '��' => '攝',
  '��' => '攜',
  '��' => '斕',
  '��' => '曩',
  '��' => '櫻',
  '��' => '欄',
  '��' => '櫺',
  '��' => '殲',
  '��' => '灌',
  '��' => '爛',
  '��' => '犧',
  '��' => '瓖',
  '��' => '瓔',
  '��' => '癩',
  '��' => '矓',
  '��' => '籐',
  '��' => '纏',
  '��' => '續',
  '��' => '羼',
  '��' => '蘗',
  '�' => '蘭',
  '�' => '蘚',
  '�' => '蠣',
  '�' => '蠢',
  '�' => '蠡',
  '�' => '蠟',
  '�' => '襪',
  '�' => '襬',
  '�' => '覽',
  '�' => '譴',
  '�@' => '護',
  '�A' => '譽',
  '�B' => '贓',
  '�C' => '躊',
  '�D' => '躍',
  '�E' => '躋',
  '�F' => '轟',
  '�G' => '辯',
  '�H' => '醺',
  '�I' => '鐮',
  '�J' => '鐳',
  '�K' => '鐵',
  '�L' => '鐺',
  '�M' => '鐸',
  '�N' => '鐲',
  '�O' => '鐫',
  '�P' => '闢',
  '�Q' => '霸',
  '�R' => '霹',
  '�S' => '露',
  '�T' => '響',
  '�U' => '顧',
  '�V' => '顥',
  '�W' => '饗',
  '�X' => '驅',
  '�Y' => '驃',
  '�Z' => '驀',
  '�[' => '騾',
  '�\\' => '髏',
  '�]' => '魔',
  '�^' => '魑',
  '�_' => '鰭',
  '�`' => '鰥',
  '�a' => '鶯',
  '�b' => '鶴',
  '�c' => '鷂',
  '�d' => '鶸',
  '�e' => '麝',
  '�f' => '黯',
  '�g' => '鼙',
  '�h' => '齜',
  '�i' => '齦',
  '�j' => '齧',
  '�k' => '儼',
  '�l' => '儻',
  '�m' => '囈',
  '�n' => '囊',
  '�o' => '囉',
  '�p' => '孿',
  '�q' => '巔',
  '�r' => '巒',
  '�s' => '彎',
  '�t' => '懿',
  '�u' => '攤',
  '�v' => '權',
  '�w' => '歡',
  '�x' => '灑',
  '�y' => '灘',
  '�z' => '玀',
  '�{' => '瓤',
  '�|' => '疊',
  '�}' => '癮',
  '�~' => '癬',
  'š' => '禳',
  'Ţ' => '籠',
  'ţ' => '籟',
  'Ť' => '聾',
  'ť' => '聽',
  'Ŧ' => '臟',
  'ŧ' => '襲',
  'Ũ' => '襯',
  'ũ' => '觼',
  'Ū' => '讀',
  'ū' => '贖',
  'Ŭ' => '贗',
  'ŭ' => '躑',
  'Ů' => '躓',
  'ů' => '轡',
  'Ű' => '酈',
  'ű' => '鑄',
  'Ų' => '鑑',
  'ų' => '鑒',
  'Ŵ' => '霽',
  'ŵ' => '霾',
  'Ŷ' => '韃',
  'ŷ' => '韁',
  'Ÿ' => '顫',
  'Ź' => '饕',
  'ź' => '驕',
  'Ż' => '驍',
  'ż' => '髒',
  'Ž' => '鬚',
  'ž' => '鱉',
  'ſ' => '鰱',
  '�' => '鰾',
  '�' => '鰻',
  '��' => '鷓',
  '��' => '鷗',
  '��' => '鼴',
  '��' => '齬',
  '��' => '齪',
  '��' => '龔',
  '��' => '囌',
  '��' => '巖',
  '��' => '戀',
  '��' => '攣',
  '��' => '攫',
  '��' => '攪',
  '��' => '曬',
  '��' => '欐',
  '��' => '瓚',
  '��' => '竊',
  '��' => '籤',
  '��' => '籣',
  '��' => '籥',
  '��' => '纓',
  '��' => '纖',
  '��' => '纔',
  '��' => '臢',
  '��' => '蘸',
  '��' => '蘿',
  '��' => '蠱',
  '��' => '變',
  '��' => '邐',
  '��' => '邏',
  '��' => '鑣',
  '��' => '鑠',
  '��' => '鑤',
  '��' => '靨',
  '��' => '顯',
  '��' => '饜',
  '��' => '驚',
  '��' => '驛',
  '��' => '驗',
  '��' => '髓',
  '��' => '體',
  '��' => '髑',
  '��' => '鱔',
  '��' => '鱗',
  '��' => '鱖',
  '��' => '鷥',
  '��' => '麟',
  '��' => '黴',
  '��' => '囑',
  '��' => '壩',
  '��' => '攬',
  '��' => '灞',
  '�' => '癱',
  '�' => '癲',
  '�' => '矗',
  '�' => '罐',
  '�' => '羈',
  '�' => '蠶',
  '�' => '蠹',
  '�' => '衢',
  '�' => '讓',
  '�' => '讒',
  '�@' => '讖',
  '�A' => '艷',
  '�B' => '贛',
  '�C' => '釀',
  '�D' => '鑪',
  '�E' => '靂',
  '�F' => '靈',
  '�G' => '靄',
  '�H' => '韆',
  '�I' => '顰',
  '�J' => '驟',
  '�K' => '鬢',
  '�L' => '魘',
  '�M' => '鱟',
  '�N' => '鷹',
  '�O' => '鷺',
  '�P' => '鹼',
  '�Q' => '鹽',
  '�R' => '鼇',
  '�S' => '齷',
  '�T' => '齲',
  '�U' => '廳',
  '�V' => '欖',
  '�W' => '灣',
  '�X' => '籬',
  '�Y' => '籮',
  '�Z' => '蠻',
  '�[' => '觀',
  '�\\' => '躡',
  '�]' => '釁',
  '�^' => '鑲',
  '�_' => '鑰',
  '�`' => '顱',
  '�a' => '饞',
  '�b' => '髖',
  '�c' => '鬣',
  '�d' => '黌',
  '�e' => '灤',
  '�f' => '矚',
  '�g' => '讚',
  '�h' => '鑷',
  '�i' => '韉',
  '�j' => '驢',
  '�k' => '驥',
  '�l' => '纜',
  '�m' => '讜',
  '�n' => '躪',
  '�o' => '釅',
  '�p' => '鑽',
  '�q' => '鑾',
  '�r' => '鑼',
  '�s' => '鱷',
  '�t' => '鱸',
  '�u' => '黷',
  '�v' => '豔',
  '�w' => '鑿',
  '�x' => '鸚',
  '�y' => '爨',
  '�z' => '驪',
  '�{' => '鬱',
  '�|' => '鸛',
  '�}' => '鸞',
  '�~' => '籲',
  '�@' => '乂',
  '�A' => '乜',
  '�B' => '凵',
  '�C' => '匚',
  '�D' => '厂',
  '�E' => '万',
  '�F' => '丌',
  '�G' => '乇',
  '�H' => '亍',
  '�I' => '囗',
  '�J' => '兀',
  '�K' => '屮',
  '�L' => '彳',
  '�M' => '丏',
  '�N' => '冇',
  '�O' => '与',
  '�P' => '丮',
  '�Q' => '亓',
  '�R' => '仂',
  '�S' => '仉',
  '�T' => '仈',
  '�U' => '冘',
  '�V' => '勼',
  '�W' => '卬',
  '�X' => '厹',
  '�Y' => '圠',
  '�Z' => '夃',
  '�[' => '夬',
  '�\\' => '尐',
  '�]' => '巿',
  '�^' => '旡',
  '�_' => '殳',
  '�`' => '毌',
  '�a' => '气',
  '�b' => '爿',
  '�c' => '丱',
  '�d' => '丼',
  '�e' => '仨',
  '�f' => '仜',
  '�g' => '仩',
  '�h' => '仡',
  '�i' => '仝',
  '�j' => '仚',
  '�k' => '刌',
  '�l' => '匜',
  '�m' => '卌',
  '�n' => '圢',
  '�o' => '圣',
  '�p' => '夗',
  '�q' => '夯',
  '�r' => '宁',
  '�s' => '宄',
  '�t' => '尒',
  '�u' => '尻',
  '�v' => '屴',
  '�w' => '屳',
  '�x' => '帄',
  '�y' => '庀',
  '�z' => '庂',
  '�{' => '忉',
  '�|' => '戉',
  '�}' => '扐',
  '�~' => '氕',
  'ɡ' => '氶',
  'ɢ' => '汃',
  'ɣ' => '氿',
  'ɤ' => '氻',
  'ɥ' => '犮',
  'ɦ' => '犰',
  'ɧ' => '玊',
  'ɨ' => '禸',
  'ɩ' => '肊',
  'ɪ' => '阞',
  'ɫ' => '伎',
  'ɬ' => '优',
  'ɭ' => '伬',
  'ɮ' => '仵',
  'ɯ' => '伔',
  'ɰ' => '仱',
  'ɱ' => '伀',
  'ɲ' => '价',
  'ɳ' => '伈',
  'ɴ' => '伝',
  'ɵ' => '伂',
  'ɶ' => '伅',
  'ɷ' => '伢',
  'ɸ' => '伓',
  'ɹ' => '伄',
  'ɺ' => '仴',
  'ɻ' => '伒',
  'ɼ' => '冱',
  'ɽ' => '刓',
  'ɾ' => '刉',
  'ɿ' => '刐',
  '�' => '劦',
  '�' => '匢',
  '��' => '匟',
  '��' => '卍',
  '��' => '厊',
  '��' => '吇',
  '��' => '囡',
  '��' => '囟',
  '��' => '圮',
  '��' => '圪',
  '��' => '圴',
  '��' => '夼',
  '��' => '妀',
  '��' => '奼',
  '��' => '妅',
  '��' => '奻',
  '��' => '奾',
  '��' => '奷',
  '��' => '奿',
  '��' => '孖',
  '��' => '尕',
  '��' => '尥',
  '��' => '屼',
  '��' => '屺',
  '��' => '屻',
  '��' => '屾',
  '��' => '巟',
  '��' => '幵',
  '��' => '庄',
  '��' => '异',
  '��' => '弚',
  '��' => '彴',
  '��' => '忕',
  '��' => '忔',
  '��' => '忏',
  '��' => '扜',
  '��' => '扞',
  '��' => '扤',
  '��' => '扡',
  '��' => '扦',
  '��' => '扢',
  '��' => '扙',
  '��' => '扠',
  '��' => '扚',
  '��' => '扥',
  '��' => '旯',
  '��' => '旮',
  '��' => '朾',
  '��' => '朹',
  '��' => '朸',
  '��' => '朻',
  '��' => '机',
  '��' => '朿',
  '�' => '朼',
  '�' => '朳',
  '�' => '氘',
  '�' => '汆',
  '�' => '汒',
  '�' => '汜',
  '�' => '汏',
  '�' => '汊',
  '�' => '汔',
  '�' => '汋',
  '�@' => '汌',
  '�A' => '灱',
  '�B' => '牞',
  '�C' => '犴',
  '�D' => '犵',
  '�E' => '玎',
  '�F' => '甪',
  '�G' => '癿',
  '�H' => '穵',
  '�I' => '网',
  '�J' => '艸',
  '�K' => '艼',
  '�L' => '芀',
  '�M' => '艽',
  '�N' => '艿',
  '�O' => '虍',
  '�P' => '襾',
  '�Q' => '邙',
  '�R' => '邗',
  '�S' => '邘',
  '�T' => '邛',
  '�U' => '邔',
  '�V' => '阢',
  '�W' => '阤',
  '�X' => '阠',
  '�Y' => '阣',
  '�Z' => '佖',
  '�[' => '伻',
  '�\\' => '佢',
  '�]' => '佉',
  '�^' => '体',
  '�_' => '佤',
  '�`' => '伾',
  '�a' => '佧',
  '�b' => '佒',
  '�c' => '佟',
  '�d' => '佁',
  '�e' => '佘',
  '�f' => '伭',
  '�g' => '伳',
  '�h' => '伿',
  '�i' => '佡',
  '�j' => '冏',
  '�k' => '冹',
  '�l' => '刜',
  '�m' => '刞',
  '�n' => '刡',
  '�o' => '劭',
  '�p' => '劮',
  '�q' => '匉',
  '�r' => '卣',
  '�s' => '卲',
  '�t' => '厎',
  '�u' => '厏',
  '�v' => '吰',
  '�w' => '吷',
  '�x' => '吪',
  '�y' => '呔',
  '�z' => '呅',
  '�{' => '吙',
  '�|' => '吜',
  '�}' => '吥',
  '�~' => '吘',
  'ʡ' => '吽',
  'ʢ' => '呏',
  'ʣ' => '呁',
  'ʤ' => '吨',
  'ʥ' => '吤',
  'ʦ' => '呇',
  'ʧ' => '囮',
  'ʨ' => '囧',
  'ʩ' => '囥',
  'ʪ' => '坁',
  'ʫ' => '坅',
  'ʬ' => '坌',
  'ʭ' => '坉',
  'ʮ' => '坋',
  'ʯ' => '坒',
  'ʰ' => '夆',
  'ʱ' => '奀',
  'ʲ' => '妦',
  'ʳ' => '妘',
  'ʴ' => '妠',
  'ʵ' => '妗',
  'ʶ' => '妎',
  'ʷ' => '妢',
  'ʸ' => '妐',
  'ʹ' => '妏',
  'ʺ' => '妧',
  'ʻ' => '妡',
  'ʼ' => '宎',
  'ʽ' => '宒',
  'ʾ' => '尨',
  'ʿ' => '尪',
  '�' => '岍',
  '�' => '岏',
  '��' => '岈',
  '��' => '岋',
  '��' => '岉',
  '��' => '岒',
  '��' => '岊',
  '��' => '岆',
  '��' => '岓',
  '��' => '岕',
  '��' => '巠',
  '��' => '帊',
  '��' => '帎',
  '��' => '庋',
  '��' => '庉',
  '��' => '庌',
  '��' => '庈',
  '��' => '庍',
  '��' => '弅',
  '��' => '弝',
  '��' => '彸',
  '��' => '彶',
  '��' => '忒',
  '��' => '忑',
  '��' => '忐',
  '��' => '忭',
  '��' => '忨',
  '��' => '忮',
  '��' => '忳',
  '��' => '忡',
  '��' => '忤',
  '��' => '忣',
  '��' => '忺',
  '��' => '忯',
  '��' => '忷',
  '��' => '忻',
  '��' => '怀',
  '��' => '忴',
  '��' => '戺',
  '��' => '抃',
  '��' => '抌',
  '��' => '抎',
  '��' => '抏',
  '��' => '抔',
  '��' => '抇',
  '��' => '扱',
  '��' => '扻',
  '��' => '扺',
  '��' => '扰',
  '��' => '抁',
  '��' => '抈',
  '��' => '扷',
  '��' => '扽',
  '�' => '扲',
  '�' => '扴',
  '�' => '攷',
  '�' => '旰',
  '�' => '旴',
  '�' => '旳',
  '�' => '旲',
  '�' => '旵',
  '�' => '杅',
  '�' => '杇',
  '�@' => '杙',
  '�A' => '杕',
  '�B' => '杌',
  '�C' => '杈',
  '�D' => '杝',
  '�E' => '杍',
  '�F' => '杚',
  '�G' => '杋',
  '�H' => '毐',
  '�I' => '氙',
  '�J' => '氚',
  '�K' => '汸',
  '�L' => '汧',
  '�M' => '汫',
  '�N' => '沄',
  '�O' => '沋',
  '�P' => '沏',
  '�Q' => '汱',
  '�R' => '汯',
  '�S' => '汩',
  '�T' => '沚',
  '�U' => '汭',
  '�V' => '沇',
  '�W' => '沕',
  '�X' => '沜',
  '�Y' => '汦',
  '�Z' => '汳',
  '�[' => '汥',
  '�\\' => '汻',
  '�]' => '沎',
  '�^' => '灴',
  '�_' => '灺',
  '�`' => '牣',
  '�a' => '犿',
  '�b' => '犽',
  '�c' => '狃',
  '�d' => '狆',
  '�e' => '狁',
  '�f' => '犺',
  '�g' => '狅',
  '�h' => '玕',
  '�i' => '玗',
  '�j' => '玓',
  '�k' => '玔',
  '�l' => '玒',
  '�m' => '町',
  '�n' => '甹',
  '�o' => '疔',
  '�p' => '疕',
  '�q' => '皁',
  '�r' => '礽',
  '�s' => '耴',
  '�t' => '肕',
  '�u' => '肙',
  '�v' => '肐',
  '�w' => '肒',
  '�x' => '肜',
  '�y' => '芐',
  '�z' => '芏',
  '�{' => '芅',
  '�|' => '芎',
  '�}' => '芑',
  '�~' => '芓',
  'ˡ' => '芊',
  'ˢ' => '芃',
  'ˣ' => '芄',
  'ˤ' => '豸',
  '˥' => '迉',
  '˦' => '辿',
  '˧' => '邟',
  '˨' => '邡',
  '˩' => '邥',
  '˪' => '邞',
  '˫' => '邧',
  'ˬ' => '邠',
  '˭' => '阰',
  'ˮ' => '阨',
  '˯' => '阯',
  '˰' => '阭',
  '˱' => '丳',
  '˲' => '侘',
  '˳' => '佼',
  '˴' => '侅',
  '˵' => '佽',
  '˶' => '侀',
  '˷' => '侇',
  '˸' => '佶',
  '˹' => '佴',
  '˺' => '侉',
  '˻' => '侄',
  '˼' => '佷',
  '˽' => '佌',
  '˾' => '侗',
  '˿' => '佪',
  '�' => '侚',
  '�' => '佹',
  '��' => '侁',
  '��' => '佸',
  '��' => '侐',
  '��' => '侜',
  '��' => '侔',
  '��' => '侞',
  '��' => '侒',
  '��' => '侂',
  '��' => '侕',
  '��' => '佫',
  '��' => '佮',
  '��' => '冞',
  '��' => '冼',
  '��' => '冾',
  '��' => '刵',
  '��' => '刲',
  '��' => '刳',
  '��' => '剆',
  '��' => '刱',
  '��' => '劼',
  '��' => '匊',
  '��' => '匋',
  '��' => '匼',
  '��' => '厒',
  '��' => '厔',
  '��' => '咇',
  '��' => '呿',
  '��' => '咁',
  '��' => '咑',
  '��' => '咂',
  '��' => '咈',
  '��' => '呫',
  '��' => '呺',
  '��' => '呾',
  '��' => '呥',
  '��' => '呬',
  '��' => '呴',
  '��' => '呦',
  '��' => '咍',
  '��' => '呯',
  '��' => '呡',
  '��' => '呠',
  '��' => '咘',
  '��' => '呣',
  '��' => '呧',
  '��' => '呤',
  '��' => '囷',
  '��' => '囹',
  '��' => '坯',
  '��' => '坲',
  '��' => '坭',
  '�' => '坫',
  '�' => '坱',
  '�' => '坰',
  '�' => '坶',
  '�' => '垀',
  '�' => '坵',
  '�' => '坻',
  '�' => '坳',
  '�' => '坴',
  '�' => '坢',
  '�@' => '坨',
  '�A' => '坽',
  '�B' => '夌',
  '�C' => '奅',
  '�D' => '妵',
  '�E' => '妺',
  '�F' => '姏',
  '�G' => '姎',
  '�H' => '妲',
  '�I' => '姌',
  '�J' => '姁',
  '�K' => '妶',
  '�L' => '妼',
  '�M' => '姃',
  '�N' => '姖',
  '�O' => '妱',
  '�P' => '妽',
  '�Q' => '姀',
  '�R' => '姈',
  '�S' => '妴',
  '�T' => '姇',
  '�U' => '孢',
  '�V' => '孥',
  '�W' => '宓',
  '�X' => '宕',
  '�Y' => '屄',
  '�Z' => '屇',
  '�[' => '岮',
  '�\\' => '岤',
  '�]' => '岠',
  '�^' => '岵',
  '�_' => '岯',
  '�`' => '岨',
  '�a' => '岬',
  '�b' => '岟',
  '�c' => '岣',
  '�d' => '岭',
  '�e' => '岢',
  '�f' => '岪',
  '�g' => '岧',
  '�h' => '岝',
  '�i' => '岥',
  '�j' => '岶',
  '�k' => '岰',
  '�l' => '岦',
  '�m' => '帗',
  '�n' => '帔',
  '�o' => '帙',
  '�p' => '弨',
  '�q' => '弢',
  '�r' => '弣',
  '�s' => '弤',
  '�t' => '彔',
  '�u' => '徂',
  '�v' => '彾',
  '�w' => '彽',
  '�x' => '忞',
  '�y' => '忥',
  '�z' => '怭',
  '�{' => '怦',
  '�|' => '怙',
  '�}' => '怲',
  '�~' => '怋',
  '̡' => '怴',
  '̢' => '怊',
  '̣' => '怗',
  '̤' => '怳',
  '̥' => '怚',
  '̦' => '怞',
  '̧' => '怬',
  '̨' => '怢',
  '̩' => '怍',
  '̪' => '怐',
  '̫' => '怮',
  '̬' => '怓',
  '̭' => '怑',
  '̮' => '怌',
  '̯' => '怉',
  '̰' => '怜',
  '̱' => '戔',
  '̲' => '戽',
  '̳' => '抭',
  '̴' => '抴',
  '̵' => '拑',
  '̶' => '抾',
  '̷' => '抪',
  '̸' => '抶',
  '̹' => '拊',
  '̺' => '抮',
  '̻' => '抳',
  '̼' => '抯',
  '̽' => '抻',
  '̾' => '抩',
  '̿' => '抰',
  '�' => '抸',
  '�' => '攽',
  '��' => '斨',
  '��' => '斻',
  '��' => '昉',
  '��' => '旼',
  '��' => '昄',
  '��' => '昒',
  '��' => '昈',
  '��' => '旻',
  '��' => '昃',
  '��' => '昋',
  '��' => '昍',
  '��' => '昅',
  '��' => '旽',
  '��' => '昑',
  '��' => '昐',
  '��' => '曶',
  '��' => '朊',
  '��' => '枅',
  '��' => '杬',
  '��' => '枎',
  '��' => '枒',
  '��' => '杶',
  '��' => '杻',
  '��' => '枘',
  '��' => '枆',
  '��' => '构',
  '��' => '杴',
  '��' => '枍',
  '��' => '枌',
  '��' => '杺',
  '��' => '枟',
  '��' => '枑',
  '��' => '枙',
  '��' => '枃',
  '��' => '杽',
  '��' => '极',
  '��' => '杸',
  '��' => '杹',
  '��' => '枔',
  '��' => '欥',
  '��' => '殀',
  '��' => '歾',
  '��' => '毞',
  '��' => '氝',
  '��' => '沓',
  '��' => '泬',
  '��' => '泫',
  '��' => '泮',
  '��' => '泙',
  '��' => '沶',
  '��' => '泔',
  '�' => '沭',
  '�' => '泧',
  '�' => '沷',
  '�' => '泐',
  '�' => '泂',
  '�' => '沺',
  '�' => '泃',
  '�' => '泆',
  '�' => '泭',
  '�' => '泲',
  '�@' => '泒',
  '�A' => '泝',
  '�B' => '沴',
  '�C' => '沊',
  '�D' => '沝',
  '�E' => '沀',
  '�F' => '泞',
  '�G' => '泀',
  '�H' => '洰',
  '�I' => '泍',
  '�J' => '泇',
  '�K' => '沰',
  '�L' => '泹',
  '�M' => '泏',
  '�N' => '泩',
  '�O' => '泑',
  '�P' => '炔',
  '�Q' => '炘',
  '�R' => '炅',
  '�S' => '炓',
  '�T' => '炆',
  '�U' => '炄',
  '�V' => '炑',
  '�W' => '炖',
  '�X' => '炂',
  '�Y' => '炚',
  '�Z' => '炃',
  '�[' => '牪',
  '�\\' => '狖',
  '�]' => '狋',
  '�^' => '狘',
  '�_' => '狉',
  '�`' => '狜',
  '�a' => '狒',
  '�b' => '狔',
  '�c' => '狚',
  '�d' => '狌',
  '�e' => '狑',
  '�f' => '玤',
  '�g' => '玡',
  '�h' => '玭',
  '�i' => '玦',
  '�j' => '玢',
  '�k' => '玠',
  '�l' => '玬',
  '�m' => '玝',
  '�n' => '瓝',
  '�o' => '瓨',
  '�p' => '甿',
  '�q' => '畀',
  '�r' => '甾',
  '�s' => '疌',
  '�t' => '疘',
  '�u' => '皯',
  '�v' => '盳',
  '�w' => '盱',
  '�x' => '盰',
  '�y' => '盵',
  '�z' => '矸',
  '�{' => '矼',
  '�|' => '矹',
  '�}' => '矻',
  '�~' => '矺',
  '͡' => '矷',
  '͢' => '祂',
  'ͣ' => '礿',
  'ͤ' => '秅',
  'ͥ' => '穸',
  'ͦ' => '穻',
  'ͧ' => '竻',
  'ͨ' => '籵',
  'ͩ' => '糽',
  'ͪ' => '耵',
  'ͫ' => '肏',
  'ͬ' => '肮',
  'ͭ' => '肣',
  'ͮ' => '肸',
  'ͯ' => '肵',
  'Ͱ' => '肭',
  'ͱ' => '舠',
  'Ͳ' => '芠',
  'ͳ' => '苀',
  'ʹ' => '芫',
  '͵' => '芚',
  'Ͷ' => '芘',
  'ͷ' => '芛',
  '͸' => '芵',
  '͹' => '芧',
  'ͺ' => '芮',
  'ͻ' => '芼',
  'ͼ' => '芞',
  'ͽ' => '芺',
  ';' => '芴',
  'Ϳ' => '芨',
  '�' => '芡',
  '�' => '芩',
  '��' => '苂',
  '��' => '芤',
  '��' => '苃',
  '��' => '芶',
  '��' => '芢',
  '��' => '虰',
  '��' => '虯',
  '��' => '虭',
  '��' => '虮',
  '��' => '豖',
  '��' => '迒',
  '��' => '迋',
  '��' => '迓',
  '��' => '迍',
  '��' => '迖',
  '��' => '迕',
  '��' => '迗',
  '��' => '邲',
  '��' => '邴',
  '��' => '邯',
  '��' => '邳',
  '��' => '邰',
  '��' => '阹',
  '��' => '阽',
  '��' => '阼',
  '��' => '阺',
  '��' => '陃',
  '��' => '俍',
  '��' => '俅',
  '��' => '俓',
  '��' => '侲',
  '��' => '俉',
  '��' => '俋',
  '��' => '俁',
  '��' => '俔',
  '��' => '俜',
  '��' => '俙',
  '��' => '侻',
  '��' => '侳',
  '��' => '俛',
  '��' => '俇',
  '��' => '俖',
  '��' => '侺',
  '��' => '俀',
  '��' => '侹',
  '��' => '俬',
  '��' => '剄',
  '��' => '剉',
  '��' => '勀',
  '��' => '勂',
  '��' => '匽',
  '�' => '卼',
  '�' => '厗',
  '�' => '厖',
  '�' => '厙',
  '�' => '厘',
  '�' => '咺',
  '�' => '咡',
  '�' => '咭',
  '�' => '咥',
  '�' => '哏',
  '�@' => '哃',
  '�A' => '茍',
  '�B' => '咷',
  '�C' => '咮',
  '�D' => '哖',
  '�E' => '咶',
  '�F' => '哅',
  '�G' => '哆',
  '�H' => '咠',
  '�I' => '呰',
  '�J' => '咼',
  '�K' => '咢',
  '�L' => '咾',
  '�M' => '呲',
  '�N' => '哞',
  '�O' => '咰',
  '�P' => '垵',
  '�Q' => '垞',
  '�R' => '垟',
  '�S' => '垤',
  '�T' => '垌',
  '�U' => '垗',
  '�V' => '垝',
  '�W' => '垛',
  '�X' => '垔',
  '�Y' => '垘',
  '�Z' => '垏',
  '�[' => '垙',
  '�\\' => '垥',
  '�]' => '垚',
  '�^' => '垕',
  '�_' => '壴',
  '�`' => '复',
  '�a' => '奓',
  '�b' => '姡',
  '�c' => '姞',
  '�d' => '姮',
  '�e' => '娀',
  '�f' => '姱',
  '�g' => '姝',
  '�h' => '姺',
  '�i' => '姽',
  '�j' => '姼',
  '�k' => '姶',
  '�l' => '姤',
  '�m' => '姲',
  '�n' => '姷',
  '�o' => '姛',
  '�p' => '姩',
  '�q' => '姳',
  '�r' => '姵',
  '�s' => '姠',
  '�t' => '姾',
  '�u' => '姴',
  '�v' => '姭',
  '�w' => '宨',
  '�x' => '屌',
  '�y' => '峐',
  '�z' => '峘',
  '�{' => '峌',
  '�|' => '峗',
  '�}' => '峋',
  '�~' => '峛',
  'Ρ' => '峞',
  '΢' => '峚',
  'Σ' => '峉',
  'Τ' => '峇',
  'Υ' => '峊',
  'Φ' => '峖',
  'Χ' => '峓',
  'Ψ' => '峔',
  'Ω' => '峏',
  'Ϊ' => '峈',
  'Ϋ' => '峆',
  'ά' => '峎',
  'έ' => '峟',
  'ή' => '峸',
  'ί' => '巹',
  'ΰ' => '帡',
  'α' => '帢',
  'β' => '帣',
  'γ' => '帠',
  'δ' => '帤',
  'ε' => '庰',
  'ζ' => '庤',
  'η' => '庢',
  'θ' => '庛',
  'ι' => '庣',
  'κ' => '庥',
  'λ' => '弇',
  'μ' => '弮',
  'ν' => '彖',
  'ξ' => '徆',
  'ο' => '怷',
  '�' => '怹',
  '�' => '恔',
  '��' => '恲',
  '��' => '恞',
  '��' => '恅',
  '��' => '恓',
  '��' => '恇',
  '��' => '恉',
  '��' => '恛',
  '��' => '恌',
  '��' => '恀',
  '��' => '恂',
  '��' => '恟',
  '��' => '怤',
  '��' => '恄',
  '��' => '恘',
  '��' => '恦',
  '��' => '恮',
  '��' => '扂',
  '��' => '扃',
  '��' => '拏',
  '��' => '挍',
  '��' => '挋',
  '��' => '拵',
  '��' => '挎',
  '��' => '挃',
  '��' => '拫',
  '��' => '拹',
  '��' => '挏',
  '��' => '挌',
  '��' => '拸',
  '��' => '拶',
  '��' => '挀',
  '��' => '挓',
  '��' => '挔',
  '��' => '拺',
  '��' => '挕',
  '��' => '拻',
  '��' => '拰',
  '��' => '敁',
  '��' => '敃',
  '��' => '斪',
  '��' => '斿',
  '��' => '昶',
  '��' => '昡',
  '��' => '昲',
  '��' => '昵',
  '��' => '昜',
  '��' => '昦',
  '��' => '昢',
  '��' => '昳',
  '��' => '昫',
  '��' => '昺',
  '�' => '昝',
  '�' => '昴',
  '�' => '昹',
  '�' => '昮',
  '�' => '朏',
  '�' => '朐',
  '�' => '柁',
  '�' => '柲',
  '�' => '柈',
  '�' => '枺',
  '�@' => '柜',
  '�A' => '枻',
  '�B' => '柸',
  '�C' => '柘',
  '�D' => '柀',
  '�E' => '枷',
  '�F' => '柅',
  '�G' => '柫',
  '�H' => '柤',
  '�I' => '柟',
  '�J' => '枵',
  '�K' => '柍',
  '�L' => '枳',
  '�M' => '柷',
  '�N' => '柶',
  '�O' => '柮',
  '�P' => '柣',
  '�Q' => '柂',
  '�R' => '枹',
  '�S' => '柎',
  '�T' => '柧',
  '�U' => '柰',
  '�V' => '枲',
  '�W' => '柼',
  '�X' => '柆',
  '�Y' => '柭',
  '�Z' => '柌',
  '�[' => '枮',
  '�\\' => '柦',
  '�]' => '柛',
  '�^' => '柺',
  '�_' => '柉',
  '�`' => '柊',
  '�a' => '柃',
  '�b' => '柪',
  '�c' => '柋',
  '�d' => '欨',
  '�e' => '殂',
  '�f' => '殄',
  '�g' => '殶',
  '�h' => '毖',
  '�i' => '毘',
  '�j' => '毠',
  '�k' => '氠',
  '�l' => '氡',
  '�m' => '洨',
  '�n' => '洴',
  '�o' => '洭',
  '�p' => '洟',
  '�q' => '洼',
  '�r' => '洿',
  '�s' => '洒',
  '�t' => '洊',
  '�u' => '泚',
  '�v' => '洳',
  '�w' => '洄',
  '�x' => '洙',
  '�y' => '洺',
  '�z' => '洚',
  '�{' => '洑',
  '�|' => '洀',
  '�}' => '洝',
  '�~' => '浂',
  'ϡ' => '洁',
  'Ϣ' => '洘',
  'ϣ' => '洷',
  'Ϥ' => '洃',
  'ϥ' => '洏',
  'Ϧ' => '浀',
  'ϧ' => '洇',
  'Ϩ' => '洠',
  'ϩ' => '洬',
  'Ϫ' => '洈',
  'ϫ' => '洢',
  'Ϭ' => '洉',
  'ϭ' => '洐',
  'Ϯ' => '炷',
  'ϯ' => '炟',
  'ϰ' => '炾',
  'ϱ' => '炱',
  'ϲ' => '炰',
  'ϳ' => '炡',
  'ϴ' => '炴',
  'ϵ' => '炵',
  '϶' => '炩',
  'Ϸ' => '牁',
  'ϸ' => '牉',
  'Ϲ' => '牊',
  'Ϻ' => '牬',
  'ϻ' => '牰',
  'ϼ' => '牳',
  'Ͻ' => '牮',
  'Ͼ' => '狊',
  'Ͽ' => '狤',
  '�' => '狨',
  '�' => '狫',
  '��' => '狟',
  '��' => '狪',
  '��' => '狦',
  '��' => '狣',
  '��' => '玅',
  '��' => '珌',
  '��' => '珂',
  '��' => '珈',
  '��' => '珅',
  '��' => '玹',
  '��' => '玶',
  '��' => '玵',
  '��' => '玴',
  '��' => '珫',
  '��' => '玿',
  '��' => '珇',
  '��' => '玾',
  '��' => '珃',
  '��' => '珆',
  '��' => '玸',
  '��' => '珋',
  '��' => '瓬',
  '��' => '瓮',
  '��' => '甮',
  '��' => '畇',
  '��' => '畈',
  '��' => '疧',
  '��' => '疪',
  '��' => '癹',
  '��' => '盄',
  '��' => '眈',
  '��' => '眃',
  '��' => '眄',
  '��' => '眅',
  '��' => '眊',
  '��' => '盷',
  '��' => '盻',
  '��' => '盺',
  '��' => '矧',
  '��' => '矨',
  '��' => '砆',
  '��' => '砑',
  '��' => '砒',
  '��' => '砅',
  '��' => '砐',
  '��' => '砏',
  '��' => '砎',
  '��' => '砉',
  '��' => '砃',
  '��' => '砓',
  '��' => '祊',
  '�' => '祌',
  '�' => '祋',
  '�' => '祅',
  '�' => '祄',
  '�' => '秕',
  '�' => '种',
  '�' => '秏',
  '�' => '秖',
  '�' => '秎',
  '�' => '窀',
  '�@' => '穾',
  '�A' => '竑',
  '�B' => '笀',
  '�C' => '笁',
  '�D' => '籺',
  '�E' => '籸',
  '�F' => '籹',
  '�G' => '籿',
  '�H' => '粀',
  '�I' => '粁',
  '�J' => '紃',
  '�K' => '紈',
  '�L' => '紁',
  '�M' => '罘',
  '�N' => '羑',
  '�O' => '羍',
  '�P' => '羾',
  '�Q' => '耇',
  '�R' => '耎',
  '�S' => '耏',
  '�T' => '耔',
  '�U' => '耷',
  '�V' => '胘',
  '�W' => '胇',
  '�X' => '胠',
  '�Y' => '胑',
  '�Z' => '胈',
  '�[' => '胂',
  '�\\' => '胐',
  '�]' => '胅',
  '�^' => '胣',
  '�_' => '胙',
  '�`' => '胜',
  '�a' => '胊',
  '�b' => '胕',
  '�c' => '胉',
  '�d' => '胏',
  '�e' => '胗',
  '�f' => '胦',
  '�g' => '胍',
  '�h' => '臿',
  '�i' => '舡',
  '�j' => '芔',
  '�k' => '苙',
  '�l' => '苾',
  '�m' => '苹',
  '�n' => '茇',
  '�o' => '苨',
  '�p' => '茀',
  '�q' => '苕',
  '�r' => '茺',
  '�s' => '苫',
  '�t' => '苖',
  '�u' => '苴',
  '�v' => '苬',
  '�w' => '苡',
  '�x' => '苲',
  '�y' => '苵',
  '�z' => '茌',
  '�{' => '苻',
  '�|' => '苶',
  '�}' => '苰',
  '�~' => '苪',
  'С' => '苤',
  'Т' => '苠',
  'У' => '苺',
  'Ф' => '苳',
  'Х' => '苭',
  'Ц' => '虷',
  'Ч' => '虴',
  'Ш' => '虼',
  'Щ' => '虳',
  'Ъ' => '衁',
  'Ы' => '衎',
  'Ь' => '衧',
  'Э' => '衪',
  'Ю' => '衩',
  'Я' => '觓',
  'а' => '訄',
  'б' => '訇',
  'в' => '赲',
  'г' => '迣',
  'д' => '迡',
  'е' => '迮',
  'ж' => '迠',
  'з' => '郱',
  'и' => '邽',
  'й' => '邿',
  'к' => '郕',
  'л' => '郅',
  'м' => '邾',
  'н' => '郇',
  'о' => '郋',
  'п' => '郈',
  '�' => '釔',
  '�' => '釓',
  '��' => '陔',
  '��' => '陏',
  '��' => '陑',
  '��' => '陓',
  '��' => '陊',
  '��' => '陎',
  '��' => '倞',
  '��' => '倅',
  '��' => '倇',
  '��' => '倓',
  '��' => '倢',
  '��' => '倰',
  '��' => '倛',
  '��' => '俵',
  '��' => '俴',
  '��' => '倳',
  '��' => '倷',
  '��' => '倬',
  '��' => '俶',
  '��' => '俷',
  '��' => '倗',
  '��' => '倜',
  '��' => '倠',
  '��' => '倧',
  '��' => '倵',
  '��' => '倯',
  '��' => '倱',
  '��' => '倎',
  '��' => '党',
  '��' => '冔',
  '��' => '冓',
  '��' => '凊',
  '��' => '凄',
  '��' => '凅',
  '��' => '凈',
  '��' => '凎',
  '��' => '剡',
  '��' => '剚',
  '��' => '剒',
  '��' => '剞',
  '��' => '剟',
  '��' => '剕',
  '��' => '剢',
  '��' => '勍',
  '��' => '匎',
  '��' => '厞',
  '��' => '唦',
  '��' => '哢',
  '��' => '唗',
  '��' => '唒',
  '��' => '哧',
  '�' => '哳',
  '�' => '哤',
  '�' => '唚',
  '�' => '哿',
  '�' => '唄',
  '�' => '唈',
  '�' => '哫',
  '�' => '唑',
  '�' => '唅',
  '�' => '哱',
  '�@' => '唊',
  '�A' => '哻',
  '�B' => '哷',
  '�C' => '哸',
  '�D' => '哠',
  '�E' => '唎',
  '�F' => '唃',
  '�G' => '唋',
  '�H' => '圁',
  '�I' => '圂',
  '�J' => '埌',
  '�K' => '堲',
  '�L' => '埕',
  '�M' => '埒',
  '�N' => '垺',
  '�O' => '埆',
  '�P' => '垽',
  '�Q' => '垼',
  '�R' => '垸',
  '�S' => '垶',
  '�T' => '垿',
  '�U' => '埇',
  '�V' => '埐',
  '�W' => '垹',
  '�X' => '埁',
  '�Y' => '夎',
  '�Z' => '奊',
  '�[' => '娙',
  '�\\' => '娖',
  '�]' => '娭',
  '�^' => '娮',
  '�_' => '娕',
  '�`' => '娏',
  '�a' => '娗',
  '�b' => '娊',
  '�c' => '娞',
  '�d' => '娳',
  '�e' => '孬',
  '�f' => '宧',
  '�g' => '宭',
  '�h' => '宬',
  '�i' => '尃',
  '�j' => '屖',
  '�k' => '屔',
  '�l' => '峬',
  '�m' => '峿',
  '�n' => '峮',
  '�o' => '峱',
  '�p' => '峷',
  '�q' => '崀',
  '�r' => '峹',
  '�s' => '帩',
  '�t' => '帨',
  '�u' => '庨',
  '�v' => '庮',
  '�w' => '庪',
  '�x' => '庬',
  '�y' => '弳',
  '�z' => '弰',
  '�{' => '彧',
  '�|' => '恝',
  '�}' => '恚',
  '�~' => '恧',
  'ѡ' => '恁',
  'Ѣ' => '悢',
  'ѣ' => '悈',
  'Ѥ' => '悀',
  'ѥ' => '悒',
  'Ѧ' => '悁',
  'ѧ' => '悝',
  'Ѩ' => '悃',
  'ѩ' => '悕',
  'Ѫ' => '悛',
  'ѫ' => '悗',
  'Ѭ' => '悇',
  'ѭ' => '悜',
  'Ѯ' => '悎',
  'ѯ' => '戙',
  'Ѱ' => '扆',
  'ѱ' => '拲',
  'Ѳ' => '挐',
  'ѳ' => '捖',
  'Ѵ' => '挬',
  'ѵ' => '捄',
  'Ѷ' => '捅',
  'ѷ' => '挶',
  'Ѹ' => '捃',
  'ѹ' => '揤',
  'Ѻ' => '挹',
  'ѻ' => '捋',
  'Ѽ' => '捊',
  'ѽ' => '挼',
  'Ѿ' => '挩',
  'ѿ' => '捁',
  '�' => '挴',
  '�' => '捘',
  '��' => '捔',
  '��' => '捙',
  '��' => '挭',
  '��' => '捇',
  '��' => '挳',
  '��' => '捚',
  '��' => '捑',
  '��' => '挸',
  '��' => '捗',
  '��' => '捀',
  '��' => '捈',
  '��' => '敊',
  '��' => '敆',
  '��' => '旆',
  '��' => '旃',
  '��' => '旄',
  '��' => '旂',
  '��' => '晊',
  '��' => '晟',
  '��' => '晇',
  '��' => '晑',
  '��' => '朒',
  '��' => '朓',
  '��' => '栟',
  '��' => '栚',
  '��' => '桉',
  '��' => '栲',
  '��' => '栳',
  '��' => '栻',
  '��' => '桋',
  '��' => '桏',
  '��' => '栖',
  '��' => '栱',
  '��' => '栜',
  '��' => '栵',
  '��' => '栫',
  '��' => '栭',
  '��' => '栯',
  '��' => '桎',
  '��' => '桄',
  '��' => '栴',
  '��' => '栝',
  '��' => '栒',
  '��' => '栔',
  '��' => '栦',
  '��' => '栨',
  '��' => '栮',
  '��' => '桍',
  '��' => '栺',
  '��' => '栥',
  '��' => '栠',
  '�' => '欬',
  '�' => '欯',
  '�' => '欭',
  '�' => '欱',
  '�' => '欴',
  '�' => '歭',
  '�' => '肂',
  '�' => '殈',
  '�' => '毦',
  '�' => '毤',
  '�@' => '毨',
  '�A' => '毣',
  '�B' => '毢',
  '�C' => '毧',
  '�D' => '氥',
  '�E' => '浺',
  '�F' => '浣',
  '�G' => '浤',
  '�H' => '浶',
  '�I' => '洍',
  '�J' => '浡',
  '�K' => '涒',
  '�L' => '浘',
  '�M' => '浢',
  '�N' => '浭',
  '�O' => '浯',
  '�P' => '涑',
  '�Q' => '涍',
  '�R' => '淯',
  '�S' => '浿',
  '�T' => '涆',
  '�U' => '浞',
  '�V' => '浧',
  '�W' => '浠',
  '�X' => '涗',
  '�Y' => '浰',
  '�Z' => '浼',
  '�[' => '浟',
  '�\\' => '涂',
  '�]' => '涘',
  '�^' => '洯',
  '�_' => '浨',
  '�`' => '涋',
  '�a' => '浾',
  '�b' => '涀',
  '�c' => '涄',
  '�d' => '洖',
  '�e' => '涃',
  '�f' => '浻',
  '�g' => '浽',
  '�h' => '浵',
  '�i' => '涐',
  '�j' => '烜',
  '�k' => '烓',
  '�l' => '烑',
  '�m' => '烝',
  '�n' => '烋',
  '�o' => '缹',
  '�p' => '烢',
  '�q' => '烗',
  '�r' => '烒',
  '�s' => '烞',
  '�t' => '烠',
  '�u' => '烔',
  '�v' => '烍',
  '�w' => '烅',
  '�x' => '烆',
  '�y' => '烇',
  '�z' => '烚',
  '�{' => '烎',
  '�|' => '烡',
  '�}' => '牂',
  '�~' => '牸',
  'ҡ' => '牷',
  'Ң' => '牶',
  'ң' => '猀',
  'Ҥ' => '狺',
  'ҥ' => '狴',
  'Ҧ' => '狾',
  'ҧ' => '狶',
  'Ҩ' => '狳',
  'ҩ' => '狻',
  'Ҫ' => '猁',
  'ҫ' => '珓',
  'Ҭ' => '珙',
  'ҭ' => '珥',
  'Ү' => '珖',
  'ү' => '玼',
  'Ұ' => '珧',
  'ұ' => '珣',
  'Ҳ' => '珩',
  'ҳ' => '珜',
  'Ҵ' => '珒',
  'ҵ' => '珛',
  'Ҷ' => '珔',
  'ҷ' => '珝',
  'Ҹ' => '珚',
  'ҹ' => '珗',
  'Һ' => '珘',
  'һ' => '珨',
  'Ҽ' => '瓞',
  'ҽ' => '瓟',
  'Ҿ' => '瓴',
  'ҿ' => '瓵',
  '�' => '甡',
  '�' => '畛',
  '��' => '畟',
  '��' => '疰',
  '��' => '痁',
  '��' => '疻',
  '��' => '痄',
  '��' => '痀',
  '��' => '疿',
  '��' => '疶',
  '��' => '疺',
  '��' => '皊',
  '��' => '盉',
  '��' => '眝',
  '��' => '眛',
  '��' => '眐',
  '��' => '眓',
  '��' => '眒',
  '��' => '眣',
  '��' => '眑',
  '��' => '眕',
  '��' => '眙',
  '��' => '眚',
  '��' => '眢',
  '��' => '眧',
  '��' => '砣',
  '��' => '砬',
  '��' => '砢',
  '��' => '砵',
  '��' => '砯',
  '��' => '砨',
  '��' => '砮',
  '��' => '砫',
  '��' => '砡',
  '��' => '砩',
  '��' => '砳',
  '��' => '砪',
  '��' => '砱',
  '��' => '祔',
  '��' => '祛',
  '��' => '祏',
  '��' => '祜',
  '��' => '祓',
  '��' => '祒',
  '��' => '祑',
  '��' => '秫',
  '��' => '秬',
  '��' => '秠',
  '��' => '秮',
  '��' => '秭',
  '��' => '秪',
  '��' => '秜',
  '��' => '秞',
  '�' => '秝',
  '�' => '窆',
  '�' => '窉',
  '�' => '窅',
  '�' => '窋',
  '�' => '窌',
  '�' => '窊',
  '�' => '窇',
  '�' => '竘',
  '�' => '笐',
  '�@' => '笄',
  '�A' => '笓',
  '�B' => '笅',
  '�C' => '笏',
  '�D' => '笈',
  '�E' => '笊',
  '�F' => '笎',
  '�G' => '笉',
  '�H' => '笒',
  '�I' => '粄',
  '�J' => '粑',
  '�K' => '粊',
  '�L' => '粌',
  '�M' => '粈',
  '�N' => '粍',
  '�O' => '粅',
  '�P' => '紞',
  '�Q' => '紝',
  '�R' => '紑',
  '�S' => '紎',
  '�T' => '紘',
  '�U' => '紖',
  '�V' => '紓',
  '�W' => '紟',
  '�X' => '紒',
  '�Y' => '紏',
  '�Z' => '紌',
  '�[' => '罜',
  '�\\' => '罡',
  '�]' => '罞',
  '�^' => '罠',
  '�_' => '罝',
  '�`' => '罛',
  '�a' => '羖',
  '�b' => '羒',
  '�c' => '翃',
  '�d' => '翂',
  '�e' => '翀',
  '�f' => '耖',
  '�g' => '耾',
  '�h' => '耹',
  '�i' => '胺',
  '�j' => '胲',
  '�k' => '胹',
  '�l' => '胵',
  '�m' => '脁',
  '�n' => '胻',
  '�o' => '脀',
  '�p' => '舁',
  '�q' => '舯',
  '�r' => '舥',
  '�s' => '茳',
  '�t' => '茭',
  '�u' => '荄',
  '�v' => '茙',
  '�w' => '荑',
  '�x' => '茥',
  '�y' => '荖',
  '�z' => '茿',
  '�{' => '荁',
  '�|' => '茦',
  '�}' => '茜',
  '�~' => '茢',
  'ӡ' => '荂',
  'Ӣ' => '荎',
  'ӣ' => '茛',
  'Ӥ' => '茪',
  'ӥ' => '茈',
  'Ӧ' => '茼',
  'ӧ' => '荍',
  'Ө' => '茖',
  'ө' => '茤',
  'Ӫ' => '茠',
  'ӫ' => '茷',
  'Ӭ' => '茯',
  'ӭ' => '茩',
  'Ӯ' => '荇',
  'ӯ' => '荅',
  'Ӱ' => '荌',
  'ӱ' => '荓',
  'Ӳ' => '茞',
  'ӳ' => '茬',
  'Ӵ' => '荋',
  'ӵ' => '茧',
  'Ӷ' => '荈',
  'ӷ' => '虓',
  'Ӹ' => '虒',
  'ӹ' => '蚢',
  'Ӻ' => '蚨',
  'ӻ' => '蚖',
  'Ӽ' => '蚍',
  'ӽ' => '蚑',
  'Ӿ' => '蚞',
  'ӿ' => '蚇',
  '�' => '蚗',
  '�' => '蚆',
  '��' => '蚋',
  '��' => '蚚',
  '��' => '蚅',
  '��' => '蚥',
  '��' => '蚙',
  '��' => '蚡',
  '��' => '蚧',
  '��' => '蚕',
  '��' => '蚘',
  '��' => '蚎',
  '��' => '蚝',
  '��' => '蚐',
  '��' => '蚔',
  '��' => '衃',
  '��' => '衄',
  '��' => '衭',
  '��' => '衵',
  '��' => '衶',
  '��' => '衲',
  '��' => '袀',
  '��' => '衱',
  '��' => '衿',
  '��' => '衯',
  '��' => '袃',
  '��' => '衾',
  '��' => '衴',
  '��' => '衼',
  '��' => '訒',
  '��' => '豇',
  '��' => '豗',
  '��' => '豻',
  '��' => '貤',
  '��' => '貣',
  '��' => '赶',
  '��' => '赸',
  '��' => '趵',
  '��' => '趷',
  '��' => '趶',
  '��' => '軑',
  '��' => '軓',
  '��' => '迾',
  '��' => '迵',
  '��' => '适',
  '��' => '迿',
  '��' => '迻',
  '��' => '逄',
  '��' => '迼',
  '��' => '迶',
  '��' => '郖',
  '��' => '郠',
  '��' => '郙',
  '�' => '郚',
  '�' => '郣',
  '�' => '郟',
  '�' => '郥',
  '�' => '郘',
  '�' => '郛',
  '�' => '郗',
  '�' => '郜',
  '�' => '郤',
  '�' => '酐',
  '�@' => '酎',
  '�A' => '酏',
  '�B' => '釕',
  '�C' => '釢',
  '�D' => '釚',
  '�E' => '陜',
  '�F' => '陟',
  '�G' => '隼',
  '�H' => '飣',
  '�I' => '髟',
  '�J' => '鬯',
  '�K' => '乿',
  '�L' => '偰',
  '�M' => '偪',
  '�N' => '偡',
  '�O' => '偞',
  '�P' => '偠',
  '�Q' => '偓',
  '�R' => '偋',
  '�S' => '偝',
  '�T' => '偲',
  '�U' => '偈',
  '�V' => '偍',
  '�W' => '偁',
  '�X' => '偛',
  '�Y' => '偊',
  '�Z' => '偢',
  '�[' => '倕',
  '�\\' => '偅',
  '�]' => '偟',
  '�^' => '偩',
  '�_' => '偫',
  '�`' => '偣',
  '�a' => '偤',
  '�b' => '偆',
  '�c' => '偀',
  '�d' => '偮',
  '�e' => '偳',
  '�f' => '偗',
  '�g' => '偑',
  '�h' => '凐',
  '�i' => '剫',
  '�j' => '剭',
  '�k' => '剬',
  '�l' => '剮',
  '�m' => '勖',
  '�n' => '勓',
  '�o' => '匭',
  '�p' => '厜',
  '�q' => '啵',
  '�r' => '啶',
  '�s' => '唼',
  '�t' => '啍',
  '�u' => '啐',
  '�v' => '唴',
  '�w' => '唪',
  '�x' => '啑',
  '�y' => '啢',
  '�z' => '唶',
  '�{' => '唵',
  '�|' => '唰',
  '�}' => '啒',
  '�~' => '啅',
  'ԡ' => '唌',
  'Ԣ' => '唲',
  'ԣ' => '啥',
  'Ԥ' => '啎',
  'ԥ' => '唹',
  'Ԧ' => '啈',
  'ԧ' => '唭',
  'Ԩ' => '唻',
  'ԩ' => '啀',
  'Ԫ' => '啋',
  'ԫ' => '圊',
  'Ԭ' => '圇',
  'ԭ' => '埻',
  'Ԯ' => '堔',
  'ԯ' => '埢',
  '԰' => '埶',
  'Ա' => '埜',
  'Բ' => '埴',
  'Գ' => '堀',
  'Դ' => '埭',
  'Ե' => '埽',
  'Զ' => '堈',
  'Է' => '埸',
  'Ը' => '堋',
  'Թ' => '埳',
  'Ժ' => '埏',
  'Ի' => '堇',
  'Լ' => '埮',
  'Խ' => '埣',
  'Ծ' => '埲',
  'Կ' => '埥',
  '�' => '埬',
  '�' => '埡',
  '��' => '堎',
  '��' => '埼',
  '��' => '堐',
  '��' => '埧',
  '��' => '堁',
  '��' => '堌',
  '��' => '埱',
  '��' => '埩',
  '��' => '埰',
  '��' => '堍',
  '��' => '堄',
  '��' => '奜',
  '��' => '婠',
  '��' => '婘',
  '��' => '婕',
  '��' => '婧',
  '��' => '婞',
  '��' => '娸',
  '��' => '娵',
  '��' => '婭',
  '��' => '婐',
  '��' => '婟',
  '��' => '婥',
  '��' => '婬',
  '��' => '婓',
  '��' => '婤',
  '��' => '婗',
  '��' => '婃',
  '��' => '婝',
  '��' => '婒',
  '��' => '婄',
  '��' => '婛',
  '��' => '婈',
  '��' => '媎',
  '��' => '娾',
  '��' => '婍',
  '��' => '娹',
  '��' => '婌',
  '��' => '婰',
  '��' => '婩',
  '��' => '婇',
  '��' => '婑',
  '��' => '婖',
  '��' => '婂',
  '��' => '婜',
  '��' => '孲',
  '��' => '孮',
  '��' => '寁',
  '��' => '寀',
  '��' => '屙',
  '��' => '崞',
  '�' => '崋',
  '�' => '崝',
  '�' => '崚',
  '�' => '崠',
  '�' => '崌',
  '�' => '崨',
  '�' => '崍',
  '�' => '崦',
  '�' => '崥',
  '�' => '崏',
  '�@' => '崰',
  '�A' => '崒',
  '�B' => '崣',
  '�C' => '崟',
  '�D' => '崮',
  '�E' => '帾',
  '�F' => '帴',
  '�G' => '庱',
  '�H' => '庴',
  '�I' => '庹',
  '�J' => '庲',
  '�K' => '庳',
  '�L' => '弶',
  '�M' => '弸',
  '�N' => '徛',
  '�O' => '徖',
  '�P' => '徟',
  '�Q' => '悊',
  '�R' => '悐',
  '�S' => '悆',
  '�T' => '悾',
  '�U' => '悰',
  '�V' => '悺',
  '�W' => '惓',
  '�X' => '惔',
  '�Y' => '惏',
  '�Z' => '惤',
  '�[' => '惙',
  '�\\' => '惝',
  '�]' => '惈',
  '�^' => '悱',
  '�_' => '惛',
  '�`' => '悷',
  '�a' => '惊',
  '�b' => '悿',
  '�c' => '惃',
  '�d' => '惍',
  '�e' => '惀',
  '�f' => '挲',
  '�g' => '捥',
  '�h' => '掊',
  '�i' => '掂',
  '�j' => '捽',
  '�k' => '掽',
  '�l' => '掞',
  '�m' => '掭',
  '�n' => '掝',
  '�o' => '掗',
  '�p' => '掫',
  '�q' => '掎',
  '�r' => '捯',
  '�s' => '掇',
  '�t' => '掐',
  '�u' => '据',
  '�v' => '掯',
  '�w' => '捵',
  '�x' => '掜',
  '�y' => '捭',
  '�z' => '掮',
  '�{' => '捼',
  '�|' => '掤',
  '�}' => '挻',
  '�~' => '掟',
  'ա' => '捸',
  'բ' => '掅',
  'գ' => '掁',
  'դ' => '掑',
  'ե' => '掍',
  'զ' => '捰',
  'է' => '敓',
  'ը' => '旍',
  'թ' => '晥',
  'ժ' => '晡',
  'ի' => '晛',
  'լ' => '晙',
  'խ' => '晜',
  'ծ' => '晢',
  'կ' => '朘',
  'հ' => '桹',
  'ձ' => '梇',
  'ղ' => '梐',
  'ճ' => '梜',
  'մ' => '桭',
  'յ' => '桮',
  'ն' => '梮',
  'շ' => '梫',
  'ո' => '楖',
  'չ' => '桯',
  'պ' => '梣',
  'ջ' => '梬',
  'ռ' => '梩',
  'ս' => '桵',
  'վ' => '桴',
  'տ' => '梲',
  '�' => '梏',
  '�' => '桷',
  '��' => '梒',
  '��' => '桼',
  '��' => '桫',
  '��' => '桲',
  '��' => '梪',
  '��' => '梀',
  '��' => '桱',
  '��' => '桾',
  '��' => '梛',
  '��' => '梖',
  '��' => '梋',
  '��' => '梠',
  '��' => '梉',
  '��' => '梤',
  '��' => '桸',
  '��' => '桻',
  '��' => '梑',
  '��' => '梌',
  '��' => '梊',
  '��' => '桽',
  '��' => '欶',
  '��' => '欳',
  '��' => '欷',
  '��' => '欸',
  '��' => '殑',
  '��' => '殏',
  '��' => '殍',
  '��' => '殎',
  '��' => '殌',
  '��' => '氪',
  '��' => '淀',
  '��' => '涫',
  '��' => '涴',
  '��' => '涳',
  '��' => '湴',
  '��' => '涬',
  '��' => '淩',
  '��' => '淢',
  '��' => '涷',
  '��' => '淶',
  '��' => '淔',
  '��' => '渀',
  '��' => '淈',
  '��' => '淠',
  '��' => '淟',
  '��' => '淖',
  '��' => '涾',
  '��' => '淥',
  '��' => '淜',
  '��' => '淝',
  '��' => '淛',
  '�' => '淴',
  '�' => '淊',
  '�' => '涽',
  '�' => '淭',
  '�' => '淰',
  '�' => '涺',
  '�' => '淕',
  '�' => '淂',
  '�' => '淏',
  '�' => '淉',
  '�@' => '淐',
  '�A' => '淲',
  '�B' => '淓',
  '�C' => '淽',
  '�D' => '淗',
  '�E' => '淍',
  '�F' => '淣',
  '�G' => '涻',
  '�H' => '烺',
  '�I' => '焍',
  '�J' => '烷',
  '�K' => '焗',
  '�L' => '烴',
  '�M' => '焌',
  '�N' => '烰',
  '�O' => '焄',
  '�P' => '烳',
  '�Q' => '焐',
  '�R' => '烼',
  '�S' => '烿',
  '�T' => '焆',
  '�U' => '焓',
  '�V' => '焀',
  '�W' => '烸',
  '�X' => '烶',
  '�Y' => '焋',
  '�Z' => '焂',
  '�[' => '焎',
  '�\\' => '牾',
  '�]' => '牻',
  '�^' => '牼',
  '�_' => '牿',
  '�`' => '猝',
  '�a' => '猗',
  '�b' => '猇',
  '�c' => '猑',
  '�d' => '猘',
  '�e' => '猊',
  '�f' => '猈',
  '�g' => '狿',
  '�h' => '猏',
  '�i' => '猞',
  '�j' => '玈',
  '�k' => '珶',
  '�l' => '珸',
  '�m' => '珵',
  '�n' => '琄',
  '�o' => '琁',
  '�p' => '珽',
  '�q' => '琇',
  '�r' => '琀',
  '�s' => '珺',
  '�t' => '珼',
  '�u' => '珿',
  '�v' => '琌',
  '�w' => '琋',
  '�x' => '珴',
  '�y' => '琈',
  '�z' => '畤',
  '�{' => '畣',
  '�|' => '痎',
  '�}' => '痒',
  '�~' => '痏',
  '֡' => '痋',
  '֢' => '痌',
  '֣' => '痑',
  '֤' => '痐',
  '֥' => '皏',
  '֦' => '皉',
  '֧' => '盓',
  '֨' => '眹',
  '֩' => '眯',
  '֪' => '眭',
  '֫' => '眱',
  '֬' => '眲',
  '֭' => '眴',
  '֮' => '眳',
  '֯' => '眽',
  'ְ' => '眥',
  'ֱ' => '眻',
  'ֲ' => '眵',
  'ֳ' => '硈',
  'ִ' => '硒',
  'ֵ' => '硉',
  'ֶ' => '硍',
  'ַ' => '硊',
  'ָ' => '硌',
  'ֹ' => '砦',
  'ֺ' => '硅',
  'ֻ' => '硐',
  'ּ' => '祤',
  'ֽ' => '祧',
  '־' => '祩',
  'ֿ' => '祪',
  '�' => '祣',
  '�' => '祫',
  '��' => '祡',
  '��' => '离',
  '��' => '秺',
  '��' => '秸',
  '��' => '秶',
  '��' => '秷',
  '��' => '窏',
  '��' => '窔',
  '��' => '窐',
  '��' => '笵',
  '��' => '筇',
  '��' => '笴',
  '��' => '笥',
  '��' => '笰',
  '��' => '笢',
  '��' => '笤',
  '��' => '笳',
  '��' => '笘',
  '��' => '笪',
  '��' => '笝',
  '��' => '笱',
  '��' => '笫',
  '��' => '笭',
  '��' => '笯',
  '��' => '笲',
  '��' => '笸',
  '��' => '笚',
  '��' => '笣',
  '��' => '粔',
  '��' => '粘',
  '��' => '粖',
  '��' => '粣',
  '��' => '紵',
  '��' => '紽',
  '��' => '紸',
  '��' => '紶',
  '��' => '紺',
  '��' => '絅',
  '��' => '紬',
  '��' => '紩',
  '��' => '絁',
  '��' => '絇',
  '��' => '紾',
  '��' => '紿',
  '��' => '絊',
  '��' => '紻',
  '��' => '紨',
  '��' => '罣',
  '��' => '羕',
  '��' => '羜',
  '��' => '羝',
  '�' => '羛',
  '�' => '翊',
  '�' => '翋',
  '�' => '翍',
  '�' => '翐',
  '�' => '翑',
  '�' => '翇',
  '�' => '翏',
  '�' => '翉',
  '�' => '耟',
  '�@' => '耞',
  '�A' => '耛',
  '�B' => '聇',
  '�C' => '聃',
  '�D' => '聈',
  '�E' => '脘',
  '�F' => '脥',
  '�G' => '脙',
  '�H' => '脛',
  '�I' => '脭',
  '�J' => '脟',
  '�K' => '脬',
  '�L' => '脞',
  '�M' => '脡',
  '�N' => '脕',
  '�O' => '脧',
  '�P' => '脝',
  '�Q' => '脢',
  '�R' => '舑',
  '�S' => '舸',
  '�T' => '舳',
  '�U' => '舺',
  '�V' => '舴',
  '�W' => '舲',
  '�X' => '艴',
  '�Y' => '莐',
  '�Z' => '莣',
  '�[' => '莨',
  '�\\' => '莍',
  '�]' => '荺',
  '�^' => '荳',
  '�_' => '莤',
  '�`' => '荴',
  '�a' => '莏',
  '�b' => '莁',
  '�c' => '莕',
  '�d' => '莙',
  '�e' => '荵',
  '�f' => '莔',
  '�g' => '莩',
  '�h' => '荽',
  '�i' => '莃',
  '�j' => '莌',
  '�k' => '莝',
  '�l' => '莛',
  '�m' => '莪',
  '�n' => '莋',
  '�o' => '荾',
  '�p' => '莥',
  '�q' => '莯',
  '�r' => '莈',
  '�s' => '莗',
  '�t' => '莰',
  '�u' => '荿',
  '�v' => '莦',
  '�w' => '莇',
  '�x' => '莮',
  '�y' => '荶',
  '�z' => '莚',
  '�{' => '虙',
  '�|' => '虖',
  '�}' => '蚿',
  '�~' => '蚷',
  'ס' => '蛂',
  'ע' => '蛁',
  'ף' => '蛅',
  'פ' => '蚺',
  'ץ' => '蚰',
  'צ' => '蛈',
  'ק' => '蚹',
  'ר' => '蚳',
  'ש' => '蚸',
  'ת' => '蛌',
  '׫' => '蚴',
  '׬' => '蚻',
  '׭' => '蚼',
  '׮' => '蛃',
  'ׯ' => '蚽',
  'װ' => '蚾',
  'ױ' => '衒',
  'ײ' => '袉',
  '׳' => '袕',
  '״' => '袨',
  '׵' => '袢',
  '׶' => '袪',
  '׷' => '袚',
  '׸' => '袑',
  '׹' => '袡',
  '׺' => '袟',
  '׻' => '袘',
  '׼' => '袧',
  '׽' => '袙',
  '׾' => '袛',
  '׿' => '袗',
  '�' => '袤',
  '�' => '袬',
  '��' => '袌',
  '��' => '袓',
  '��' => '袎',
  '��' => '覂',
  '��' => '觖',
  '��' => '觙',
  '��' => '觕',
  '��' => '訰',
  '��' => '訧',
  '��' => '訬',
  '��' => '訞',
  '��' => '谹',
  '��' => '谻',
  '��' => '豜',
  '��' => '豝',
  '��' => '豽',
  '��' => '貥',
  '��' => '赽',
  '��' => '赻',
  '��' => '赹',
  '��' => '趼',
  '��' => '跂',
  '��' => '趹',
  '��' => '趿',
  '��' => '跁',
  '��' => '軘',
  '��' => '軞',
  '��' => '軝',
  '��' => '軜',
  '��' => '軗',
  '��' => '軠',
  '��' => '軡',
  '��' => '逤',
  '��' => '逋',
  '��' => '逑',
  '��' => '逜',
  '��' => '逌',
  '��' => '逡',
  '��' => '郯',
  '��' => '郪',
  '��' => '郰',
  '��' => '郴',
  '��' => '郲',
  '��' => '郳',
  '��' => '郔',
  '��' => '郫',
  '��' => '郬',
  '��' => '郩',
  '��' => '酖',
  '��' => '酘',
  '��' => '酚',
  '�' => '酓',
  '�' => '酕',
  '�' => '釬',
  '�' => '釴',
  '�' => '釱',
  '�' => '釳',
  '�' => '釸',
  '�' => '釤',
  '�' => '釹',
  '�' => '釪',
  '�@' => '釫',
  '�A' => '釷',
  '�B' => '釨',
  '�C' => '釮',
  '�D' => '镺',
  '�E' => '閆',
  '�F' => '閈',
  '�G' => '陼',
  '�H' => '陭',
  '�I' => '陫',
  '�J' => '陱',
  '�K' => '陯',
  '�L' => '隿',
  '�M' => '靪',
  '�N' => '頄',
  '�O' => '飥',
  '�P' => '馗',
  '�Q' => '傛',
  '�R' => '傕',
  '�S' => '傔',
  '�T' => '傞',
  '�U' => '傋',
  '�V' => '傣',
  '�W' => '傃',
  '�X' => '傌',
  '�Y' => '傎',
  '�Z' => '傝',
  '�[' => '偨',
  '�\\' => '傜',
  '�]' => '傒',
  '�^' => '傂',
  '�_' => '傇',
  '�`' => '兟',
  '�a' => '凔',
  '�b' => '匒',
  '�c' => '匑',
  '�d' => '厤',
  '�e' => '厧',
  '�f' => '喑',
  '�g' => '喨',
  '�h' => '喥',
  '�i' => '喭',
  '�j' => '啷',
  '�k' => '噅',
  '�l' => '喢',
  '�m' => '喓',
  '�n' => '喈',
  '�o' => '喏',
  '�p' => '喵',
  '�q' => '喁',
  '�r' => '喣',
  '�s' => '喒',
  '�t' => '喤',
  '�u' => '啽',
  '�v' => '喌',
  '�w' => '喦',
  '�x' => '啿',
  '�y' => '喕',
  '�z' => '喡',
  '�{' => '喎',
  '�|' => '圌',
  '�}' => '堩',
  '�~' => '堷',
  'ء' => '堙',
  'آ' => '堞',
  'أ' => '堧',
  'ؤ' => '堣',
  'إ' => '堨',
  'ئ' => '埵',
  'ا' => '塈',
  'ب' => '堥',
  'ة' => '堜',
  'ت' => '堛',
  'ث' => '堳',
  'ج' => '堿',
  'ح' => '堶',
  'خ' => '堮',
  'د' => '堹',
  'ذ' => '堸',
  'ر' => '堭',
  'ز' => '堬',
  'س' => '堻',
  'ش' => '奡',
  'ص' => '媯',
  'ض' => '媔',
  'ط' => '媟',
  'ظ' => '婺',
  'ع' => '媢',
  'غ' => '媞',
  'ػ' => '婸',
  'ؼ' => '媦',
  'ؽ' => '婼',
  'ؾ' => '媥',
  'ؿ' => '媬',
  '�' => '媕',
  '�' => '媮',
  '��' => '娷',
  '��' => '媄',
  '��' => '媊',
  '��' => '媗',
  '��' => '媃',
  '��' => '媋',
  '��' => '媩',
  '��' => '婻',
  '��' => '婽',
  '��' => '媌',
  '��' => '媜',
  '��' => '媏',
  '��' => '媓',
  '��' => '媝',
  '��' => '寪',
  '��' => '寍',
  '��' => '寋',
  '��' => '寔',
  '��' => '寑',
  '��' => '寊',
  '��' => '寎',
  '��' => '尌',
  '��' => '尰',
  '��' => '崷',
  '��' => '嵃',
  '��' => '嵫',
  '��' => '嵁',
  '��' => '嵋',
  '��' => '崿',
  '��' => '崵',
  '��' => '嵑',
  '��' => '嵎',
  '��' => '嵕',
  '��' => '崳',
  '��' => '崺',
  '��' => '嵒',
  '��' => '崽',
  '��' => '崱',
  '��' => '嵙',
  '��' => '嵂',
  '��' => '崹',
  '��' => '嵉',
  '��' => '崸',
  '��' => '崼',
  '��' => '崲',
  '��' => '崶',
  '��' => '嵀',
  '��' => '嵅',
  '��' => '幄',
  '��' => '幁',
  '��' => '彘',
  '�' => '徦',
  '�' => '徥',
  '�' => '徫',
  '�' => '惉',
  '�' => '悹',
  '�' => '惌',
  '�' => '惢',
  '�' => '惎',
  '�' => '惄',
  '�' => '愔',
  '�@' => '惲',
  '�A' => '愊',
  '�B' => '愖',
  '�C' => '愅',
  '�D' => '惵',
  '�E' => '愓',
  '�F' => '惸',
  '�G' => '惼',
  '�H' => '惾',
  '�I' => '惁',
  '�J' => '愃',
  '�K' => '愘',
  '�L' => '愝',
  '�M' => '愐',
  '�N' => '惿',
  '�O' => '愄',
  '�P' => '愋',
  '�Q' => '扊',
  '�R' => '掔',
  '�S' => '掱',
  '�T' => '掰',
  '�U' => '揎',
  '�V' => '揥',
  '�W' => '揨',
  '�X' => '揯',
  '�Y' => '揃',
  '�Z' => '撝',
  '�[' => '揳',
  '�\\' => '揊',
  '�]' => '揠',
  '�^' => '揶',
  '�_' => '揕',
  '�`' => '揲',
  '�a' => '揵',
  '�b' => '摡',
  '�c' => '揟',
  '�d' => '掾',
  '�e' => '揝',
  '�f' => '揜',
  '�g' => '揄',
  '�h' => '揘',
  '�i' => '揓',
  '�j' => '揂',
  '�k' => '揇',
  '�l' => '揌',
  '�m' => '揋',
  '�n' => '揈',
  '�o' => '揰',
  '�p' => '揗',
  '�q' => '揙',
  '�r' => '攲',
  '�s' => '敧',
  '�t' => '敪',
  '�u' => '敤',
  '�v' => '敜',
  '�w' => '敨',
  '�x' => '敥',
  '�y' => '斌',
  '�z' => '斝',
  '�{' => '斞',
  '�|' => '斮',
  '�}' => '旐',
  '�~' => '旒',
  '١' => '晼',
  '٢' => '晬',
  '٣' => '晻',
  '٤' => '暀',
  '٥' => '晱',
  '٦' => '晹',
  '٧' => '晪',
  '٨' => '晲',
  '٩' => '朁',
  '٪' => '椌',
  '٫' => '棓',
  '٬' => '椄',
  '٭' => '棜',
  'ٮ' => '椪',
  'ٯ' => '棬',
  'ٰ' => '棪',
  'ٱ' => '棱',
  'ٲ' => '椏',
  'ٳ' => '棖',
  'ٴ' => '棷',
  'ٵ' => '棫',
  'ٶ' => '棤',
  'ٷ' => '棶',
  'ٸ' => '椓',
  'ٹ' => '椐',
  'ٺ' => '棳',
  'ٻ' => '棡',
  'ټ' => '椇',
  'ٽ' => '棌',
  'پ' => '椈',
  'ٿ' => '楰',
  '�' => '梴',
  '�' => '椑',
  '��' => '棯',
  '��' => '棆',
  '��' => '椔',
  '��' => '棸',
  '��' => '棐',
  '��' => '棽',
  '��' => '棼',
  '��' => '棨',
  '��' => '椋',
  '��' => '椊',
  '��' => '椗',
  '��' => '棎',
  '��' => '棈',
  '��' => '棝',
  '��' => '棞',
  '��' => '棦',
  '��' => '棴',
  '��' => '棑',
  '��' => '椆',
  '��' => '棔',
  '��' => '棩',
  '��' => '椕',
  '��' => '椥',
  '��' => '棇',
  '��' => '欹',
  '��' => '欻',
  '��' => '欿',
  '��' => '欼',
  '��' => '殔',
  '��' => '殗',
  '��' => '殙',
  '��' => '殕',
  '��' => '殽',
  '��' => '毰',
  '��' => '毲',
  '��' => '毳',
  '��' => '氰',
  '��' => '淼',
  '��' => '湆',
  '��' => '湇',
  '��' => '渟',
  '��' => '湉',
  '��' => '溈',
  '��' => '渼',
  '��' => '渽',
  '��' => '湅',
  '��' => '湢',
  '��' => '渫',
  '��' => '渿',
  '��' => '湁',
  '��' => '湝',
  '�' => '湳',
  '�' => '渜',
  '�' => '渳',
  '�' => '湋',
  '�' => '湀',
  '�' => '湑',
  '�' => '渻',
  '�' => '渃',
  '�' => '渮',
  '�' => '湞',
  '�@' => '湨',
  '�A' => '湜',
  '�B' => '湡',
  '�C' => '渱',
  '�D' => '渨',
  '�E' => '湠',
  '�F' => '湱',
  '�G' => '湫',
  '�H' => '渹',
  '�I' => '渢',
  '�J' => '渰',
  '�K' => '湓',
  '�L' => '湥',
  '�M' => '渧',
  '�N' => '湸',
  '�O' => '湤',
  '�P' => '湷',
  '�Q' => '湕',
  '�R' => '湹',
  '�S' => '湒',
  '�T' => '湦',
  '�U' => '渵',
  '�V' => '渶',
  '�W' => '湚',
  '�X' => '焠',
  '�Y' => '焞',
  '�Z' => '焯',
  '�[' => '烻',
  '�\\' => '焮',
  '�]' => '焱',
  '�^' => '焣',
  '�_' => '焥',
  '�`' => '焢',
  '�a' => '焲',
  '�b' => '焟',
  '�c' => '焨',
  '�d' => '焺',
  '�e' => '焛',
  '�f' => '牋',
  '�g' => '牚',
  '�h' => '犈',
  '�i' => '犉',
  '�j' => '犆',
  '�k' => '犅',
  '�l' => '犋',
  '�m' => '猒',
  '�n' => '猋',
  '�o' => '猰',
  '�p' => '猢',
  '�q' => '猱',
  '�r' => '猳',
  '�s' => '猧',
  '�t' => '猲',
  '�u' => '猭',
  '�v' => '猦',
  '�w' => '猣',
  '�x' => '猵',
  '�y' => '猌',
  '�z' => '琮',
  '�{' => '琬',
  '�|' => '琰',
  '�}' => '琫',
  '�~' => '琖',
  'ڡ' => '琚',
  'ڢ' => '琡',
  'ڣ' => '琭',
  'ڤ' => '琱',
  'ڥ' => '琤',
  'ڦ' => '琣',
  'ڧ' => '琝',
  'ڨ' => '琩',
  'ک' => '琠',
  'ڪ' => '琲',
  'ګ' => '瓻',
  'ڬ' => '甯',
  'ڭ' => '畯',
  'ڮ' => '畬',
  'گ' => '痧',
  'ڰ' => '痚',
  'ڱ' => '痡',
  'ڲ' => '痦',
  'ڳ' => '痝',
  'ڴ' => '痟',
  'ڵ' => '痤',
  'ڶ' => '痗',
  'ڷ' => '皕',
  'ڸ' => '皒',
  'ڹ' => '盚',
  'ں' => '睆',
  'ڻ' => '睇',
  'ڼ' => '睄',
  'ڽ' => '睍',
  'ھ' => '睅',
  'ڿ' => '睊',
  '�' => '睎',
  '�' => '睋',
  '��' => '睌',
  '��' => '矞',
  '��' => '矬',
  '��' => '硠',
  '��' => '硤',
  '��' => '硥',
  '��' => '硜',
  '��' => '硭',
  '��' => '硱',
  '��' => '硪',
  '��' => '确',
  '��' => '硰',
  '��' => '硩',
  '��' => '硨',
  '��' => '硞',
  '��' => '硢',
  '��' => '祴',
  '��' => '祳',
  '��' => '祲',
  '��' => '祰',
  '��' => '稂',
  '��' => '稊',
  '��' => '稃',
  '��' => '稌',
  '��' => '稄',
  '��' => '窙',
  '��' => '竦',
  '��' => '竤',
  '��' => '筊',
  '��' => '笻',
  '��' => '筄',
  '��' => '筈',
  '��' => '筌',
  '��' => '筎',
  '��' => '筀',
  '��' => '筘',
  '��' => '筅',
  '��' => '粢',
  '��' => '粞',
  '��' => '粨',
  '��' => '粡',
  '��' => '絘',
  '��' => '絯',
  '��' => '絣',
  '��' => '絓',
  '��' => '絖',
  '��' => '絧',
  '��' => '絪',
  '��' => '絏',
  '��' => '絭',
  '��' => '絜',
  '�' => '絫',
  '�' => '絒',
  '�' => '絔',
  '�' => '絩',
  '�' => '絑',
  '�' => '絟',
  '�' => '絎',
  '�' => '缾',
  '�' => '缿',
  '�' => '罥',
  '�@' => '罦',
  '�A' => '羢',
  '�B' => '羠',
  '�C' => '羡',
  '�D' => '翗',
  '�E' => '聑',
  '�F' => '聏',
  '�G' => '聐',
  '�H' => '胾',
  '�I' => '胔',
  '�J' => '腃',
  '�K' => '腊',
  '�L' => '腒',
  '�M' => '腏',
  '�N' => '腇',
  '�O' => '脽',
  '�P' => '腍',
  '�Q' => '脺',
  '�R' => '臦',
  '�S' => '臮',
  '�T' => '臷',
  '�U' => '臸',
  '�V' => '臹',
  '�W' => '舄',
  '�X' => '舼',
  '�Y' => '舽',
  '�Z' => '舿',
  '�[' => '艵',
  '�\\' => '茻',
  '�]' => '菏',
  '�^' => '菹',
  '�_' => '萣',
  '�`' => '菀',
  '�a' => '菨',
  '�b' => '萒',
  '�c' => '菧',
  '�d' => '菤',
  '�e' => '菼',
  '�f' => '菶',
  '�g' => '萐',
  '�h' => '菆',
  '�i' => '菈',
  '�j' => '菫',
  '�k' => '菣',
  '�l' => '莿',
  '�m' => '萁',
  '�n' => '菝',
  '�o' => '菥',
  '�p' => '菘',
  '�q' => '菿',
  '�r' => '菡',
  '�s' => '菋',
  '�t' => '菎',
  '�u' => '菖',
  '�v' => '菵',
  '�w' => '菉',
  '�x' => '萉',
  '�y' => '萏',
  '�z' => '菞',
  '�{' => '萑',
  '�|' => '萆',
  '�}' => '菂',
  '�~' => '菳',
  'ۡ' => '菕',
  'ۢ' => '菺',
  'ۣ' => '菇',
  'ۤ' => '菑',
  'ۥ' => '菪',
  'ۦ' => '萓',
  'ۧ' => '菃',
  'ۨ' => '菬',
  '۩' => '菮',
  '۪' => '菄',
  '۫' => '菻',
  '۬' => '菗',
  'ۭ' => '菢',
  'ۮ' => '萛',
  'ۯ' => '菛',
  '۰' => '菾',
  '۱' => '蛘',
  '۲' => '蛢',
  '۳' => '蛦',
  '۴' => '蛓',
  '۵' => '蛣',
  '۶' => '蛚',
  '۷' => '蛪',
  '۸' => '蛝',
  '۹' => '蛫',
  'ۺ' => '蛜',
  'ۻ' => '蛬',
  'ۼ' => '蛩',
  '۽' => '蛗',
  '۾' => '蛨',
  'ۿ' => '蛑',
  '�' => '衈',
  '�' => '衖',
  '��' => '衕',
  '��' => '袺',
  '��' => '裗',
  '��' => '袹',
  '��' => '袸',
  '��' => '裀',
  '��' => '袾',
  '��' => '袶',
  '��' => '袼',
  '��' => '袷',
  '��' => '袽',
  '��' => '袲',
  '��' => '褁',
  '��' => '裉',
  '��' => '覕',
  '��' => '覘',
  '��' => '覗',
  '��' => '觝',
  '��' => '觚',
  '��' => '觛',
  '��' => '詎',
  '��' => '詍',
  '��' => '訹',
  '��' => '詙',
  '��' => '詀',
  '��' => '詗',
  '��' => '詘',
  '��' => '詄',
  '��' => '詅',
  '��' => '詒',
  '��' => '詈',
  '��' => '詑',
  '��' => '詊',
  '��' => '詌',
  '��' => '詏',
  '��' => '豟',
  '��' => '貁',
  '��' => '貀',
  '��' => '貺',
  '��' => '貾',
  '��' => '貰',
  '��' => '貹',
  '��' => '貵',
  '��' => '趄',
  '��' => '趀',
  '��' => '趉',
  '��' => '跘',
  '��' => '跓',
  '��' => '跍',
  '��' => '跇',
  '��' => '跖',
  '�' => '跜',
  '�' => '跏',
  '�' => '跕',
  '�' => '跙',
  '�' => '跈',
  '�' => '跗',
  '�' => '跅',
  '�' => '軯',
  '�' => '軷',
  '�' => '軺',
  '�@' => '軹',
  '�A' => '軦',
  '�B' => '軮',
  '�C' => '軥',
  '�D' => '軵',
  '�E' => '軧',
  '�F' => '軨',
  '�G' => '軶',
  '�H' => '軫',
  '�I' => '軱',
  '�J' => '軬',
  '�K' => '軴',
  '�L' => '軩',
  '�M' => '逭',
  '�N' => '逴',
  '�O' => '逯',
  '�P' => '鄆',
  '�Q' => '鄬',
  '�R' => '鄄',
  '�S' => '郿',
  '�T' => '郼',
  '�U' => '鄈',
  '�V' => '郹',
  '�W' => '郻',
  '�X' => '鄁',
  '�Y' => '鄀',
  '�Z' => '鄇',
  '�[' => '鄅',
  '�\\' => '鄃',
  '�]' => '酡',
  '�^' => '酤',
  '�_' => '酟',
  '�`' => '酢',
  '�a' => '酠',
  '�b' => '鈁',
  '�c' => '鈊',
  '�d' => '鈥',
  '�e' => '鈃',
  '�f' => '鈚',
  '�g' => '鈦',
  '�h' => '鈏',
  '�i' => '鈌',
  '�j' => '鈀',
  '�k' => '鈒',
  '�l' => '釿',
  '�m' => '釽',
  '�n' => '鈆',
  '�o' => '鈄',
  '�p' => '鈧',
  '�q' => '鈂',
  '�r' => '鈜',
  '�s' => '鈤',
  '�t' => '鈙',
  '�u' => '鈗',
  '�v' => '鈅',
  '�w' => '鈖',
  '�x' => '镻',
  '�y' => '閍',
  '�z' => '閌',
  '�{' => '閐',
  '�|' => '隇',
  '�}' => '陾',
  '�~' => '隈',
  'ܡ' => '隉',
  'ܢ' => '隃',
  'ܣ' => '隀',
  'ܤ' => '雂',
  'ܥ' => '雈',
  'ܦ' => '雃',
  'ܧ' => '雱',
  'ܨ' => '雰',
  'ܩ' => '靬',
  'ܪ' => '靰',
  'ܫ' => '靮',
  'ܬ' => '頇',
  'ܭ' => '颩',
  'ܮ' => '飫',
  'ܯ' => '鳦',
  'ܰ' => '黹',
  'ܱ' => '亃',
  'ܲ' => '亄',
  'ܳ' => '亶',
  'ܴ' => '傽',
  'ܵ' => '傿',
  'ܶ' => '僆',
  'ܷ' => '傮',
  'ܸ' => '僄',
  'ܹ' => '僊',
  'ܺ' => '傴',
  'ܻ' => '僈',
  'ܼ' => '僂',
  'ܽ' => '傰',
  'ܾ' => '僁',
  'ܿ' => '傺',
  '�' => '傱',
  '�' => '僋',
  '��' => '僉',
  '��' => '傶',
  '��' => '傸',
  '��' => '凗',
  '��' => '剺',
  '��' => '剸',
  '��' => '剻',
  '��' => '剼',
  '��' => '嗃',
  '��' => '嗛',
  '��' => '嗌',
  '��' => '嗐',
  '��' => '嗋',
  '��' => '嗊',
  '��' => '嗝',
  '��' => '嗀',
  '��' => '嗔',
  '��' => '嗄',
  '��' => '嗩',
  '��' => '喿',
  '��' => '嗒',
  '��' => '喍',
  '��' => '嗏',
  '��' => '嗕',
  '��' => '嗢',
  '��' => '嗖',
  '��' => '嗈',
  '��' => '嗲',
  '��' => '嗍',
  '��' => '嗙',
  '��' => '嗂',
  '��' => '圔',
  '��' => '塓',
  '��' => '塨',
  '��' => '塤',
  '��' => '塏',
  '��' => '塍',
  '��' => '塉',
  '��' => '塯',
  '��' => '塕',
  '��' => '塎',
  '��' => '塝',
  '��' => '塙',
  '��' => '塥',
  '��' => '塛',
  '��' => '堽',
  '��' => '塣',
  '��' => '塱',
  '��' => '壼',
  '��' => '嫇',
  '��' => '嫄',
  '�' => '嫋',
  '�' => '媺',
  '�' => '媸',
  '�' => '媱',
  '�' => '媵',
  '�' => '媰',
  '�' => '媿',
  '�' => '嫈',
  '�' => '媻',
  '�' => '嫆',
  '�@' => '媷',
  '�A' => '嫀',
  '�B' => '嫊',
  '�C' => '媴',
  '�D' => '媶',
  '�E' => '嫍',
  '�F' => '媹',
  '�G' => '媐',
  '�H' => '寖',
  '�I' => '寘',
  '�J' => '寙',
  '�K' => '尟',
  '�L' => '尳',
  '�M' => '嵱',
  '�N' => '嵣',
  '�O' => '嵊',
  '�P' => '嵥',
  '�Q' => '嵲',
  '�R' => '嵬',
  '�S' => '嵞',
  '�T' => '嵨',
  '�U' => '嵧',
  '�V' => '嵢',
  '�W' => '巰',
  '�X' => '幏',
  '�Y' => '幎',
  '�Z' => '幊',
  '�[' => '幍',
  '�\\' => '幋',
  '�]' => '廅',
  '�^' => '廌',
  '�_' => '廆',
  '�`' => '廋',
  '�a' => '廇',
  '�b' => '彀',
  '�c' => '徯',
  '�d' => '徭',
  '�e' => '惷',
  '�f' => '慉',
  '�g' => '慊',
  '�h' => '愫',
  '�i' => '慅',
  '�j' => '愶',
  '�k' => '愲',
  '�l' => '愮',
  '�m' => '慆',
  '�n' => '愯',
  '�o' => '慏',
  '�p' => '愩',
  '�q' => '慀',
  '�r' => '戠',
  '�s' => '酨',
  '�t' => '戣',
  '�u' => '戥',
  '�v' => '戤',
  '�w' => '揅',
  '�x' => '揱',
  '�y' => '揫',
  '�z' => '搐',
  '�{' => '搒',
  '�|' => '搉',
  '�}' => '搠',
  '�~' => '搤',
  'ݡ' => '搳',
  'ݢ' => '摃',
  'ݣ' => '搟',
  'ݤ' => '搕',
  'ݥ' => '搘',
  'ݦ' => '搹',
  'ݧ' => '搷',
  'ݨ' => '搢',
  'ݩ' => '搣',
  'ݪ' => '搌',
  'ݫ' => '搦',
  'ݬ' => '搰',
  'ݭ' => '搨',
  'ݮ' => '摁',
  'ݯ' => '搵',
  'ݰ' => '搯',
  'ݱ' => '搊',
  'ݲ' => '搚',
  'ݳ' => '摀',
  'ݴ' => '搥',
  'ݵ' => '搧',
  'ݶ' => '搋',
  'ݷ' => '揧',
  'ݸ' => '搛',
  'ݹ' => '搮',
  'ݺ' => '搡',
  'ݻ' => '搎',
  'ݼ' => '敯',
  'ݽ' => '斒',
  'ݾ' => '旓',
  'ݿ' => '暆',
  '�' => '暌',
  '�' => '暕',
  '��' => '暐',
  '��' => '暋',
  '��' => '暊',
  '��' => '暙',
  '��' => '暔',
  '��' => '晸',
  '��' => '朠',
  '��' => '楦',
  '��' => '楟',
  '��' => '椸',
  '��' => '楎',
  '��' => '楢',
  '��' => '楱',
  '��' => '椿',
  '��' => '楅',
  '��' => '楪',
  '��' => '椹',
  '��' => '楂',
  '��' => '楗',
  '��' => '楙',
  '��' => '楺',
  '��' => '楈',
  '��' => '楉',
  '��' => '椵',
  '��' => '楬',
  '��' => '椳',
  '��' => '椽',
  '��' => '楥',
  '��' => '棰',
  '��' => '楸',
  '��' => '椴',
  '��' => '楩',
  '��' => '楀',
  '��' => '楯',
  '��' => '楄',
  '��' => '楶',
  '��' => '楘',
  '��' => '楁',
  '��' => '楴',
  '��' => '楌',
  '��' => '椻',
  '��' => '楋',
  '��' => '椷',
  '��' => '楜',
  '��' => '楏',
  '��' => '楑',
  '��' => '椲',
  '��' => '楒',
  '��' => '椯',
  '��' => '楻',
  '��' => '椼',
  '�' => '歆',
  '�' => '歅',
  '�' => '歃',
  '�' => '歂',
  '�' => '歈',
  '�' => '歁',
  '�' => '殛',
  '�' => '嗀',
  '�' => '毻',
  '�' => '毼',
  '�@' => '毹',
  '�A' => '毷',
  '�B' => '毸',
  '�C' => '溛',
  '�D' => '滖',
  '�E' => '滈',
  '�F' => '溏',
  '�G' => '滀',
  '�H' => '溟',
  '�I' => '溓',
  '�J' => '溔',
  '�K' => '溠',
  '�L' => '溱',
  '�M' => '溹',
  '�N' => '滆',
  '�O' => '滒',
  '�P' => '溽',
  '�Q' => '滁',
  '�R' => '溞',
  '�S' => '滉',
  '�T' => '溷',
  '�U' => '溰',
  '�V' => '滍',
  '�W' => '溦',
  '�X' => '滏',
  '�Y' => '溲',
  '�Z' => '溾',
  '�[' => '滃',
  '�\\' => '滜',
  '�]' => '滘',
  '�^' => '溙',
  '�_' => '溒',
  '�`' => '溎',
  '�a' => '溍',
  '�b' => '溤',
  '�c' => '溡',
  '�d' => '溿',
  '�e' => '溳',
  '�f' => '滐',
  '�g' => '滊',
  '�h' => '溗',
  '�i' => '溮',
  '�j' => '溣',
  '�k' => '煇',
  '�l' => '煔',
  '�m' => '煒',
  '�n' => '煣',
  '�o' => '煠',
  '�p' => '煁',
  '�q' => '煝',
  '�r' => '煢',
  '�s' => '煲',
  '�t' => '煸',
  '�u' => '煪',
  '�v' => '煡',
  '�w' => '煂',
  '�x' => '煘',
  '�y' => '煃',
  '�z' => '煋',
  '�{' => '煰',
  '�|' => '煟',
  '�}' => '煐',
  '�~' => '煓',
  'ޡ' => '煄',
  'ޢ' => '煍',
  'ޣ' => '煚',
  'ޤ' => '牏',
  'ޥ' => '犍',
  'ަ' => '犌',
  'ާ' => '犑',
  'ި' => '犐',
  'ީ' => '犎',
  'ު' => '猼',
  'ޫ' => '獂',
  'ެ' => '猻',
  'ޭ' => '猺',
  'ޮ' => '獀',
  'ޯ' => '獊',
  'ް' => '獉',
  'ޱ' => '瑄',
  '޲' => '瑊',
  '޳' => '瑋',
  '޴' => '瑒',
  '޵' => '瑑',
  '޶' => '瑗',
  '޷' => '瑀',
  '޸' => '瑏',
  '޹' => '瑐',
  '޺' => '瑎',
  '޻' => '瑂',
  '޼' => '瑆',
  '޽' => '瑍',
  '޾' => '瑔',
  '޿' => '瓡',
  '�' => '瓿',
  '�' => '瓾',
  '��' => '瓽',
  '��' => '甝',
  '��' => '畹',
  '��' => '畷',
  '��' => '榃',
  '��' => '痯',
  '��' => '瘏',
  '��' => '瘃',
  '��' => '痷',
  '��' => '痾',
  '��' => '痼',
  '��' => '痹',
  '��' => '痸',
  '��' => '瘐',
  '��' => '痻',
  '��' => '痶',
  '��' => '痭',
  '��' => '痵',
  '��' => '痽',
  '��' => '皙',
  '��' => '皵',
  '��' => '盝',
  '��' => '睕',
  '��' => '睟',
  '��' => '睠',
  '��' => '睒',
  '��' => '睖',
  '��' => '睚',
  '��' => '睩',
  '��' => '睧',
  '��' => '睔',
  '��' => '睙',
  '��' => '睭',
  '��' => '矠',
  '��' => '碇',
  '��' => '碚',
  '��' => '碔',
  '��' => '碏',
  '��' => '碄',
  '��' => '碕',
  '��' => '碅',
  '��' => '碆',
  '��' => '碡',
  '��' => '碃',
  '��' => '硹',
  '��' => '碙',
  '��' => '碀',
  '��' => '碖',
  '��' => '硻',
  '��' => '祼',
  '��' => '禂',
  '�' => '祽',
  '�' => '祹',
  '�' => '稑',
  '�' => '稘',
  '�' => '稙',
  '�' => '稒',
  '�' => '稗',
  '�' => '稕',
  '�' => '稢',
  '�' => '稓',
  '�@' => '稛',
  '�A' => '稐',
  '�B' => '窣',
  '�C' => '窢',
  '�D' => '窞',
  '�E' => '竫',
  '�F' => '筦',
  '�G' => '筤',
  '�H' => '筭',
  '�I' => '筴',
  '�J' => '筩',
  '�K' => '筲',
  '�L' => '筥',
  '�M' => '筳',
  '�N' => '筱',
  '�O' => '筰',
  '�P' => '筡',
  '�Q' => '筸',
  '�R' => '筶',
  '�S' => '筣',
  '�T' => '粲',
  '�U' => '粴',
  '�V' => '粯',
  '�W' => '綈',
  '�X' => '綆',
  '�Y' => '綀',
  '�Z' => '綍',
  '�[' => '絿',
  '�\\' => '綅',
  '�]' => '絺',
  '�^' => '綎',
  '�_' => '絻',
  '�`' => '綃',
  '�a' => '絼',
  '�b' => '綌',
  '�c' => '綔',
  '�d' => '綄',
  '�e' => '絽',
  '�f' => '綒',
  '�g' => '罭',
  '�h' => '罫',
  '�i' => '罧',
  '�j' => '罨',
  '�k' => '罬',
  '�l' => '羦',
  '�m' => '羥',
  '�n' => '羧',
  '�o' => '翛',
  '�p' => '翜',
  '�q' => '耡',
  '�r' => '腤',
  '�s' => '腠',
  '�t' => '腷',
  '�u' => '腜',
  '�v' => '腩',
  '�w' => '腛',
  '�x' => '腢',
  '�y' => '腲',
  '�z' => '朡',
  '�{' => '腞',
  '�|' => '腶',
  '�}' => '腧',
  '�~' => '腯',
  'ߡ' => '腄',
  'ߢ' => '腡',
  'ߣ' => '舝',
  'ߤ' => '艉',
  'ߥ' => '艄',
  'ߦ' => '艀',
  'ߧ' => '艂',
  'ߨ' => '艅',
  'ߩ' => '蓱',
  'ߪ' => '萿',
  '߫' => '葖',
  '߬' => '葶',
  '߭' => '葹',
  '߮' => '蒏',
  '߯' => '蒍',
  '߰' => '葥',
  '߱' => '葑',
  '߲' => '葀',
  '߳' => '蒆',
  'ߴ' => '葧',
  'ߵ' => '萰',
  '߶' => '葍',
  '߷' => '葽',
  '߸' => '葚',
  '߹' => '葙',
  'ߺ' => '葴',
  '߻' => '葳',
  '߼' => '葝',
  '߽' => '蔇',
  '߾' => '葞',
  '߿' => '萷',
  '�' => '萺',
  '�' => '萴',
  '��' => '葺',
  '��' => '葃',
  '��' => '葸',
  '��' => '萲',
  '��' => '葅',
  '��' => '萩',
  '��' => '菙',
  '��' => '葋',
  '��' => '萯',
  '��' => '葂',
  '��' => '萭',
  '��' => '葟',
  '��' => '葰',
  '��' => '萹',
  '��' => '葎',
  '��' => '葌',
  '��' => '葒',
  '��' => '葯',
  '��' => '蓅',
  '��' => '蒎',
  '��' => '萻',
  '��' => '葇',
  '��' => '萶',
  '��' => '萳',
  '��' => '葨',
  '��' => '葾',
  '��' => '葄',
  '��' => '萫',
  '��' => '葠',
  '��' => '葔',
  '��' => '葮',
  '��' => '葐',
  '��' => '蜋',
  '��' => '蜄',
  '��' => '蛷',
  '��' => '蜌',
  '��' => '蛺',
  '��' => '蛖',
  '��' => '蛵',
  '��' => '蝍',
  '��' => '蛸',
  '��' => '蜎',
  '��' => '蜉',
  '��' => '蜁',
  '��' => '蛶',
  '��' => '蜍',
  '��' => '蜅',
  '��' => '裖',
  '��' => '裋',
  '��' => '裍',
  '��' => '裎',
  '�' => '裞',
  '�' => '裛',
  '�' => '裚',
  '�' => '裌',
  '�' => '裐',
  '�' => '覅',
  '�' => '覛',
  '�' => '觟',
  '�' => '觥',
  '�' => '觤',
  '�@' => '觡',
  '�A' => '觠',
  '�B' => '觢',
  '�C' => '觜',
  '�D' => '触',
  '�E' => '詶',
  '�F' => '誆',
  '�G' => '詿',
  '�H' => '詡',
  '�I' => '訿',
  '�J' => '詷',
  '�K' => '誂',
  '�L' => '誄',
  '�M' => '詵',
  '�N' => '誃',
  '�O' => '誁',
  '�P' => '詴',
  '�Q' => '詺',
  '�R' => '谼',
  '�S' => '豋',
  '�T' => '豊',
  '�U' => '豥',
  '�V' => '豤',
  '�W' => '豦',
  '�X' => '貆',
  '�Y' => '貄',
  '�Z' => '貅',
  '�[' => '賌',
  '�\\' => '赨',
  '�]' => '赩',
  '�^' => '趑',
  '�_' => '趌',
  '�`' => '趎',
  '�a' => '趏',
  '�b' => '趍',
  '�c' => '趓',
  '�d' => '趔',
  '�e' => '趐',
  '�f' => '趒',
  '�g' => '跰',
  '�h' => '跠',
  '�i' => '跬',
  '�j' => '跱',
  '�k' => '跮',
  '�l' => '跐',
  '�m' => '跩',
  '�n' => '跣',
  '�o' => '跢',
  '�p' => '跧',
  '�q' => '跲',
  '�r' => '跫',
  '�s' => '跴',
  '�t' => '輆',
  '�u' => '軿',
  '�v' => '輁',
  '�w' => '輀',
  '�x' => '輅',
  '�y' => '輇',
  '�z' => '輈',
  '�{' => '輂',
  '�|' => '輋',
  '�}' => '遒',
  '�~' => '逿',
  '�' => '遄',
  '�' => '遉',
  '�' => '逽',
  '�' => '鄐',
  '�' => '鄍',
  '�' => '鄏',
  '�' => '鄑',
  '�' => '鄖',
  '�' => '鄔',
  '�' => '鄋',
  '�' => '鄎',
  '�' => '酮',
  '�' => '酯',
  '�' => '鉈',
  '�' => '鉒',
  '�' => '鈰',
  '�' => '鈺',
  '�' => '鉦',
  '�' => '鈳',
  '�' => '鉥',
  '�' => '鉞',
  '�' => '銃',
  '�' => '鈮',
  '�' => '鉊',
  '�' => '鉆',
  '�' => '鉭',
  '�' => '鉬',
  '�' => '鉏',
  '�' => '鉠',
  '�' => '鉧',
  '�' => '鉯',
  '�' => '鈶',
  '�' => '鉡',
  '��' => '鉰',
  '��' => '鈱',
  '��' => '鉔',
  '��' => '鉣',
  '��' => '鉐',
  '��' => '鉲',
  '��' => '鉎',
  '��' => '鉓',
  '��' => '鉌',
  '��' => '鉖',
  '��' => '鈲',
  '��' => '閟',
  '��' => '閜',
  '��' => '閞',
  '��' => '閛',
  '��' => '隒',
  '��' => '隓',
  '��' => '隑',
  '��' => '隗',
  '��' => '雎',
  '��' => '雺',
  '��' => '雽',
  '��' => '雸',
  '��' => '雵',
  '��' => '靳',
  '��' => '靷',
  '��' => '靸',
  '��' => '靲',
  '��' => '頏',
  '��' => '頍',
  '��' => '頎',
  '��' => '颬',
  '��' => '飶',
  '��' => '飹',
  '��' => '馯',
  '��' => '馲',
  '��' => '馰',
  '��' => '馵',
  '��' => '骭',
  '��' => '骫',
  '��' => '魛',
  '��' => '鳪',
  '��' => '鳭',
  '��' => '鳧',
  '��' => '麀',
  '��' => '黽',
  '��' => '僦',
  '��' => '僔',
  '��' => '僗',
  '��' => '僨',
  '��' => '僳',
  '�' => '僛',
  '�' => '僪',
  '�' => '僝',
  '�' => '僤',
  '�' => '僓',
  '�' => '僬',
  '�' => '僰',
  '�' => '僯',
  '�' => '僣',
  '�' => '僠',
  '�@' => '凘',
  '�A' => '劀',
  '�B' => '劁',
  '�C' => '勩',
  '�D' => '勫',
  '�E' => '匰',
  '�F' => '厬',
  '�G' => '嘧',
  '�H' => '嘕',
  '�I' => '嘌',
  '�J' => '嘒',
  '�K' => '嗼',
  '�L' => '嘏',
  '�M' => '嘜',
  '�N' => '嘁',
  '�O' => '嘓',
  '�P' => '嘂',
  '�Q' => '嗺',
  '�R' => '嘝',
  '�S' => '嘄',
  '�T' => '嗿',
  '�U' => '嗹',
  '�V' => '墉',
  '�W' => '塼',
  '�X' => '墐',
  '�Y' => '墘',
  '�Z' => '墆',
  '�[' => '墁',
  '�\\' => '塿',
  '�]' => '塴',
  '�^' => '墋',
  '�_' => '塺',
  '�`' => '墇',
  '�a' => '墑',
  '�b' => '墎',
  '�c' => '塶',
  '�d' => '墂',
  '�e' => '墈',
  '�f' => '塻',
  '�g' => '墔',
  '�h' => '墏',
  '�i' => '壾',
  '�j' => '奫',
  '�k' => '嫜',
  '�l' => '嫮',
  '�m' => '嫥',
  '�n' => '嫕',
  '�o' => '嫪',
  '�p' => '嫚',
  '�q' => '嫭',
  '�r' => '嫫',
  '�s' => '嫳',
  '�t' => '嫢',
  '�u' => '嫠',
  '�v' => '嫛',
  '�w' => '嫬',
  '�x' => '嫞',
  '�y' => '嫝',
  '�z' => '嫙',
  '�{' => '嫨',
  '�|' => '嫟',
  '�}' => '孷',
  '�~' => '寠',
  '�' => '寣',
  '�' => '屣',
  '�' => '嶂',
  '�' => '嶀',
  '�' => '嵽',
  '�' => '嶆',
  '�' => '嵺',
  '�' => '嶁',
  '�' => '嵷',
  '�' => '嶊',
  '�' => '嶉',
  '�' => '嶈',
  '�' => '嵾',
  '�' => '嵼',
  '�' => '嶍',
  '�' => '嵹',
  '�' => '嵿',
  '�' => '幘',
  '�' => '幙',
  '�' => '幓',
  '�' => '廘',
  '�' => '廑',
  '�' => '廗',
  '�' => '廎',
  '�' => '廜',
  '�' => '廕',
  '�' => '廙',
  '�' => '廒',
  '�' => '廔',
  '�' => '彄',
  '�' => '彃',
  '�' => '彯',
  '�' => '徶',
  '��' => '愬',
  '��' => '愨',
  '��' => '慁',
  '��' => '慞',
  '��' => '慱',
  '��' => '慳',
  '��' => '慒',
  '��' => '慓',
  '��' => '慲',
  '��' => '慬',
  '��' => '憀',
  '��' => '慴',
  '��' => '慔',
  '��' => '慺',
  '��' => '慛',
  '��' => '慥',
  '��' => '愻',
  '��' => '慪',
  '��' => '慡',
  '��' => '慖',
  '��' => '戩',
  '��' => '戧',
  '��' => '戫',
  '��' => '搫',
  '��' => '摍',
  '��' => '摛',
  '��' => '摝',
  '��' => '摴',
  '��' => '摶',
  '��' => '摲',
  '��' => '摳',
  '��' => '摽',
  '��' => '摵',
  '��' => '摦',
  '��' => '撦',
  '��' => '摎',
  '��' => '撂',
  '��' => '摞',
  '��' => '摜',
  '��' => '摋',
  '��' => '摓',
  '��' => '摠',
  '��' => '摐',
  '��' => '摿',
  '��' => '搿',
  '��' => '摬',
  '��' => '摫',
  '��' => '摙',
  '��' => '摥',
  '��' => '摷',
  '��' => '敳',
  '�' => '斠',
  '�' => '暡',
  '�' => '暠',
  '�' => '暟',
  '�' => '朅',
  '�' => '朄',
  '�' => '朢',
  '�' => '榱',
  '�' => '榶',
  '�' => '槉',
  '�@' => '榠',
  '�A' => '槎',
  '�B' => '榖',
  '�C' => '榰',
  '�D' => '榬',
  '�E' => '榼',
  '�F' => '榑',
  '�G' => '榙',
  '�H' => '榎',
  '�I' => '榧',
  '�J' => '榍',
  '�K' => '榩',
  '�L' => '榾',
  '�M' => '榯',
  '�N' => '榿',
  '�O' => '槄',
  '�P' => '榽',
  '�Q' => '榤',
  '�R' => '槔',
  '�S' => '榹',
  '�T' => '槊',
  '�U' => '榚',
  '�V' => '槏',
  '�W' => '榳',
  '�X' => '榓',
  '�Y' => '榪',
  '�Z' => '榡',
  '�[' => '榞',
  '�\\' => '槙',
  '�]' => '榗',
  '�^' => '榐',
  '�_' => '槂',
  '�`' => '榵',
  '�a' => '榥',
  '�b' => '槆',
  '�c' => '歊',
  '�d' => '歍',
  '�e' => '歋',
  '�f' => '殞',
  '�g' => '殟',
  '�h' => '殠',
  '�i' => '毃',
  '�j' => '毄',
  '�k' => '毾',
  '�l' => '滎',
  '�m' => '滵',
  '�n' => '滱',
  '�o' => '漃',
  '�p' => '漥',
  '�q' => '滸',
  '�r' => '漷',
  '�s' => '滻',
  '�t' => '漮',
  '�u' => '漉',
  '�v' => '潎',
  '�w' => '漙',
  '�x' => '漚',
  '�y' => '漧',
  '�z' => '漘',
  '�{' => '漻',
  '�|' => '漒',
  '�}' => '滭',
  '�~' => '漊',
  '�' => '漶',
  '�' => '潳',
  '�' => '滹',
  '�' => '滮',
  '�' => '漭',
  '�' => '潀',
  '�' => '漰',
  '�' => '漼',
  '�' => '漵',
  '�' => '滫',
  '�' => '漇',
  '�' => '漎',
  '�' => '潃',
  '�' => '漅',
  '�' => '滽',
  '�' => '滶',
  '�' => '漹',
  '�' => '漜',
  '�' => '滼',
  '�' => '漺',
  '�' => '漟',
  '�' => '漍',
  '�' => '漞',
  '�' => '漈',
  '�' => '漡',
  '�' => '熇',
  '�' => '熐',
  '�' => '熉',
  '�' => '熀',
  '�' => '熅',
  '�' => '熂',
  '�' => '熏',
  '�' => '煻',
  '��' => '熆',
  '��' => '熁',
  '��' => '熗',
  '��' => '牄',
  '��' => '牓',
  '��' => '犗',
  '��' => '犕',
  '��' => '犓',
  '��' => '獃',
  '��' => '獍',
  '��' => '獑',
  '��' => '獌',
  '��' => '瑢',
  '��' => '瑳',
  '��' => '瑱',
  '��' => '瑵',
  '��' => '瑲',
  '��' => '瑧',
  '��' => '瑮',
  '��' => '甀',
  '��' => '甂',
  '��' => '甃',
  '��' => '畽',
  '��' => '疐',
  '��' => '瘖',
  '��' => '瘈',
  '��' => '瘌',
  '��' => '瘕',
  '��' => '瘑',
  '��' => '瘊',
  '��' => '瘔',
  '��' => '皸',
  '��' => '瞁',
  '��' => '睼',
  '��' => '瞅',
  '��' => '瞂',
  '��' => '睮',
  '��' => '瞀',
  '��' => '睯',
  '��' => '睾',
  '��' => '瞃',
  '��' => '碲',
  '��' => '碪',
  '��' => '碴',
  '��' => '碭',
  '��' => '碨',
  '��' => '硾',
  '��' => '碫',
  '��' => '碞',
  '��' => '碥',
  '��' => '碠',
  '�' => '碬',
  '�' => '碢',
  '�' => '碤',
  '�' => '禘',
  '�' => '禊',
  '�' => '禋',
  '�' => '禖',
  '�' => '禕',
  '�' => '禔',
  '�' => '禓',
  '�@' => '禗',
  '�A' => '禈',
  '�B' => '禒',
  '�C' => '禐',
  '�D' => '稫',
  '�E' => '穊',
  '�F' => '稰',
  '�G' => '稯',
  '�H' => '稨',
  '�I' => '稦',
  '�J' => '窨',
  '�K' => '窫',
  '�L' => '窬',
  '�M' => '竮',
  '�N' => '箈',
  '�O' => '箜',
  '�P' => '箊',
  '�Q' => '箑',
  '�R' => '箐',
  '�S' => '箖',
  '�T' => '箍',
  '�U' => '箌',
  '�V' => '箛',
  '�W' => '箎',
  '�X' => '箅',
  '�Y' => '箘',
  '�Z' => '劄',
  '�[' => '箙',
  '�\\' => '箤',
  '�]' => '箂',
  '�^' => '粻',
  '�_' => '粿',
  '�`' => '粼',
  '�a' => '粺',
  '�b' => '綧',
  '�c' => '綷',
  '�d' => '緂',
  '�e' => '綣',
  '�f' => '綪',
  '�g' => '緁',
  '�h' => '緀',
  '�i' => '緅',
  '�j' => '綝',
  '�k' => '緎',
  '�l' => '緄',
  '�m' => '緆',
  '�n' => '緋',
  '�o' => '緌',
  '�p' => '綯',
  '�q' => '綹',
  '�r' => '綖',
  '�s' => '綼',
  '�t' => '綟',
  '�u' => '綦',
  '�v' => '綮',
  '�w' => '綩',
  '�x' => '綡',
  '�y' => '緉',
  '�z' => '罳',
  '�{' => '翢',
  '�|' => '翣',
  '�}' => '翥',
  '�~' => '翞',
  '�' => '耤',
  '�' => '聝',
  '�' => '聜',
  '�' => '膉',
  '�' => '膆',
  '�' => '膃',
  '�' => '膇',
  '�' => '膍',
  '�' => '膌',
  '�' => '膋',
  '�' => '舕',
  '�' => '蒗',
  '�' => '蒤',
  '�' => '蒡',
  '�' => '蒟',
  '�' => '蒺',
  '�' => '蓎',
  '�' => '蓂',
  '�' => '蒬',
  '�' => '蒮',
  '�' => '蒫',
  '�' => '蒹',
  '�' => '蒴',
  '�' => '蓁',
  '�' => '蓍',
  '�' => '蒪',
  '�' => '蒚',
  '�' => '蒱',
  '�' => '蓐',
  '�' => '蒝',
  '�' => '蒧',
  '�' => '蒻',
  '�' => '蒢',
  '��' => '蒔',
  '��' => '蓇',
  '��' => '蓌',
  '��' => '蒛',
  '��' => '蒩',
  '��' => '蒯',
  '��' => '蒨',
  '��' => '蓖',
  '��' => '蒘',
  '��' => '蒶',
  '��' => '蓏',
  '��' => '蒠',
  '��' => '蓗',
  '��' => '蓔',
  '��' => '蓒',
  '��' => '蓛',
  '��' => '蒰',
  '��' => '蒑',
  '��' => '虡',
  '��' => '蜳',
  '��' => '蜣',
  '��' => '蜨',
  '��' => '蝫',
  '��' => '蝀',
  '��' => '蜮',
  '��' => '蜞',
  '��' => '蜡',
  '��' => '蜙',
  '��' => '蜛',
  '��' => '蝃',
  '��' => '蜬',
  '��' => '蝁',
  '��' => '蜾',
  '��' => '蝆',
  '��' => '蜠',
  '��' => '蜲',
  '��' => '蜪',
  '��' => '蜭',
  '��' => '蜼',
  '��' => '蜒',
  '��' => '蜺',
  '��' => '蜱',
  '��' => '蜵',
  '��' => '蝂',
  '��' => '蜦',
  '��' => '蜧',
  '��' => '蜸',
  '��' => '蜤',
  '��' => '蜚',
  '��' => '蜰',
  '��' => '蜑',
  '�' => '裷',
  '�' => '裧',
  '�' => '裱',
  '�' => '裲',
  '�' => '裺',
  '�' => '裾',
  '�' => '裮',
  '�' => '裼',
  '�' => '裶',
  '�' => '裻',
  '�@' => '裰',
  '�A' => '裬',
  '�B' => '裫',
  '�C' => '覝',
  '�D' => '覡',
  '�E' => '覟',
  '�F' => '覞',
  '�G' => '觩',
  '�H' => '觫',
  '�I' => '觨',
  '�J' => '誫',
  '�K' => '誙',
  '�L' => '誋',
  '�M' => '誒',
  '�N' => '誏',
  '�O' => '誖',
  '�P' => '谽',
  '�Q' => '豨',
  '�R' => '豩',
  '�S' => '賕',
  '�T' => '賏',
  '�U' => '賗',
  '�V' => '趖',
  '�W' => '踉',
  '�X' => '踂',
  '�Y' => '跿',
  '�Z' => '踍',
  '�[' => '跽',
  '�\\' => '踊',
  '�]' => '踃',
  '�^' => '踇',
  '�_' => '踆',
  '�`' => '踅',
  '�a' => '跾',
  '�b' => '踀',
  '�c' => '踄',
  '�d' => '輐',
  '�e' => '輑',
  '�f' => '輎',
  '�g' => '輍',
  '�h' => '鄣',
  '�i' => '鄜',
  '�j' => '鄠',
  '�k' => '鄢',
  '�l' => '鄟',
  '�m' => '鄝',
  '�n' => '鄚',
  '�o' => '鄤',
  '�p' => '鄡',
  '�q' => '鄛',
  '�r' => '酺',
  '�s' => '酲',
  '�t' => '酹',
  '�u' => '酳',
  '�v' => '銥',
  '�w' => '銤',
  '�x' => '鉶',
  '�y' => '銛',
  '�z' => '鉺',
  '�{' => '銠',
  '�|' => '銔',
  '�}' => '銪',
  '�~' => '銍',
  '�' => '銦',
  '�' => '銚',
  '�' => '銫',
  '�' => '鉹',
  '�' => '銗',
  '�' => '鉿',
  '�' => '銣',
  '�' => '鋮',
  '�' => '銎',
  '�' => '銂',
  '�' => '銕',
  '�' => '銢',
  '�' => '鉽',
  '�' => '銈',
  '�' => '銡',
  '�' => '銊',
  '�' => '銆',
  '�' => '銌',
  '�' => '銙',
  '�' => '銧',
  '�' => '鉾',
  '�' => '銇',
  '�' => '銩',
  '�' => '銝',
  '�' => '銋',
  '�' => '鈭',
  '�' => '隞',
  '�' => '隡',
  '�' => '雿',
  '�' => '靘',
  '�' => '靽',
  '�' => '靺',
  '�' => '靾',
  '��' => '鞃',
  '��' => '鞀',
  '��' => '鞂',
  '��' => '靻',
  '��' => '鞄',
  '��' => '鞁',
  '��' => '靿',
  '��' => '韎',
  '��' => '韍',
  '��' => '頖',
  '��' => '颭',
  '��' => '颮',
  '��' => '餂',
  '��' => '餀',
  '��' => '餇',
  '��' => '馝',
  '��' => '馜',
  '��' => '駃',
  '��' => '馹',
  '��' => '馻',
  '��' => '馺',
  '��' => '駂',
  '��' => '馽',
  '��' => '駇',
  '��' => '骱',
  '��' => '髣',
  '��' => '髧',
  '��' => '鬾',
  '��' => '鬿',
  '��' => '魠',
  '��' => '魡',
  '��' => '魟',
  '��' => '鳱',
  '��' => '鳲',
  '��' => '鳵',
  '��' => '麧',
  '��' => '僿',
  '��' => '儃',
  '��' => '儰',
  '��' => '僸',
  '��' => '儆',
  '��' => '儇',
  '��' => '僶',
  '��' => '僾',
  '��' => '儋',
  '��' => '儌',
  '��' => '僽',
  '��' => '儊',
  '��' => '劋',
  '��' => '劌',
  '��' => '勱',
  '�' => '勯',
  '�' => '噈',
  '�' => '噂',
  '�' => '噌',
  '�' => '嘵',
  '�' => '噁',
  '�' => '噊',
  '�' => '噉',
  '�' => '噆',
  '�' => '噘',
  '�@' => '噚',
  '�A' => '噀',
  '�B' => '嘳',
  '�C' => '嘽',
  '�D' => '嘬',
  '�E' => '嘾',
  '�F' => '嘸',
  '�G' => '嘪',
  '�H' => '嘺',
  '�I' => '圚',
  '�J' => '墫',
  '�K' => '墝',
  '�L' => '墱',
  '�M' => '墠',
  '�N' => '墣',
  '�O' => '墯',
  '�P' => '墬',
  '�Q' => '墥',
  '�R' => '墡',
  '�S' => '壿',
  '�T' => '嫿',
  '�U' => '嫴',
  '�V' => '嫽',
  '�W' => '嫷',
  '�X' => '嫶',
  '�Y' => '嬃',
  '�Z' => '嫸',
  '�[' => '嬂',
  '�\\' => '嫹',
  '�]' => '嬁',
  '�^' => '嬇',
  '�_' => '嬅',
  '�`' => '嬏',
  '�a' => '屧',
  '�b' => '嶙',
  '�c' => '嶗',
  '�d' => '嶟',
  '�e' => '嶒',
  '�f' => '嶢',
  '�g' => '嶓',
  '�h' => '嶕',
  '�i' => '嶠',
  '�j' => '嶜',
  '�k' => '嶡',
  '�l' => '嶚',
  '�m' => '嶞',
  '�n' => '幩',
  '�o' => '幝',
  '�p' => '幠',
  '�q' => '幜',
  '�r' => '緳',
  '�s' => '廛',
  '�t' => '廞',
  '�u' => '廡',
  '�v' => '彉',
  '�w' => '徲',
  '�x' => '憋',
  '�y' => '憃',
  '�z' => '慹',
  '�{' => '憱',
  '�|' => '憰',
  '�}' => '憢',
  '�~' => '憉',
  '�' => '憛',
  '�' => '憓',
  '�' => '憯',
  '�' => '憭',
  '�' => '憟',
  '�' => '憒',
  '�' => '憪',
  '�' => '憡',
  '�' => '憍',
  '�' => '慦',
  '�' => '憳',
  '�' => '戭',
  '�' => '摮',
  '�' => '摰',
  '�' => '撖',
  '�' => '撠',
  '�' => '撅',
  '�' => '撗',
  '�' => '撜',
  '�' => '撏',
  '�' => '撋',
  '�' => '撊',
  '�' => '撌',
  '�' => '撣',
  '�' => '撟',
  '�' => '摨',
  '�' => '撱',
  '�' => '撘',
  '�' => '敶',
  '�' => '敺',
  '�' => '敹',
  '�' => '敻',
  '�' => '斲',
  '��' => '斳',
  '��' => '暵',
  '��' => '暰',
  '��' => '暩',
  '��' => '暲',
  '��' => '暷',
  '��' => '暪',
  '��' => '暯',
  '��' => '樀',
  '��' => '樆',
  '��' => '樗',
  '��' => '槥',
  '��' => '槸',
  '��' => '樕',
  '��' => '槱',
  '��' => '槤',
  '��' => '樠',
  '��' => '槿',
  '��' => '槬',
  '��' => '槢',
  '��' => '樛',
  '��' => '樝',
  '��' => '槾',
  '��' => '樧',
  '��' => '槲',
  '��' => '槮',
  '��' => '樔',
  '��' => '槷',
  '��' => '槧',
  '��' => '橀',
  '��' => '樈',
  '��' => '槦',
  '��' => '槻',
  '��' => '樍',
  '��' => '槼',
  '��' => '槫',
  '��' => '樉',
  '��' => '樄',
  '��' => '樘',
  '��' => '樥',
  '��' => '樏',
  '��' => '槶',
  '��' => '樦',
  '��' => '樇',
  '��' => '槴',
  '��' => '樖',
  '��' => '歑',
  '��' => '殥',
  '��' => '殣',
  '��' => '殢',
  '��' => '殦',
  '�' => '氁',
  '�' => '氀',
  '�' => '毿',
  '�' => '氂',
  '�' => '潁',
  '�' => '漦',
  '�' => '潾',
  '�' => '澇',
  '�' => '濆',
  '�' => '澒',
  '�@' => '澍',
  '�A' => '澉',
  '�B' => '澌',
  '�C' => '潢',
  '�D' => '潏',
  '�E' => '澅',
  '�F' => '潚',
  '�G' => '澖',
  '�H' => '潶',
  '�I' => '潬',
  '�J' => '澂',
  '�K' => '潕',
  '�L' => '潲',
  '�M' => '潒',
  '�N' => '潐',
  '�O' => '潗',
  '�P' => '澔',
  '�Q' => '澓',
  '�R' => '潝',
  '�S' => '漀',
  '�T' => '潡',
  '�U' => '潫',
  '�V' => '潽',
  '�W' => '潧',
  '�X' => '澐',
  '�Y' => '潓',
  '�Z' => '澋',
  '�[' => '潩',
  '�\\' => '潿',
  '�]' => '澕',
  '�^' => '潣',
  '�_' => '潷',
  '�`' => '潪',
  '�a' => '潻',
  '�b' => '熲',
  '�c' => '熯',
  '�d' => '熛',
  '�e' => '熰',
  '�f' => '熠',
  '�g' => '熚',
  '�h' => '熩',
  '�i' => '熵',
  '�j' => '熝',
  '�k' => '熥',
  '�l' => '熞',
  '�m' => '熤',
  '�n' => '熡',
  '�o' => '熪',
  '�p' => '熜',
  '�q' => '熧',
  '�r' => '熳',
  '�s' => '犘',
  '�t' => '犚',
  '�u' => '獘',
  '�v' => '獒',
  '�w' => '獞',
  '�x' => '獟',
  '�y' => '獠',
  '�z' => '獝',
  '�{' => '獛',
  '�|' => '獡',
  '�}' => '獚',
  '�~' => '獙',
  '�' => '獢',
  '�' => '璇',
  '�' => '璉',
  '�' => '璊',
  '�' => '璆',
  '�' => '璁',
  '�' => '瑽',
  '�' => '璅',
  '�' => '璈',
  '�' => '瑼',
  '�' => '瑹',
  '�' => '甈',
  '�' => '甇',
  '�' => '畾',
  '�' => '瘥',
  '�' => '瘞',
  '�' => '瘙',
  '�' => '瘝',
  '�' => '瘜',
  '�' => '瘣',
  '�' => '瘚',
  '�' => '瘨',
  '�' => '瘛',
  '�' => '皜',
  '�' => '皝',
  '�' => '皞',
  '�' => '皛',
  '�' => '瞍',
  '�' => '瞏',
  '�' => '瞉',
  '�' => '瞈',
  '�' => '磍',
  '�' => '碻',
  '��' => '磏',
  '��' => '磌',
  '��' => '磑',
  '��' => '磎',
  '��' => '磔',
  '��' => '磈',
  '��' => '磃',
  '��' => '磄',
  '��' => '磉',
  '��' => '禚',
  '��' => '禡',
  '��' => '禠',
  '��' => '禜',
  '��' => '禢',
  '��' => '禛',
  '��' => '歶',
  '��' => '稹',
  '��' => '窲',
  '��' => '窴',
  '��' => '窳',
  '��' => '箷',
  '��' => '篋',
  '��' => '箾',
  '��' => '箬',
  '��' => '篎',
  '��' => '箯',
  '��' => '箹',
  '��' => '篊',
  '��' => '箵',
  '��' => '糅',
  '��' => '糈',
  '��' => '糌',
  '��' => '糋',
  '��' => '緷',
  '��' => '緛',
  '��' => '緪',
  '��' => '緧',
  '��' => '緗',
  '��' => '緡',
  '��' => '縃',
  '��' => '緺',
  '��' => '緦',
  '��' => '緶',
  '��' => '緱',
  '��' => '緰',
  '��' => '緮',
  '��' => '緟',
  '��' => '罶',
  '��' => '羬',
  '��' => '羰',
  '��' => '羭',
  '�' => '翭',
  '�' => '翫',
  '�' => '翪',
  '�' => '翬',
  '�' => '翦',
  '�' => '翨',
  '�' => '聤',
  '�' => '聧',
  '�' => '膣',
  '�' => '膟',
  '�@' => '膞',
  '�A' => '膕',
  '�B' => '膢',
  '�C' => '膙',
  '�D' => '膗',
  '�E' => '舖',
  '�F' => '艏',
  '�G' => '艓',
  '�H' => '艒',
  '�I' => '艐',
  '�J' => '艎',
  '�K' => '艑',
  '�L' => '蔤',
  '�M' => '蔻',
  '�N' => '蔏',
  '�O' => '蔀',
  '�P' => '蔩',
  '�Q' => '蔎',
  '�R' => '蔉',
  '�S' => '蔍',
  '�T' => '蔟',
  '�U' => '蔊',
  '�V' => '蔧',
  '�W' => '蔜',
  '�X' => '蓻',
  '�Y' => '蔫',
  '�Z' => '蓺',
  '�[' => '蔈',
  '�\\' => '蔌',
  '�]' => '蓴',
  '�^' => '蔪',
  '�_' => '蓲',
  '�`' => '蔕',
  '�a' => '蓷',
  '�b' => '蓫',
  '�c' => '蓳',
  '�d' => '蓼',
  '�e' => '蔒',
  '�f' => '蓪',
  '�g' => '蓩',
  '�h' => '蔖',
  '�i' => '蓾',
  '�j' => '蔨',
  '�k' => '蔝',
  '�l' => '蔮',
  '�m' => '蔂',
  '�n' => '蓽',
  '�o' => '蔞',
  '�p' => '蓶',
  '�q' => '蔱',
  '�r' => '蔦',
  '�s' => '蓧',
  '�t' => '蓨',
  '�u' => '蓰',
  '�v' => '蓯',
  '�w' => '蓹',
  '�x' => '蔘',
  '�y' => '蔠',
  '�z' => '蔰',
  '�{' => '蔋',
  '�|' => '蔙',
  '�}' => '蔯',
  '�~' => '虢',
  '�' => '蝖',
  '�' => '蝣',
  '�' => '蝤',
  '�' => '蝷',
  '�' => '蟡',
  '�' => '蝳',
  '�' => '蝘',
  '�' => '蝔',
  '�' => '蝛',
  '�' => '蝒',
  '�' => '蝡',
  '�' => '蝚',
  '�' => '蝑',
  '�' => '蝞',
  '�' => '蝭',
  '�' => '蝪',
  '�' => '蝐',
  '�' => '蝎',
  '�' => '蝟',
  '�' => '蝝',
  '�' => '蝯',
  '�' => '蝬',
  '�' => '蝺',
  '�' => '蝮',
  '�' => '蝜',
  '�' => '蝥',
  '�' => '蝏',
  '�' => '蝻',
  '�' => '蝵',
  '�' => '蝢',
  '�' => '蝧',
  '�' => '蝩',
  '�' => '衚',
  '��' => '褅',
  '��' => '褌',
  '��' => '褔',
  '��' => '褋',
  '��' => '褗',
  '��' => '褘',
  '��' => '褙',
  '��' => '褆',
  '��' => '褖',
  '��' => '褑',
  '��' => '褎',
  '��' => '褉',
  '��' => '覢',
  '��' => '覤',
  '��' => '覣',
  '��' => '觭',
  '��' => '觰',
  '��' => '觬',
  '��' => '諏',
  '��' => '諆',
  '��' => '誸',
  '��' => '諓',
  '��' => '諑',
  '��' => '諔',
  '��' => '諕',
  '��' => '誻',
  '��' => '諗',
  '��' => '誾',
  '��' => '諀',
  '��' => '諅',
  '��' => '諘',
  '��' => '諃',
  '��' => '誺',
  '��' => '誽',
  '��' => '諙',
  '��' => '谾',
  '��' => '豍',
  '��' => '貏',
  '��' => '賥',
  '��' => '賟',
  '��' => '賙',
  '��' => '賨',
  '��' => '賚',
  '��' => '賝',
  '��' => '賧',
  '��' => '趠',
  '��' => '趜',
  '��' => '趡',
  '��' => '趛',
  '��' => '踠',
  '��' => '踣',
  '�' => '踥',
  '�' => '踤',
  '�' => '踮',
  '�' => '踕',
  '�' => '踛',
  '�' => '踖',
  '�' => '踑',
  '�' => '踙',
  '�' => '踦',
  '�' => '踧',
  '�@' => '踔',
  '�A' => '踒',
  '�B' => '踘',
  '�C' => '踓',
  '�D' => '踜',
  '�E' => '踗',
  '�F' => '踚',
  '�G' => '輬',
  '�H' => '輤',
  '�I' => '輘',
  '�J' => '輚',
  '�K' => '輠',
  '�L' => '輣',
  '�M' => '輖',
  '�N' => '輗',
  '�O' => '遳',
  '�P' => '遰',
  '�Q' => '遯',
  '�R' => '遧',
  '�S' => '遫',
  '�T' => '鄯',
  '�U' => '鄫',
  '�V' => '鄩',
  '�W' => '鄪',
  '�X' => '鄲',
  '�Y' => '鄦',
  '�Z' => '鄮',
  '�[' => '醅',
  '�\\' => '醆',
  '�]' => '醊',
  '�^' => '醁',
  '�_' => '醂',
  '�`' => '醄',
  '�a' => '醀',
  '�b' => '鋐',
  '�c' => '鋃',
  '�d' => '鋄',
  '�e' => '鋀',
  '�f' => '鋙',
  '�g' => '銶',
  '�h' => '鋏',
  '�i' => '鋱',
  '�j' => '鋟',
  '�k' => '鋘',
  '�l' => '鋩',
  '�m' => '鋗',
  '�n' => '鋝',
  '�o' => '鋌',
  '�p' => '鋯',
  '�q' => '鋂',
  '�r' => '鋨',
  '�s' => '鋊',
  '�t' => '鋈',
  '�u' => '鋎',
  '�v' => '鋦',
  '�w' => '鋍',
  '�x' => '鋕',
  '�y' => '鋉',
  '�z' => '鋠',
  '�{' => '鋞',
  '�|' => '鋧',
  '�}' => '鋑',
  '�~' => '鋓',
  '�' => '銵',
  '�' => '鋡',
  '�' => '鋆',
  '�' => '銴',
  '�' => '镼',
  '�' => '閬',
  '�' => '閫',
  '�' => '閮',
  '�' => '閰',
  '�' => '隤',
  '�' => '隢',
  '�' => '雓',
  '�' => '霅',
  '�' => '霈',
  '�' => '霂',
  '�' => '靚',
  '�' => '鞊',
  '�' => '鞎',
  '�' => '鞈',
  '�' => '韐',
  '�' => '韏',
  '�' => '頞',
  '�' => '頝',
  '�' => '頦',
  '�' => '頩',
  '�' => '頨',
  '�' => '頠',
  '�' => '頛',
  '�' => '頧',
  '�' => '颲',
  '�' => '餈',
  '�' => '飺',
  '�' => '餑',
  '��' => '餔',
  '��' => '餖',
  '��' => '餗',
  '��' => '餕',
  '��' => '駜',
  '��' => '駍',
  '��' => '駏',
  '��' => '駓',
  '��' => '駔',
  '��' => '駎',
  '��' => '駉',
  '��' => '駖',
  '��' => '駘',
  '��' => '駋',
  '��' => '駗',
  '��' => '駌',
  '��' => '骳',
  '��' => '髬',
  '��' => '髫',
  '��' => '髳',
  '��' => '髲',
  '��' => '髱',
  '��' => '魆',
  '��' => '魃',
  '��' => '魧',
  '��' => '魴',
  '��' => '魱',
  '��' => '魦',
  '��' => '魶',
  '��' => '魵',
  '��' => '魰',
  '��' => '魨',
  '��' => '魤',
  '��' => '魬',
  '��' => '鳼',
  '��' => '鳺',
  '��' => '鳽',
  '��' => '鳿',
  '��' => '鳷',
  '��' => '鴇',
  '��' => '鴀',
  '��' => '鳹',
  '��' => '鳻',
  '��' => '鴈',
  '��' => '鴅',
  '��' => '鴄',
  '��' => '麃',
  '��' => '黓',
  '��' => '鼏',
  '��' => '鼐',
  '��' => '儜',
  '�' => '儓',
  '�' => '儗',
  '�' => '儚',
  '�' => '儑',
  '�' => '凞',
  '�' => '匴',
  '�' => '叡',
  '�' => '噰',
  '�' => '噠',
  '�' => '噮',
  '�@' => '噳',
  '�A' => '噦',
  '�B' => '噣',
  '�C' => '噭',
  '�D' => '噲',
  '�E' => '噞',
  '�F' => '噷',
  '�G' => '圜',
  '�H' => '圛',
  '�I' => '壈',
  '�J' => '墽',
  '�K' => '壉',
  '�L' => '墿',
  '�M' => '墺',
  '�N' => '壂',
  '�O' => '墼',
  '�P' => '壆',
  '�Q' => '嬗',
  '�R' => '嬙',
  '�S' => '嬛',
  '�T' => '嬡',
  '�U' => '嬔',
  '�V' => '嬓',
  '�W' => '嬐',
  '�X' => '嬖',
  '�Y' => '嬨',
  '�Z' => '嬚',
  '�[' => '嬠',
  '�\\' => '嬞',
  '�]' => '寯',
  '�^' => '嶬',
  '�_' => '嶱',
  '�`' => '嶩',
  '�a' => '嶧',
  '�b' => '嶵',
  '�c' => '嶰',
  '�d' => '嶮',
  '�e' => '嶪',
  '�f' => '嶨',
  '�g' => '嶲',
  '�h' => '嶭',
  '�i' => '嶯',
  '�j' => '嶴',
  '�k' => '幧',
  '�l' => '幨',
  '�m' => '幦',
  '�n' => '幯',
  '�o' => '廩',
  '�p' => '廧',
  '�q' => '廦',
  '�r' => '廨',
  '�s' => '廥',
  '�t' => '彋',
  '�u' => '徼',
  '�v' => '憝',
  '�w' => '憨',
  '�x' => '憖',
  '�y' => '懅',
  '�z' => '憴',
  '�{' => '懆',
  '�|' => '懁',
  '�}' => '懌',
  '�~' => '憺',
  '�' => '憿',
  '�' => '憸',
  '�' => '憌',
  '�' => '擗',
  '�' => '擖',
  '�' => '擐',
  '�' => '擏',
  '�' => '擉',
  '�' => '撽',
  '�' => '撉',
  '�' => '擃',
  '�' => '擛',
  '�' => '擳',
  '�' => '擙',
  '�' => '攳',
  '�' => '敿',
  '�' => '敼',
  '�' => '斢',
  '�' => '曈',
  '�' => '暾',
  '�' => '曀',
  '�' => '曊',
  '�' => '曋',
  '�' => '曏',
  '�' => '暽',
  '�' => '暻',
  '�' => '暺',
  '�' => '曌',
  '�' => '朣',
  '�' => '樴',
  '�' => '橦',
  '�' => '橉',
  '�' => '橧',
  '��' => '樲',
  '��' => '橨',
  '��' => '樾',
  '��' => '橝',
  '��' => '橭',
  '��' => '橶',
  '��' => '橛',
  '��' => '橑',
  '��' => '樨',
  '��' => '橚',
  '��' => '樻',
  '��' => '樿',
  '��' => '橁',
  '��' => '橪',
  '��' => '橤',
  '��' => '橐',
  '��' => '橏',
  '��' => '橔',
  '��' => '橯',
  '��' => '橩',
  '��' => '橠',
  '��' => '樼',
  '��' => '橞',
  '��' => '橖',
  '��' => '橕',
  '��' => '橍',
  '��' => '橎',
  '��' => '橆',
  '��' => '歕',
  '��' => '歔',
  '��' => '歖',
  '��' => '殧',
  '��' => '殪',
  '��' => '殫',
  '��' => '毈',
  '��' => '毇',
  '��' => '氄',
  '��' => '氃',
  '��' => '氆',
  '��' => '澭',
  '��' => '濋',
  '��' => '澣',
  '��' => '濇',
  '��' => '澼',
  '��' => '濎',
  '��' => '濈',
  '��' => '潞',
  '��' => '濄',
  '��' => '澽',
  '��' => '澞',
  '��' => '濊',
  '�' => '澨',
  '�' => '瀄',
  '�' => '澥',
  '�' => '澮',
  '�' => '澺',
  '�' => '澬',
  '�' => '澪',
  '�' => '濏',
  '�' => '澿',
  '�' => '澸',
  '�@' => '澢',
  '�A' => '濉',
  '�B' => '澫',
  '�C' => '濍',
  '�D' => '澯',
  '�E' => '澲',
  '�F' => '澰',
  '�G' => '燅',
  '�H' => '燂',
  '�I' => '熿',
  '�J' => '熸',
  '�K' => '燖',
  '�L' => '燀',
  '�M' => '燁',
  '�N' => '燋',
  '�O' => '燔',
  '�P' => '燊',
  '�Q' => '燇',
  '�R' => '燏',
  '�S' => '熽',
  '�T' => '燘',
  '�U' => '熼',
  '�V' => '燆',
  '�W' => '燚',
  '�X' => '燛',
  '�Y' => '犝',
  '�Z' => '犞',
  '�[' => '獩',
  '�\\' => '獦',
  '�]' => '獧',
  '�^' => '獬',
  '�_' => '獥',
  '�`' => '獫',
  '�a' => '獪',
  '�b' => '瑿',
  '�c' => '璚',
  '�d' => '璠',
  '�e' => '璔',
  '�f' => '璒',
  '�g' => '璕',
  '�h' => '璡',
  '�i' => '甋',
  '�j' => '疀',
  '�k' => '瘯',
  '�l' => '瘭',
  '�m' => '瘱',
  '�n' => '瘽',
  '�o' => '瘳',
  '�p' => '瘼',
  '�q' => '瘵',
  '�r' => '瘲',
  '�s' => '瘰',
  '�t' => '皻',
  '�u' => '盦',
  '�v' => '瞚',
  '�w' => '瞝',
  '�x' => '瞡',
  '�y' => '瞜',
  '�z' => '瞛',
  '�{' => '瞢',
  '�|' => '瞣',
  '�}' => '瞕',
  '�~' => '瞙',
  '�' => '瞗',
  '�' => '磝',
  '�' => '磩',
  '�' => '磥',
  '�' => '磪',
  '�' => '磞',
  '�' => '磣',
  '�' => '磛',
  '�' => '磡',
  '�' => '磢',
  '�' => '磭',
  '�' => '磟',
  '�' => '磠',
  '�' => '禤',
  '�' => '穄',
  '�' => '穈',
  '�' => '穇',
  '�' => '窶',
  '�' => '窸',
  '�' => '窵',
  '�' => '窱',
  '�' => '窷',
  '�' => '篞',
  '�' => '篣',
  '�' => '篧',
  '�' => '篝',
  '�' => '篕',
  '�' => '篥',
  '�' => '篚',
  '�' => '篨',
  '�' => '篹',
  '�' => '篔',
  '�' => '篪',
  '��' => '篢',
  '��' => '篜',
  '��' => '篫',
  '��' => '篘',
  '��' => '篟',
  '��' => '糒',
  '��' => '糔',
  '��' => '糗',
  '��' => '糐',
  '��' => '糑',
  '��' => '縒',
  '��' => '縡',
  '��' => '縗',
  '��' => '縌',
  '��' => '縟',
  '��' => '縠',
  '��' => '縓',
  '��' => '縎',
  '��' => '縜',
  '��' => '縕',
  '��' => '縚',
  '��' => '縢',
  '��' => '縋',
  '��' => '縏',
  '��' => '縖',
  '��' => '縍',
  '��' => '縔',
  '��' => '縥',
  '��' => '縤',
  '��' => '罃',
  '��' => '罻',
  '��' => '罼',
  '��' => '罺',
  '��' => '羱',
  '��' => '翯',
  '��' => '耪',
  '��' => '耩',
  '��' => '聬',
  '��' => '膱',
  '��' => '膦',
  '��' => '膮',
  '��' => '膹',
  '��' => '膵',
  '��' => '膫',
  '��' => '膰',
  '��' => '膬',
  '��' => '膴',
  '��' => '膲',
  '��' => '膷',
  '��' => '膧',
  '��' => '臲',
  '�' => '艕',
  '�' => '艖',
  '�' => '艗',
  '�' => '蕖',
  '�' => '蕅',
  '�' => '蕫',
  '�' => '蕍',
  '�' => '蕓',
  '�' => '蕡',
  '�' => '蕘',
  '�@' => '蕀',
  '�A' => '蕆',
  '�B' => '蕤',
  '�C' => '蕁',
  '�D' => '蕢',
  '�E' => '蕄',
  '�F' => '蕑',
  '�G' => '蕇',
  '�H' => '蕣',
  '�I' => '蔾',
  '�J' => '蕛',
  '�K' => '蕱',
  '�L' => '蕎',
  '�M' => '蕮',
  '�N' => '蕵',
  '�O' => '蕕',
  '�P' => '蕧',
  '�Q' => '蕠',
  '�R' => '薌',
  '�S' => '蕦',
  '�T' => '蕝',
  '�U' => '蕔',
  '�V' => '蕥',
  '�W' => '蕬',
  '�X' => '虣',
  '�Y' => '虥',
  '�Z' => '虤',
  '�[' => '螛',
  '�\\' => '螏',
  '�]' => '螗',
  '�^' => '螓',
  '�_' => '螒',
  '�`' => '螈',
  '�a' => '螁',
  '�b' => '螖',
  '�c' => '螘',
  '�d' => '蝹',
  '�e' => '螇',
  '�f' => '螣',
  '�g' => '螅',
  '�h' => '螐',
  '�i' => '螑',
  '�j' => '螝',
  '�k' => '螄',
  '�l' => '螔',
  '�m' => '螜',
  '�n' => '螚',
  '�o' => '螉',
  '�p' => '褞',
  '�q' => '褦',
  '�r' => '褰',
  '�s' => '褭',
  '�t' => '褮',
  '�u' => '褧',
  '�v' => '褱',
  '�w' => '褢',
  '�x' => '褩',
  '�y' => '褣',
  '�z' => '褯',
  '�{' => '褬',
  '�|' => '褟',
  '�}' => '觱',
  '�~' => '諠',
  '�' => '諢',
  '�' => '諲',
  '�' => '諴',
  '�' => '諵',
  '�' => '諝',
  '�' => '謔',
  '�' => '諤',
  '�' => '諟',
  '�' => '諰',
  '�' => '諈',
  '�' => '諞',
  '�' => '諡',
  '�' => '諨',
  '�' => '諿',
  '�' => '諯',
  '�' => '諻',
  '�' => '貑',
  '�' => '貒',
  '�' => '貐',
  '�' => '賵',
  '�' => '賮',
  '�' => '賱',
  '�' => '賰',
  '�' => '賳',
  '�' => '赬',
  '�' => '赮',
  '�' => '趥',
  '�' => '趧',
  '�' => '踳',
  '�' => '踾',
  '�' => '踸',
  '�' => '蹀',
  '�' => '蹅',
  '��' => '踶',
  '��' => '踼',
  '��' => '踽',
  '��' => '蹁',
  '��' => '踰',
  '��' => '踿',
  '��' => '躽',
  '��' => '輶',
  '��' => '輮',
  '��' => '輵',
  '��' => '輲',
  '��' => '輹',
  '��' => '輷',
  '��' => '輴',
  '��' => '遶',
  '��' => '遹',
  '��' => '遻',
  '��' => '邆',
  '��' => '郺',
  '��' => '鄳',
  '��' => '鄵',
  '��' => '鄶',
  '��' => '醓',
  '��' => '醐',
  '��' => '醑',
  '��' => '醍',
  '��' => '醏',
  '��' => '錧',
  '��' => '錞',
  '��' => '錈',
  '��' => '錟',
  '��' => '錆',
  '��' => '錏',
  '��' => '鍺',
  '��' => '錸',
  '��' => '錼',
  '��' => '錛',
  '��' => '錣',
  '��' => '錒',
  '��' => '錁',
  '��' => '鍆',
  '��' => '錭',
  '��' => '錎',
  '��' => '錍',
  '��' => '鋋',
  '��' => '錝',
  '��' => '鋺',
  '��' => '錥',
  '��' => '錓',
  '��' => '鋹',
  '��' => '鋷',
  '�' => '錴',
  '�' => '錂',
  '�' => '錤',
  '�' => '鋿',
  '�' => '錩',
  '�' => '錹',
  '�' => '錵',
  '�' => '錪',
  '�' => '錔',
  '�' => '錌',
  '�@' => '錋',
  '�A' => '鋾',
  '�B' => '錉',
  '�C' => '錀',
  '�D' => '鋻',
  '�E' => '錖',
  '�F' => '閼',
  '�G' => '闍',
  '�H' => '閾',
  '�I' => '閹',
  '�J' => '閺',
  '�K' => '閶',
  '�L' => '閿',
  '�M' => '閵',
  '�N' => '閽',
  '�O' => '隩',
  '�P' => '雔',
  '�Q' => '霋',
  '�R' => '霒',
  '�S' => '霐',
  '�T' => '鞙',
  '�U' => '鞗',
  '�V' => '鞔',
  '�W' => '韰',
  '�X' => '韸',
  '�Y' => '頵',
  '�Z' => '頯',
  '�[' => '頲',
  '�\\' => '餤',
  '�]' => '餟',
  '�^' => '餧',
  '�_' => '餩',
  '�`' => '馞',
  '�a' => '駮',
  '�b' => '駬',
  '�c' => '駥',
  '�d' => '駤',
  '�e' => '駰',
  '�f' => '駣',
  '�g' => '駪',
  '�h' => '駩',
  '�i' => '駧',
  '�j' => '骹',
  '�k' => '骿',
  '�l' => '骴',
  '�m' => '骻',
  '�n' => '髶',
  '�o' => '髺',
  '�p' => '髹',
  '�q' => '髷',
  '�r' => '鬳',
  '�s' => '鮀',
  '�t' => '鮅',
  '�u' => '鮇',
  '�v' => '魼',
  '�w' => '魾',
  '�x' => '魻',
  '�y' => '鮂',
  '�z' => '鮓',
  '�{' => '鮒',
  '�|' => '鮐',
  '�}' => '魺',
  '�~' => '鮕',
  '�' => '魽',
  '�' => '鮈',
  '�' => '鴥',
  '�' => '鴗',
  '�' => '鴠',
  '�' => '鴞',
  '�' => '鴔',
  '�' => '鴩',
  '�' => '鴝',
  '�' => '鴘',
  '�' => '鴢',
  '�' => '鴐',
  '�' => '鴙',
  '�' => '鴟',
  '�' => '麈',
  '�' => '麆',
  '�' => '麇',
  '�' => '麮',
  '�' => '麭',
  '�' => '黕',
  '�' => '黖',
  '�' => '黺',
  '�' => '鼒',
  '�' => '鼽',
  '�' => '儦',
  '�' => '儥',
  '�' => '儢',
  '�' => '儤',
  '�' => '儠',
  '�' => '儩',
  '�' => '勴',
  '�' => '嚓',
  '�' => '嚌',
  '��' => '嚍',
  '��' => '嚆',
  '��' => '嚄',
  '��' => '嚃',
  '��' => '噾',
  '��' => '嚂',
  '��' => '噿',
  '��' => '嚁',
  '��' => '壖',
  '��' => '壔',
  '��' => '壏',
  '��' => '壒',
  '��' => '嬭',
  '��' => '嬥',
  '��' => '嬲',
  '��' => '嬣',
  '��' => '嬬',
  '��' => '嬧',
  '��' => '嬦',
  '��' => '嬯',
  '��' => '嬮',
  '��' => '孻',
  '��' => '寱',
  '��' => '寲',
  '��' => '嶷',
  '��' => '幬',
  '��' => '幪',
  '��' => '徾',
  '��' => '徻',
  '��' => '懃',
  '��' => '憵',
  '��' => '憼',
  '��' => '懧',
  '��' => '懠',
  '��' => '懥',
  '��' => '懤',
  '��' => '懨',
  '��' => '懞',
  '��' => '擯',
  '��' => '擩',
  '��' => '擣',
  '��' => '擫',
  '��' => '擤',
  '��' => '擨',
  '��' => '斁',
  '��' => '斀',
  '��' => '斶',
  '��' => '旚',
  '��' => '曒',
  '��' => '檍',
  '��' => '檖',
  '�' => '檁',
  '�' => '檥',
  '�' => '檉',
  '�' => '檟',
  '�' => '檛',
  '�' => '檡',
  '�' => '檞',
  '�' => '檇',
  '�' => '檓',
  '�' => '檎',
  '�@' => '檕',
  '�A' => '檃',
  '�B' => '檨',
  '�C' => '檤',
  '�D' => '檑',
  '�E' => '橿',
  '�F' => '檦',
  '�G' => '檚',
  '�H' => '檅',
  '�I' => '檌',
  '�J' => '檒',
  '�K' => '歛',
  '�L' => '殭',
  '�M' => '氉',
  '�N' => '濌',
  '�O' => '澩',
  '�P' => '濴',
  '�Q' => '濔',
  '�R' => '濣',
  '�S' => '濜',
  '�T' => '濭',
  '�U' => '濧',
  '�V' => '濦',
  '�W' => '濞',
  '�X' => '濲',
  '�Y' => '濝',
  '�Z' => '濢',
  '�[' => '濨',
  '�\\' => '燡',
  '�]' => '燱',
  '�^' => '燨',
  '�_' => '燲',
  '�`' => '燤',
  '�a' => '燰',
  '�b' => '燢',
  '�c' => '獳',
  '�d' => '獮',
  '�e' => '獯',
  '�f' => '璗',
  '�g' => '璲',
  '�h' => '璫',
  '�i' => '璐',
  '�j' => '璪',
  '�k' => '璭',
  '�l' => '璱',
  '�m' => '璥',
  '�n' => '璯',
  '�o' => '甐',
  '�p' => '甑',
  '�q' => '甒',
  '�r' => '甏',
  '�s' => '疄',
  '�t' => '癃',
  '�u' => '癈',
  '�v' => '癉',
  '�w' => '癇',
  '�x' => '皤',
  '�y' => '盩',
  '�z' => '瞵',
  '�{' => '瞫',
  '�|' => '瞲',
  '�}' => '瞷',
  '�~' => '瞶',
  '�' => '瞴',
  '�' => '瞱',
  '�' => '瞨',
  '�' => '矰',
  '�' => '磳',
  '�' => '磽',
  '�' => '礂',
  '�' => '磻',
  '�' => '磼',
  '�' => '磲',
  '�' => '礅',
  '�' => '磹',
  '�' => '磾',
  '�' => '礄',
  '�' => '禫',
  '�' => '禨',
  '�' => '穜',
  '�' => '穛',
  '�' => '穖',
  '�' => '穘',
  '�' => '穔',
  '�' => '穚',
  '�' => '窾',
  '�' => '竀',
  '�' => '竁',
  '�' => '簅',
  '�' => '簏',
  '�' => '篲',
  '�' => '簀',
  '�' => '篿',
  '�' => '篻',
  '�' => '簎',
  '�' => '篴',
  '��' => '簋',
  '��' => '篳',
  '��' => '簂',
  '��' => '簉',
  '��' => '簃',
  '��' => '簁',
  '��' => '篸',
  '��' => '篽',
  '��' => '簆',
  '��' => '篰',
  '��' => '篱',
  '��' => '簐',
  '��' => '簊',
  '��' => '糨',
  '��' => '縭',
  '��' => '縼',
  '��' => '繂',
  '��' => '縳',
  '��' => '顈',
  '��' => '縸',
  '��' => '縪',
  '��' => '繉',
  '��' => '繀',
  '��' => '繇',
  '��' => '縩',
  '��' => '繌',
  '��' => '縰',
  '��' => '縻',
  '��' => '縶',
  '��' => '繄',
  '��' => '縺',
  '��' => '罅',
  '��' => '罿',
  '��' => '罾',
  '��' => '罽',
  '��' => '翴',
  '��' => '翲',
  '��' => '耬',
  '��' => '膻',
  '��' => '臄',
  '��' => '臌',
  '��' => '臊',
  '��' => '臅',
  '��' => '臇',
  '��' => '膼',
  '��' => '臩',
  '��' => '艛',
  '��' => '艚',
  '��' => '艜',
  '��' => '薃',
  '��' => '薀',
  '�' => '薏',
  '�' => '薧',
  '�' => '薕',
  '�' => '薠',
  '�' => '薋',
  '�' => '薣',
  '�' => '蕻',
  '�' => '薤',
  '�' => '薚',
  '�' => '薞',
  '�@' => '蕷',
  '�A' => '蕼',
  '�B' => '薉',
  '�C' => '薡',
  '�D' => '蕺',
  '�E' => '蕸',
  '�F' => '蕗',
  '�G' => '薎',
  '�H' => '薖',
  '�I' => '薆',
  '�J' => '薍',
  '�K' => '薙',
  '�L' => '薝',
  '�M' => '薁',
  '�N' => '薢',
  '�O' => '薂',
  '�P' => '薈',
  '�Q' => '薅',
  '�R' => '蕹',
  '�S' => '蕶',
  '�T' => '薘',
  '�U' => '薐',
  '�V' => '薟',
  '�W' => '虨',
  '�X' => '螾',
  '�Y' => '螪',
  '�Z' => '螭',
  '�[' => '蟅',
  '�\\' => '螰',
  '�]' => '螬',
  '�^' => '螹',
  '�_' => '螵',
  '�`' => '螼',
  '�a' => '螮',
  '�b' => '蟉',
  '�c' => '蟃',
  '�d' => '蟂',
  '�e' => '蟌',
  '�f' => '螷',
  '�g' => '螯',
  '�h' => '蟄',
  '�i' => '蟊',
  '�j' => '螴',
  '�k' => '螶',
  '�l' => '螿',
  '�m' => '螸',
  '�n' => '螽',
  '�o' => '蟞',
  '�p' => '螲',
  '�q' => '褵',
  '�r' => '褳',
  '�s' => '褼',
  '�t' => '褾',
  '�u' => '襁',
  '�v' => '襒',
  '�w' => '褷',
  '�x' => '襂',
  '�y' => '覭',
  '�z' => '覯',
  '�{' => '覮',
  '�|' => '觲',
  '�}' => '觳',
  '�~' => '謞',
  '�' => '謘',
  '�' => '謖',
  '�' => '謑',
  '�' => '謅',
  '�' => '謋',
  '�' => '謢',
  '�' => '謏',
  '�' => '謒',
  '�' => '謕',
  '�' => '謇',
  '�' => '謍',
  '�' => '謈',
  '�' => '謆',
  '�' => '謜',
  '�' => '謓',
  '�' => '謚',
  '�' => '豏',
  '�' => '豰',
  '�' => '豲',
  '�' => '豱',
  '�' => '豯',
  '�' => '貕',
  '�' => '貔',
  '�' => '賹',
  '�' => '赯',
  '�' => '蹎',
  '�' => '蹍',
  '�' => '蹓',
  '�' => '蹐',
  '�' => '蹌',
  '�' => '蹇',
  '�' => '轃',
  '�' => '轀',
  '��' => '邅',
  '��' => '遾',
  '��' => '鄸',
  '��' => '醚',
  '��' => '醢',
  '��' => '醛',
  '��' => '醙',
  '��' => '醟',
  '��' => '醡',
  '��' => '醝',
  '��' => '醠',
  '��' => '鎡',
  '��' => '鎃',
  '��' => '鎯',
  '��' => '鍤',
  '��' => '鍖',
  '��' => '鍇',
  '��' => '鍼',
  '��' => '鍘',
  '��' => '鍜',
  '��' => '鍶',
  '��' => '鍉',
  '��' => '鍐',
  '��' => '鍑',
  '��' => '鍠',
  '��' => '鍭',
  '��' => '鎏',
  '��' => '鍌',
  '��' => '鍪',
  '��' => '鍹',
  '��' => '鍗',
  '��' => '鍕',
  '��' => '鍒',
  '��' => '鍏',
  '��' => '鍱',
  '��' => '鍷',
  '��' => '鍻',
  '��' => '鍡',
  '��' => '鍞',
  '��' => '鍣',
  '��' => '鍧',
  '��' => '鎀',
  '��' => '鍎',
  '��' => '鍙',
  '��' => '闇',
  '��' => '闀',
  '��' => '闉',
  '��' => '闃',
  '��' => '闅',
  '��' => '閷',
  '��' => '隮',
  '�' => '隰',
  '�' => '隬',
  '�' => '霠',
  '�' => '霟',
  '�' => '霘',
  '�' => '霝',
  '�' => '霙',
  '�' => '鞚',
  '�' => '鞡',
  '�' => '鞜',
  '�@' => '鞞',
  '�A' => '鞝',
  '�B' => '韕',
  '�C' => '韔',
  '�D' => '韱',
  '�E' => '顁',
  '�F' => '顄',
  '�G' => '顊',
  '�H' => '顉',
  '�I' => '顅',
  '�J' => '顃',
  '�K' => '餥',
  '�L' => '餫',
  '�M' => '餬',
  '�N' => '餪',
  '�O' => '餳',
  '�P' => '餲',
  '�Q' => '餯',
  '�R' => '餭',
  '�S' => '餱',
  '�T' => '餰',
  '�U' => '馘',
  '�V' => '馣',
  '�W' => '馡',
  '�X' => '騂',
  '�Y' => '駺',
  '�Z' => '駴',
  '�[' => '駷',
  '�\\' => '駹',
  '�]' => '駸',
  '�^' => '駶',
  '�_' => '駻',
  '�`' => '駽',
  '�a' => '駾',
  '�b' => '駼',
  '�c' => '騃',
  '�d' => '骾',
  '�e' => '髾',
  '�f' => '髽',
  '�g' => '鬁',
  '�h' => '髼',
  '�i' => '魈',
  '�j' => '鮚',
  '�k' => '鮨',
  '�l' => '鮞',
  '�m' => '鮛',
  '�n' => '鮦',
  '�o' => '鮡',
  '�p' => '鮥',
  '�q' => '鮤',
  '�r' => '鮆',
  '�s' => '鮢',
  '�t' => '鮠',
  '�u' => '鮯',
  '�v' => '鴳',
  '�w' => '鵁',
  '�x' => '鵧',
  '�y' => '鴶',
  '�z' => '鴮',
  '�{' => '鴯',
  '�|' => '鴱',
  '�}' => '鴸',
  '�~' => '鴰',
  '�' => '鵅',
  '�' => '鵂',
  '�' => '鵃',
  '�' => '鴾',
  '�' => '鴷',
  '�' => '鵀',
  '�' => '鴽',
  '�' => '翵',
  '�' => '鴭',
  '�' => '麊',
  '�' => '麉',
  '�' => '麍',
  '�' => '麰',
  '�' => '黈',
  '�' => '黚',
  '�' => '黻',
  '�' => '黿',
  '�' => '鼤',
  '�' => '鼣',
  '�' => '鼢',
  '�' => '齔',
  '�' => '龠',
  '�' => '儱',
  '�' => '儭',
  '�' => '儮',
  '�' => '嚘',
  '�' => '嚜',
  '�' => '嚗',
  '�' => '嚚',
  '�' => '嚝',
  '�' => '嚙',
  '�' => '奰',
  '�' => '嬼',
  '��' => '屩',
  '��' => '屪',
  '��' => '巀',
  '��' => '幭',
  '��' => '幮',
  '��' => '懘',
  '��' => '懟',
  '��' => '懭',
  '��' => '懮',
  '��' => '懱',
  '��' => '懪',
  '��' => '懰',
  '��' => '懫',
  '��' => '懖',
  '��' => '懩',
  '��' => '擿',
  '��' => '攄',
  '��' => '擽',
  '��' => '擸',
  '��' => '攁',
  '��' => '攃',
  '��' => '擼',
  '��' => '斔',
  '��' => '旛',
  '��' => '曚',
  '��' => '曛',
  '��' => '曘',
  '��' => '櫅',
  '��' => '檹',
  '��' => '檽',
  '��' => '櫡',
  '��' => '櫆',
  '��' => '檺',
  '��' => '檶',
  '��' => '檷',
  '��' => '櫇',
  '��' => '檴',
  '��' => '檭',
  '��' => '歞',
  '��' => '毉',
  '��' => '氋',
  '��' => '瀇',
  '��' => '瀌',
  '��' => '瀍',
  '��' => '瀁',
  '��' => '瀅',
  '��' => '瀔',
  '��' => '瀎',
  '��' => '濿',
  '��' => '瀀',
  '��' => '濻',
  '�' => '瀦',
  '�' => '濼',
  '�' => '濷',
  '�' => '瀊',
  '�' => '爁',
  '�' => '燿',
  '�' => '燹',
  '�' => '爃',
  '�' => '燽',
  '�' => '獶',
  '�@' => '璸',
  '�A' => '瓀',
  '�B' => '璵',
  '�C' => '瓁',
  '�D' => '璾',
  '�E' => '璶',
  '�F' => '璻',
  '�G' => '瓂',
  '�H' => '甔',
  '�I' => '甓',
  '�J' => '癜',
  '�K' => '癤',
  '�L' => '癙',
  '�M' => '癐',
  '�N' => '癓',
  '�O' => '癗',
  '�P' => '癚',
  '�Q' => '皦',
  '�R' => '皽',
  '�S' => '盬',
  '�T' => '矂',
  '�U' => '瞺',
  '�V' => '磿',
  '�W' => '礌',
  '�X' => '礓',
  '�Y' => '礔',
  '�Z' => '礉',
  '�[' => '礐',
  '�\\' => '礒',
  '�]' => '礑',
  '�^' => '禭',
  '�_' => '禬',
  '�`' => '穟',
  '�a' => '簜',
  '�b' => '簩',
  '�c' => '簙',
  '�d' => '簠',
  '�e' => '簟',
  '�f' => '簭',
  '�g' => '簝',
  '�h' => '簦',
  '�i' => '簨',
  '�j' => '簢',
  '�k' => '簥',
  '�l' => '簰',
  '�m' => '繜',
  '�n' => '繐',
  '�o' => '繖',
  '�p' => '繣',
  '�q' => '繘',
  '�r' => '繢',
  '�s' => '繟',
  '�t' => '繑',
  '�u' => '繠',
  '�v' => '繗',
  '�w' => '繓',
  '�x' => '羵',
  '�y' => '羳',
  '�z' => '翷',
  '�{' => '翸',
  '�|' => '聵',
  '�}' => '臑',
  '�~' => '臒',
  '�' => '臐',
  '�' => '艟',
  '�' => '艞',
  '�' => '薴',
  '�' => '藆',
  '�' => '藀',
  '�' => '藃',
  '�' => '藂',
  '�' => '薳',
  '�' => '薵',
  '�' => '薽',
  '�' => '藇',
  '�' => '藄',
  '�' => '薿',
  '�' => '藋',
  '�' => '藎',
  '�' => '藈',
  '�' => '藅',
  '�' => '薱',
  '�' => '薶',
  '�' => '藒',
  '�' => '蘤',
  '�' => '薸',
  '�' => '薷',
  '�' => '薾',
  '�' => '虩',
  '�' => '蟧',
  '�' => '蟦',
  '�' => '蟢',
  '�' => '蟛',
  '�' => '蟫',
  '�' => '蟪',
  '�' => '蟥',
  '��' => '蟟',
  '��' => '蟳',
  '��' => '蟤',
  '��' => '蟔',
  '��' => '蟜',
  '��' => '蟓',
  '��' => '蟭',
  '��' => '蟘',
  '��' => '蟣',
  '��' => '螤',
  '��' => '蟗',
  '��' => '蟙',
  '��' => '蠁',
  '��' => '蟴',
  '��' => '蟨',
  '��' => '蟝',
  '��' => '襓',
  '��' => '襋',
  '��' => '襏',
  '��' => '襌',
  '��' => '襆',
  '��' => '襐',
  '��' => '襑',
  '��' => '襉',
  '��' => '謪',
  '��' => '謧',
  '��' => '謣',
  '��' => '謳',
  '��' => '謰',
  '��' => '謵',
  '��' => '譇',
  '��' => '謯',
  '��' => '謼',
  '��' => '謾',
  '��' => '謱',
  '��' => '謥',
  '��' => '謷',
  '��' => '謦',
  '��' => '謶',
  '��' => '謮',
  '��' => '謤',
  '��' => '謻',
  '��' => '謽',
  '��' => '謺',
  '��' => '豂',
  '��' => '豵',
  '��' => '貙',
  '��' => '貘',
  '��' => '貗',
  '��' => '賾',
  '��' => '贄',
  '�' => '贂',
  '�' => '贀',
  '�' => '蹜',
  '�' => '蹢',
  '�' => '蹠',
  '�' => '蹗',
  '�' => '蹖',
  '�' => '蹞',
  '�' => '蹥',
  '�' => '蹧',
  '�@' => '蹛',
  '�A' => '蹚',
  '�B' => '蹡',
  '�C' => '蹝',
  '�D' => '蹩',
  '�E' => '蹔',
  '�F' => '轆',
  '�G' => '轇',
  '�H' => '轈',
  '�I' => '轋',
  '�J' => '鄨',
  '�K' => '鄺',
  '�L' => '鄻',
  '�M' => '鄾',
  '�N' => '醨',
  '�O' => '醥',
  '�P' => '醧',
  '�Q' => '醯',
  '�R' => '醪',
  '�S' => '鎵',
  '�T' => '鎌',
  '�U' => '鎒',
  '�V' => '鎷',
  '�W' => '鎛',
  '�X' => '鎝',
  '�Y' => '鎉',
  '�Z' => '鎧',
  '�[' => '鎎',
  '�\\' => '鎪',
  '�]' => '鎞',
  '�^' => '鎦',
  '�_' => '鎕',
  '�`' => '鎈',
  '�a' => '鎙',
  '�b' => '鎟',
  '�c' => '鎍',
  '�d' => '鎱',
  '�e' => '鎑',
  '�f' => '鎲',
  '�g' => '鎤',
  '�h' => '鎨',
  '�i' => '鎴',
  '�j' => '鎣',
  '�k' => '鎥',
  '�l' => '闒',
  '�m' => '闓',
  '�n' => '闑',
  '�o' => '隳',
  '�p' => '雗',
  '�q' => '雚',
  '�r' => '巂',
  '�s' => '雟',
  '�t' => '雘',
  '�u' => '雝',
  '�v' => '霣',
  '�w' => '霢',
  '�x' => '霥',
  '�y' => '鞬',
  '�z' => '鞮',
  '�{' => '鞨',
  '�|' => '鞫',
  '�}' => '鞤',
  '�~' => '鞪',
  '�' => '鞢',
  '�' => '鞥',
  '�' => '韗',
  '�' => '韙',
  '�' => '韖',
  '�' => '韘',
  '�' => '韺',
  '�' => '顐',
  '�' => '顑',
  '�' => '顒',
  '�' => '颸',
  '�' => '饁',
  '�' => '餼',
  '�' => '餺',
  '�' => '騏',
  '�' => '騋',
  '�' => '騉',
  '�' => '騍',
  '�' => '騄',
  '�' => '騑',
  '�' => '騊',
  '�' => '騅',
  '�' => '騇',
  '�' => '騆',
  '�' => '髀',
  '�' => '髜',
  '�' => '鬈',
  '�' => '鬄',
  '�' => '鬅',
  '�' => '鬩',
  '�' => '鬵',
  '�' => '魊',
  '�' => '魌',
  '��' => '魋',
  '��' => '鯇',
  '��' => '鯆',
  '��' => '鯃',
  '��' => '鮿',
  '��' => '鯁',
  '��' => '鮵',
  '��' => '鮸',
  '��' => '鯓',
  '��' => '鮶',
  '��' => '鯄',
  '��' => '鮹',
  '��' => '鮽',
  '��' => '鵜',
  '��' => '鵓',
  '��' => '鵏',
  '��' => '鵊',
  '��' => '鵛',
  '��' => '鵋',
  '��' => '鵙',
  '��' => '鵖',
  '��' => '鵌',
  '��' => '鵗',
  '��' => '鵒',
  '��' => '鵔',
  '��' => '鵟',
  '��' => '鵘',
  '��' => '鵚',
  '��' => '麎',
  '��' => '麌',
  '��' => '黟',
  '��' => '鼁',
  '��' => '鼀',
  '��' => '鼖',
  '��' => '鼥',
  '��' => '鼫',
  '��' => '鼪',
  '��' => '鼩',
  '��' => '鼨',
  '��' => '齌',
  '��' => '齕',
  '��' => '儴',
  '��' => '儵',
  '��' => '劖',
  '��' => '勷',
  '��' => '厴',
  '��' => '嚫',
  '��' => '嚭',
  '��' => '嚦',
  '��' => '嚧',
  '��' => '嚪',
  '�' => '嚬',
  '�' => '壚',
  '�' => '壝',
  '�' => '壛',
  '�' => '夒',
  '�' => '嬽',
  '�' => '嬾',
  '�' => '嬿',
  '�' => '巃',
  '�' => '幰',
  '�@' => '徿',
  '�A' => '懻',
  '�B' => '攇',
  '�C' => '攐',
  '�D' => '攍',
  '�E' => '攉',
  '�F' => '攌',
  '�G' => '攎',
  '�H' => '斄',
  '�I' => '旞',
  '�J' => '旝',
  '�K' => '曞',
  '�L' => '櫧',
  '�M' => '櫠',
  '�N' => '櫌',
  '�O' => '櫑',
  '�P' => '櫙',
  '�Q' => '櫋',
  '�R' => '櫟',
  '�S' => '櫜',
  '�T' => '櫐',
  '�U' => '櫫',
  '�V' => '櫏',
  '�W' => '櫍',
  '�X' => '櫞',
  '�Y' => '歠',
  '�Z' => '殰',
  '�[' => '氌',
  '�\\' => '瀙',
  '�]' => '瀧',
  '�^' => '瀠',
  '�_' => '瀖',
  '�`' => '瀫',
  '�a' => '瀡',
  '�b' => '瀢',
  '�c' => '瀣',
  '�d' => '瀩',
  '�e' => '瀗',
  '�f' => '瀤',
  '�g' => '瀜',
  '�h' => '瀪',
  '�i' => '爌',
  '�j' => '爊',
  '�k' => '爇',
  '�l' => '爂',
  '�m' => '爅',
  '�n' => '犥',
  '�o' => '犦',
  '�p' => '犤',
  '�q' => '犣',
  '�r' => '犡',
  '�s' => '瓋',
  '�t' => '瓅',
  '�u' => '璷',
  '�v' => '瓃',
  '�w' => '甖',
  '�x' => '癠',
  '�y' => '矉',
  '�z' => '矊',
  '�{' => '矄',
  '�|' => '矱',
  '�}' => '礝',
  '�~' => '礛',
  '�' => '礡',
  '�' => '礜',
  '�' => '礗',
  '�' => '礞',
  '�' => '禰',
  '�' => '穧',
  '�' => '穨',
  '�' => '簳',
  '�' => '簼',
  '�' => '簹',
  '�' => '簬',
  '�' => '簻',
  '�' => '糬',
  '�' => '糪',
  '�' => '繶',
  '�' => '繵',
  '�' => '繸',
  '�' => '繰',
  '�' => '繷',
  '�' => '繯',
  '�' => '繺',
  '�' => '繲',
  '�' => '繴',
  '�' => '繨',
  '�' => '罋',
  '�' => '罊',
  '�' => '羃',
  '�' => '羆',
  '�' => '羷',
  '�' => '翽',
  '�' => '翾',
  '�' => '聸',
  '�' => '臗',
  '��' => '臕',
  '��' => '艤',
  '��' => '艡',
  '��' => '艣',
  '��' => '藫',
  '��' => '藱',
  '��' => '藭',
  '��' => '藙',
  '��' => '藡',
  '��' => '藨',
  '��' => '藚',
  '��' => '藗',
  '��' => '藬',
  '��' => '藲',
  '��' => '藸',
  '��' => '藘',
  '��' => '藟',
  '��' => '藣',
  '��' => '藜',
  '��' => '藑',
  '��' => '藰',
  '��' => '藦',
  '��' => '藯',
  '��' => '藞',
  '��' => '藢',
  '��' => '蠀',
  '��' => '蟺',
  '��' => '蠃',
  '��' => '蟶',
  '��' => '蟷',
  '��' => '蠉',
  '��' => '蠌',
  '��' => '蠋',
  '��' => '蠆',
  '��' => '蟼',
  '��' => '蠈',
  '��' => '蟿',
  '��' => '蠊',
  '��' => '蠂',
  '��' => '襢',
  '��' => '襚',
  '��' => '襛',
  '��' => '襗',
  '��' => '襡',
  '��' => '襜',
  '��' => '襘',
  '��' => '襝',
  '��' => '襙',
  '��' => '覈',
  '��' => '覷',
  '��' => '覶',
  '�' => '觶',
  '�' => '譐',
  '�' => '譈',
  '�' => '譊',
  '�' => '譀',
  '�' => '譓',
  '�' => '譖',
  '�' => '譔',
  '�' => '譋',
  '�' => '譕',
  '�@' => '譑',
  '�A' => '譂',
  '�B' => '譒',
  '�C' => '譗',
  '�D' => '豃',
  '�E' => '豷',
  '�F' => '豶',
  '�G' => '貚',
  '�H' => '贆',
  '�I' => '贇',
  '�J' => '贉',
  '�K' => '趬',
  '�L' => '趪',
  '�M' => '趭',
  '�N' => '趫',
  '�O' => '蹭',
  '�P' => '蹸',
  '�Q' => '蹳',
  '�R' => '蹪',
  '�S' => '蹯',
  '�T' => '蹻',
  '�U' => '軂',
  '�V' => '轒',
  '�W' => '轑',
  '�X' => '轏',
  '�Y' => '轐',
  '�Z' => '轓',
  '�[' => '辴',
  '�\\' => '酀',
  '�]' => '鄿',
  '�^' => '醰',
  '�_' => '醭',
  '�`' => '鏞',
  '�a' => '鏇',
  '�b' => '鏏',
  '�c' => '鏂',
  '�d' => '鏚',
  '�e' => '鏐',
  '�f' => '鏹',
  '�g' => '鏬',
  '�h' => '鏌',
  '�i' => '鏙',
  '�j' => '鎩',
  '�k' => '鏦',
  '�l' => '鏊',
  '�m' => '鏔',
  '�n' => '鏮',
  '�o' => '鏣',
  '�p' => '鏕',
  '�q' => '鏄',
  '�r' => '鏎',
  '�s' => '鏀',
  '�t' => '鏒',
  '�u' => '鏧',
  '�v' => '镽',
  '�w' => '闚',
  '�x' => '闛',
  '�y' => '雡',
  '�z' => '霩',
  '�{' => '霫',
  '�|' => '霬',
  '�}' => '霨',
  '�~' => '霦',
  '�' => '鞳',
  '�' => '鞷',
  '�' => '鞶',
  '�' => '韝',
  '�' => '韞',
  '�' => '韟',
  '�' => '顜',
  '�' => '顙',
  '�' => '顝',
  '�' => '顗',
  '�' => '颿',
  '�' => '颽',
  '�' => '颻',
  '�' => '颾',
  '�' => '饈',
  '�' => '饇',
  '�' => '饃',
  '�' => '馦',
  '�' => '馧',
  '�' => '騚',
  '�' => '騕',
  '�' => '騥',
  '�' => '騝',
  '�' => '騤',
  '�' => '騛',
  '�' => '騢',
  '�' => '騠',
  '�' => '騧',
  '�' => '騣',
  '�' => '騞',
  '�' => '騜',
  '�' => '騔',
  '�' => '髂',
  '��' => '鬋',
  '��' => '鬊',
  '��' => '鬎',
  '��' => '鬌',
  '��' => '鬷',
  '��' => '鯪',
  '��' => '鯫',
  '��' => '鯠',
  '��' => '鯞',
  '��' => '鯤',
  '��' => '鯦',
  '��' => '鯢',
  '��' => '鯰',
  '��' => '鯔',
  '��' => '鯗',
  '��' => '鯬',
  '��' => '鯜',
  '��' => '鯙',
  '��' => '鯥',
  '��' => '鯕',
  '��' => '鯡',
  '��' => '鯚',
  '��' => '鵷',
  '��' => '鶁',
  '��' => '鶊',
  '��' => '鶄',
  '��' => '鶈',
  '��' => '鵱',
  '��' => '鶀',
  '��' => '鵸',
  '��' => '鶆',
  '��' => '鶋',
  '��' => '鶌',
  '��' => '鵽',
  '��' => '鵫',
  '��' => '鵴',
  '��' => '鵵',
  '��' => '鵰',
  '��' => '鵩',
  '��' => '鶅',
  '��' => '鵳',
  '��' => '鵻',
  '��' => '鶂',
  '��' => '鵯',
  '��' => '鵹',
  '��' => '鵿',
  '��' => '鶇',
  '��' => '鵨',
  '��' => '麔',
  '��' => '麑',
  '��' => '黀',
  '�' => '黼',
  '�' => '鼭',
  '�' => '齀',
  '�' => '齁',
  '�' => '齍',
  '�' => '齖',
  '�' => '齗',
  '�' => '齘',
  '�' => '匷',
  '�' => '嚲',
  '�@' => '嚵',
  '�A' => '嚳',
  '�B' => '壣',
  '�C' => '孅',
  '�D' => '巆',
  '�E' => '巇',
  '�F' => '廮',
  '�G' => '廯',
  '�H' => '忀',
  '�I' => '忁',
  '�J' => '懹',
  '�K' => '攗',
  '�L' => '攖',
  '�M' => '攕',
  '�N' => '攓',
  '�O' => '旟',
  '�P' => '曨',
  '�Q' => '曣',
  '�R' => '曤',
  '�S' => '櫳',
  '�T' => '櫰',
  '�U' => '櫪',
  '�V' => '櫨',
  '�W' => '櫹',
  '�X' => '櫱',
  '�Y' => '櫮',
  '�Z' => '櫯',
  '�[' => '瀼',
  '�\\' => '瀵',
  '�]' => '瀯',
  '�^' => '瀷',
  '�_' => '瀴',
  '�`' => '瀱',
  '�a' => '灂',
  '�b' => '瀸',
  '�c' => '瀿',
  '�d' => '瀺',
  '�e' => '瀹',
  '�f' => '灀',
  '�g' => '瀻',
  '�h' => '瀳',
  '�i' => '灁',
  '�j' => '爓',
  '�k' => '爔',
  '�l' => '犨',
  '�m' => '獽',
  '�n' => '獼',
  '�o' => '璺',
  '�p' => '皫',
  '�q' => '皪',
  '�r' => '皾',
  '�s' => '盭',
  '�t' => '矌',
  '�u' => '矎',
  '�v' => '矏',
  '�w' => '矍',
  '�x' => '矲',
  '�y' => '礥',
  '�z' => '礣',
  '�{' => '礧',
  '�|' => '礨',
  '�}' => '礤',
  '�~' => '礩',
  '�' => '禲',
  '�' => '穮',
  '�' => '穬',
  '�' => '穭',
  '�' => '竷',
  '�' => '籉',
  '�' => '籈',
  '�' => '籊',
  '�' => '籇',
  '�' => '籅',
  '�' => '糮',
  '�' => '繻',
  '�' => '繾',
  '�' => '纁',
  '�' => '纀',
  '�' => '羺',
  '�' => '翿',
  '�' => '聹',
  '�' => '臛',
  '�' => '臙',
  '�' => '舋',
  '�' => '艨',
  '�' => '艩',
  '�' => '蘢',
  '�' => '藿',
  '�' => '蘁',
  '�' => '藾',
  '�' => '蘛',
  '�' => '蘀',
  '�' => '藶',
  '�' => '蘄',
  '�' => '蘉',
  '�' => '蘅',
  '��' => '蘌',
  '��' => '藽',
  '��' => '蠙',
  '��' => '蠐',
  '��' => '蠑',
  '��' => '蠗',
  '��' => '蠓',
  '��' => '蠖',
  '��' => '襣',
  '��' => '襦',
  '��' => '覹',
  '��' => '觷',
  '��' => '譠',
  '��' => '譪',
  '��' => '譝',
  '��' => '譨',
  '��' => '譣',
  '��' => '譥',
  '��' => '譧',
  '��' => '譭',
  '��' => '趮',
  '��' => '躆',
  '��' => '躈',
  '��' => '躄',
  '��' => '轙',
  '��' => '轖',
  '��' => '轗',
  '��' => '轕',
  '��' => '轘',
  '��' => '轚',
  '��' => '邍',
  '��' => '酃',
  '��' => '酁',
  '��' => '醷',
  '��' => '醵',
  '��' => '醲',
  '��' => '醳',
  '��' => '鐋',
  '��' => '鐓',
  '��' => '鏻',
  '��' => '鐠',
  '��' => '鐏',
  '��' => '鐔',
  '��' => '鏾',
  '��' => '鐕',
  '��' => '鐐',
  '��' => '鐨',
  '��' => '鐙',
  '��' => '鐍',
  '��' => '鏵',
  '��' => '鐀',
  '�' => '鏷',
  '�' => '鐇',
  '�' => '鐎',
  '�' => '鐖',
  '�' => '鐒',
  '�' => '鏺',
  '�' => '鐉',
  '�' => '鏸',
  '�' => '鐊',
  '�' => '鏿',
  '�@' => '鏼',
  '�A' => '鐌',
  '�B' => '鏶',
  '�C' => '鐑',
  '�D' => '鐆',
  '�E' => '闞',
  '�F' => '闠',
  '�G' => '闟',
  '�H' => '霮',
  '�I' => '霯',
  '�J' => '鞹',
  '�K' => '鞻',
  '�L' => '韽',
  '�M' => '韾',
  '�N' => '顠',
  '�O' => '顢',
  '�P' => '顣',
  '�Q' => '顟',
  '�R' => '飁',
  '�S' => '飂',
  '�T' => '饐',
  '�U' => '饎',
  '�V' => '饙',
  '�W' => '饌',
  '�X' => '饋',
  '�Y' => '饓',
  '�Z' => '騲',
  '�[' => '騴',
  '�\\' => '騱',
  '�]' => '騬',
  '�^' => '騪',
  '�_' => '騶',
  '�`' => '騩',
  '�a' => '騮',
  '�b' => '騸',
  '�c' => '騭',
  '�d' => '髇',
  '�e' => '髊',
  '�f' => '髆',
  '�g' => '鬐',
  '�h' => '鬒',
  '�i' => '鬑',
  '�j' => '鰋',
  '�k' => '鰈',
  '�l' => '鯷',
  '�m' => '鰅',
  '�n' => '鰒',
  '�o' => '鯸',
  '�p' => '鱀',
  '�q' => '鰇',
  '�r' => '鰎',
  '�s' => '鰆',
  '�t' => '鰗',
  '�u' => '鰔',
  '�v' => '鰉',
  '�w' => '鶟',
  '�x' => '鶙',
  '�y' => '鶤',
  '�z' => '鶝',
  '�{' => '鶒',
  '�|' => '鶘',
  '�}' => '鶐',
  '�~' => '鶛',
  '��' => '鶠',
  '��' => '鶔',
  '��' => '鶜',
  '��' => '鶪',
  '��' => '鶗',
  '��' => '鶡',
  '��' => '鶚',
  '��' => '鶢',
  '��' => '鶨',
  '��' => '鶞',
  '��' => '鶣',
  '��' => '鶿',
  '��' => '鶩',
  '��' => '鶖',
  '��' => '鶦',
  '��' => '鶧',
  '��' => '麙',
  '��' => '麛',
  '��' => '麚',
  '��' => '黥',
  '��' => '黤',
  '��' => '黧',
  '��' => '黦',
  '��' => '鼰',
  '��' => '鼮',
  '��' => '齛',
  '��' => '齠',
  '��' => '齞',
  '��' => '齝',
  '��' => '齙',
  '��' => '龑',
  '��' => '儺',
  '��' => '儹',
  '��' => '劘',
  '��' => '劗',
  '��' => '囃',
  '��' => '嚽',
  '��' => '嚾',
  '��' => '孈',
  '��' => '孇',
  '��' => '巋',
  '��' => '巏',
  '��' => '廱',
  '��' => '懽',
  '��' => '攛',
  '��' => '欂',
  '��' => '櫼',
  '��' => '欃',
  '��' => '櫸',
  '��' => '欀',
  '��' => '灃',
  '��' => '灄',
  '��' => '灊',
  '��' => '灈',
  '��' => '灉',
  '��' => '灅',
  '��' => '灆',
  '��' => '爝',
  '��' => '爚',
  '��' => '爙',
  '��' => '獾',
  '��' => '甗',
  '��' => '癪',
  '��' => '矐',
  '��' => '礭',
  '��' => '礱',
  '��' => '礯',
  '��' => '籔',
  '��' => '籓',
  '��' => '糲',
  '��' => '纊',
  '��' => '纇',
  '��' => '纈',
  '��' => '纋',
  '��' => '纆',
  '��' => '纍',
  '��' => '罍',
  '��' => '羻',
  '��' => '耰',
  '��' => '臝',
  '��' => '蘘',
  '��' => '蘪',
  '��' => '蘦',
  '��' => '蘟',
  '��' => '蘣',
  '��' => '蘜',
  '��' => '蘙',
  '��' => '蘧',
  '��' => '蘮',
  '��' => '蘡',
  '��' => '蘠',
  '��' => '蘩',
  '��' => '蘞',
  '��' => '蘥',
  '�@' => '蠩',
  '�A' => '蠝',
  '�B' => '蠛',
  '�C' => '蠠',
  '�D' => '蠤',
  '�E' => '蠜',
  '�F' => '蠫',
  '�G' => '衊',
  '�H' => '襭',
  '�I' => '襩',
  '�J' => '襮',
  '�K' => '襫',
  '�L' => '觺',
  '�M' => '譹',
  '�N' => '譸',
  '�O' => '譅',
  '�P' => '譺',
  '�Q' => '譻',
  '�R' => '贐',
  '�S' => '贔',
  '�T' => '趯',
  '�U' => '躎',
  '�V' => '躌',
  '�W' => '轞',
  '�X' => '轛',
  '�Y' => '轝',
  '�Z' => '酆',
  '�[' => '酄',
  '�\\' => '酅',
  '�]' => '醹',
  '�^' => '鐿',
  '�_' => '鐻',
  '�`' => '鐶',
  '�a' => '鐩',
  '�b' => '鐽',
  '�c' => '鐼',
  '�d' => '鐰',
  '�e' => '鐹',
  '�f' => '鐪',
  '�g' => '鐷',
  '�h' => '鐬',
  '�i' => '鑀',
  '�j' => '鐱',
  '�k' => '闥',
  '�l' => '闤',
  '�m' => '闣',
  '�n' => '霵',
  '�o' => '霺',
  '�p' => '鞿',
  '�q' => '韡',
  '�r' => '顤',
  '�s' => '飉',
  '�t' => '飆',
  '�u' => '飀',
  '�v' => '饘',
  '�w' => '饖',
  '�x' => '騹',
  '�y' => '騽',
  '�z' => '驆',
  '�{' => '驄',
  '�|' => '驂',
  '�}' => '驁',
  '�~' => '騺',
  '��' => '騿',
  '��' => '髍',
  '��' => '鬕',
  '��' => '鬗',
  '��' => '鬘',
  '��' => '鬖',
  '��' => '鬺',
  '��' => '魒',
  '��' => '鰫',
  '��' => '鰝',
  '��' => '鰜',
  '��' => '鰬',
  '��' => '鰣',
  '��' => '鰨',
  '��' => '鰩',
  '��' => '鰤',
  '��' => '鰡',
  '��' => '鶷',
  '��' => '鶶',
  '��' => '鶼',
  '��' => '鷁',
  '��' => '鷇',
  '��' => '鷊',
  '��' => '鷏',
  '��' => '鶾',
  '��' => '鷅',
  '��' => '鷃',
  '��' => '鶻',
  '��' => '鶵',
  '��' => '鷎',
  '��' => '鶹',
  '��' => '鶺',
  '��' => '鶬',
  '��' => '鷈',
  '��' => '鶱',
  '��' => '鶭',
  '��' => '鷌',
  '��' => '鶳',
  '��' => '鷍',
  '��' => '鶲',
  '��' => '鹺',
  '��' => '麜',
  '��' => '黫',
  '��' => '黮',
  '��' => '黭',
  '��' => '鼛',
  '��' => '鼘',
  '��' => '鼚',
  '��' => '鼱',
  '��' => '齎',
  '��' => '齥',
  '��' => '齤',
  '��' => '龒',
  '��' => '亹',
  '��' => '囆',
  '��' => '囅',
  '��' => '囋',
  '��' => '奱',
  '��' => '孋',
  '��' => '孌',
  '��' => '巕',
  '��' => '巑',
  '��' => '廲',
  '��' => '攡',
  '��' => '攠',
  '��' => '攦',
  '��' => '攢',
  '��' => '欋',
  '��' => '欈',
  '��' => '欉',
  '��' => '氍',
  '��' => '灕',
  '��' => '灖',
  '��' => '灗',
  '��' => '灒',
  '��' => '爞',
  '��' => '爟',
  '��' => '犩',
  '��' => '獿',
  '��' => '瓘',
  '��' => '瓕',
  '��' => '瓙',
  '��' => '瓗',
  '��' => '癭',
  '��' => '皭',
  '��' => '礵',
  '��' => '禴',
  '��' => '穰',
  '��' => '穱',
  '��' => '籗',
  '��' => '籜',
  '��' => '籙',
  '��' => '籛',
  '��' => '籚',
  '�@' => '糴',
  '�A' => '糱',
  '�B' => '纑',
  '�C' => '罏',
  '�D' => '羇',
  '�E' => '臞',
  '�F' => '艫',
  '�G' => '蘴',
  '�H' => '蘵',
  '�I' => '蘳',
  '�J' => '蘬',
  '�K' => '蘲',
  '�L' => '蘶',
  '�M' => '蠬',
  '�N' => '蠨',
  '�O' => '蠦',
  '�P' => '蠪',
  '�Q' => '蠥',
  '�R' => '襱',
  '�S' => '覿',
  '�T' => '覾',
  '�U' => '觻',
  '�V' => '譾',
  '�W' => '讄',
  '�X' => '讂',
  '�Y' => '讆',
  '�Z' => '讅',
  '�[' => '譿',
  '�\\' => '贕',
  '�]' => '躕',
  '�^' => '躔',
  '�_' => '躚',
  '�`' => '躒',
  '�a' => '躐',
  '�b' => '躖',
  '�c' => '躗',
  '�d' => '轠',
  '�e' => '轢',
  '�f' => '酇',
  '�g' => '鑌',
  '�h' => '鑐',
  '�i' => '鑊',
  '�j' => '鑋',
  '�k' => '鑏',
  '�l' => '鑇',
  '�m' => '鑅',
  '�n' => '鑈',
  '�o' => '鑉',
  '�p' => '鑆',
  '�q' => '霿',
  '�r' => '韣',
  '�s' => '顪',
  '�t' => '顩',
  '�u' => '飋',
  '�v' => '饔',
  '�w' => '饛',
  '�x' => '驎',
  '�y' => '驓',
  '�z' => '驔',
  '�{' => '驌',
  '�|' => '驏',
  '�}' => '驈',
  '�~' => '驊',
  '��' => '驉',
  '��' => '驒',
  '��' => '驐',
  '��' => '髐',
  '��' => '鬙',
  '��' => '鬫',
  '��' => '鬻',
  '��' => '魖',
  '��' => '魕',
  '��' => '鱆',
  '��' => '鱈',
  '��' => '鰿',
  '��' => '鱄',
  '��' => '鰹',
  '��' => '鰳',
  '��' => '鱁',
  '��' => '鰼',
  '��' => '鰷',
  '��' => '鰴',
  '��' => '鰲',
  '��' => '鰽',
  '��' => '鰶',
  '��' => '鷛',
  '��' => '鷒',
  '��' => '鷞',
  '��' => '鷚',
  '��' => '鷋',
  '��' => '鷐',
  '��' => '鷜',
  '��' => '鷑',
  '��' => '鷟',
  '��' => '鷩',
  '��' => '鷙',
  '��' => '鷘',
  '��' => '鷖',
  '��' => '鷵',
  '��' => '鷕',
  '��' => '鷝',
  '��' => '麶',
  '��' => '黰',
  '��' => '鼵',
  '��' => '鼳',
  '��' => '鼲',
  '��' => '齂',
  '��' => '齫',
  '��' => '龕',
  '��' => '龢',
  '��' => '儽',
  '��' => '劙',
  '��' => '壨',
  '��' => '壧',
  '��' => '奲',
  '��' => '孍',
  '��' => '巘',
  '��' => '蠯',
  '��' => '彏',
  '��' => '戁',
  '��' => '戃',
  '��' => '戄',
  '��' => '攩',
  '��' => '攥',
  '��' => '斖',
  '��' => '曫',
  '��' => '欑',
  '��' => '欒',
  '��' => '欏',
  '��' => '毊',
  '��' => '灛',
  '��' => '灚',
  '��' => '爢',
  '��' => '玂',
  '��' => '玁',
  '��' => '玃',
  '��' => '癰',
  '��' => '矔',
  '��' => '籧',
  '��' => '籦',
  '��' => '纕',
  '��' => '艬',
  '��' => '蘺',
  '��' => '虀',
  '��' => '蘹',
  '��' => '蘼',
  '��' => '蘱',
  '��' => '蘻',
  '��' => '蘾',
  '��' => '蠰',
  '��' => '蠲',
  '��' => '蠮',
  '��' => '蠳',
  '��' => '襶',
  '��' => '襴',
  '��' => '襳',
  '��' => '觾',
  '�@' => '讌',
  '�A' => '讎',
  '�B' => '讋',
  '�C' => '讈',
  '�D' => '豅',
  '�E' => '贙',
  '�F' => '躘',
  '�G' => '轤',
  '�H' => '轣',
  '�I' => '醼',
  '�J' => '鑢',
  '�K' => '鑕',
  '�L' => '鑝',
  '�M' => '鑗',
  '�N' => '鑞',
  '�O' => '韄',
  '�P' => '韅',
  '�Q' => '頀',
  '�R' => '驖',
  '�S' => '驙',
  '�T' => '鬞',
  '�U' => '鬟',
  '�V' => '鬠',
  '�W' => '鱒',
  '�X' => '鱘',
  '�Y' => '鱐',
  '�Z' => '鱊',
  '�[' => '鱍',
  '�\\' => '鱋',
  '�]' => '鱕',
  '�^' => '鱙',
  '�_' => '鱌',
  '�`' => '鱎',
  '�a' => '鷻',
  '�b' => '鷷',
  '�c' => '鷯',
  '�d' => '鷣',
  '�e' => '鷫',
  '�f' => '鷸',
  '�g' => '鷤',
  '�h' => '鷶',
  '�i' => '鷡',
  '�j' => '鷮',
  '�k' => '鷦',
  '�l' => '鷲',
  '�m' => '鷰',
  '�n' => '鷢',
  '�o' => '鷬',
  '�p' => '鷴',
  '�q' => '鷳',
  '�r' => '鷨',
  '�s' => '鷭',
  '�t' => '黂',
  '�u' => '黐',
  '�v' => '黲',
  '�w' => '黳',
  '�x' => '鼆',
  '�y' => '鼜',
  '�z' => '鼸',
  '�{' => '鼷',
  '�|' => '鼶',
  '�}' => '齃',
  '�~' => '齏',
  '��' => '齱',
  '��' => '齰',
  '��' => '齮',
  '��' => '齯',
  '��' => '囓',
  '��' => '囍',
  '��' => '孎',
  '��' => '屭',
  '��' => '攭',
  '��' => '曭',
  '��' => '曮',
  '��' => '欓',
  '��' => '灟',
  '��' => '灡',
  '��' => '灝',
  '��' => '灠',
  '��' => '爣',
  '��' => '瓛',
  '��' => '瓥',
  '��' => '矕',
  '��' => '礸',
  '��' => '禷',
  '��' => '禶',
  '��' => '籪',
  '��' => '纗',
  '��' => '羉',
  '��' => '艭',
  '��' => '虃',
  '��' => '蠸',
  '��' => '蠷',
  '��' => '蠵',
  '��' => '衋',
  '��' => '讔',
  '��' => '讕',
  '��' => '躞',
  '��' => '躟',
  '��' => '躠',
  '��' => '躝',
  '��' => '醾',
  '��' => '醽',
  '��' => '釂',
  '��' => '鑫',
  '��' => '鑨',
  '��' => '鑩',
  '��' => '雥',
  '��' => '靆',
  '��' => '靃',
  '��' => '靇',
  '��' => '韇',
  '��' => '韥',
  '��' => '驞',
  '��' => '髕',
  '��' => '魙',
  '��' => '鱣',
  '��' => '鱧',
  '��' => '鱦',
  '��' => '鱢',
  '��' => '鱞',
  '��' => '鱠',
  '��' => '鸂',
  '��' => '鷾',
  '��' => '鸇',
  '��' => '鸃',
  '��' => '鸆',
  '��' => '鸅',
  '��' => '鸀',
  '��' => '鸁',
  '��' => '鸉',
  '��' => '鷿',
  '��' => '鷽',
  '��' => '鸄',
  '��' => '麠',
  '��' => '鼞',
  '��' => '齆',
  '��' => '齴',
  '��' => '齵',
  '��' => '齶',
  '��' => '囔',
  '��' => '攮',
  '��' => '斸',
  '��' => '欘',
  '��' => '欙',
  '��' => '欗',
  '��' => '欚',
  '��' => '灢',
  '��' => '爦',
  '��' => '犪',
  '��' => '矘',
  '��' => '矙',
  '��' => '礹',
  '��' => '籩',
  '��' => '籫',
  '��' => '糶',
  '��' => '纚',
  '�@' => '纘',
  '�A' => '纛',
  '�B' => '纙',
  '�C' => '臠',
  '�D' => '臡',
  '�E' => '虆',
  '�F' => '虇',
  '�G' => '虈',
  '�H' => '襹',
  '�I' => '襺',
  '�J' => '襼',
  '�K' => '襻',
  '�L' => '觿',
  '�M' => '讘',
  '�N' => '讙',
  '�O' => '躥',
  '�P' => '躤',
  '�Q' => '躣',
  '�R' => '鑮',
  '�S' => '鑭',
  '�T' => '鑯',
  '�U' => '鑱',
  '�V' => '鑳',
  '�W' => '靉',
  '�X' => '顲',
  '�Y' => '饟',
  '�Z' => '鱨',
  '�[' => '鱮',
  '�\\' => '鱭',
  '�]' => '鸋',
  '�^' => '鸍',
  '�_' => '鸐',
  '�`' => '鸏',
  '�a' => '鸒',
  '�b' => '鸑',
  '�c' => '麡',
  '�d' => '黵',
  '�e' => '鼉',
  '�f' => '齇',
  '�g' => '齸',
  '�h' => '齻',
  '�i' => '齺',
  '�j' => '齹',
  '�k' => '圞',
  '�l' => '灦',
  '�m' => '籯',
  '�n' => '蠼',
  '�o' => '趲',
  '�p' => '躦',
  '�q' => '釃',
  '�r' => '鑴',
  '�s' => '鑸',
  '�t' => '鑶',
  '�u' => '鑵',
  '�v' => '驠',
  '�w' => '鱴',
  '�x' => '鱳',
  '�y' => '鱱',
  '�z' => '鱵',
  '�{' => '鸔',
  '�|' => '鸓',
  '�}' => '黶',
  '�~' => '鼊',
  '��' => '龤',
  '��' => '灨',
  '��' => '灥',
  '��' => '糷',
  '��' => '虪',
  '��' => '蠾',
  '��' => '蠽',
  '��' => '蠿',
  '��' => '讞',
  '��' => '貜',
  '��' => '躩',
  '��' => '軉',
  '��' => '靋',
  '��' => '顳',
  '��' => '顴',
  '��' => '飌',
  '��' => '饡',
  '��' => '馫',
  '��' => '驤',
  '��' => '驦',
  '��' => '驧',
  '��' => '鬤',
  '��' => '鸕',
  '��' => '鸗',
  '��' => '齈',
  '��' => '戇',
  '��' => '欞',
  '��' => '爧',
  '��' => '虌',
  '��' => '躨',
  '��' => '钂',
  '��' => '钀',
  '��' => '钁',
  '��' => '驩',
  '��' => '驨',
  '��' => '鬮',
  '��' => '鸙',
  '��' => '爩',
  '��' => '虋',
  '��' => '讟',
  '��' => '钃',
  '��' => '鱹',
  '��' => '麷',
  '��' => '癵',
  '��' => '驫',
  '��' => '鱺',
  '��' => '鸝',
  '��' => '灩',
  '��' => '灪',
  '��' => '麤',
  '��' => '齾',
  '��' => '齉',
  '��' => '龘',
  '��' => '碁',
  '��' => '銹',
  '��' => '裏',
  '��' => '墻',
  '��' => '恒',
  '��' => '粧',
  '��' => '嫺',
  '��' => '╔',
  '��' => '╦',
  '��' => '╗',
  '��' => '╠',
  '��' => '╬',
  '��' => '╣',
  '��' => '╚',
  '��' => '╩',
  '��' => '╝',
  '��' => '╒',
  '��' => '╤',
  '��' => '╕',
  '��' => '╞',
  '��' => '╪',
  '��' => '╡',
  '��' => '╘',
  '��' => '╧',
  '��' => '╛',
  '��' => '╓',
  '��' => '╥',
  '��' => '╖',
  '��' => '╟',
  '��' => '╫',
  '��' => '╢',
  '��' => '╙',
  '��' => '╨',
  '��' => '╜',
  '��' => '║',
  '��' => '═',
  '��' => '╭',
  '��' => '╮',
  '��' => '╰',
  '��' => '╯',
  '��' => '▓',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-3.php000064400000007132151330736600017650 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => 'Ħ',
  '�' => '˘',
  '�' => '£',
  '�' => '¤',
  '�' => 'Ĥ',
  '�' => '§',
  '�' => '¨',
  '�' => 'İ',
  '�' => 'Ş',
  '�' => 'Ğ',
  '�' => 'Ĵ',
  '�' => '­',
  '�' => 'Ż',
  '�' => '°',
  '�' => 'ħ',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => 'ĥ',
  '�' => '·',
  '�' => '¸',
  '�' => 'ı',
  '�' => 'ş',
  '�' => 'ğ',
  '�' => 'ĵ',
  '�' => '½',
  '�' => 'ż',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ä',
  '�' => 'Ċ',
  '�' => 'Ĉ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'Ì',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Ñ',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Ġ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ĝ',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ŭ',
  '�' => 'Ŝ',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ä',
  '�' => 'ċ',
  '�' => 'ĉ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ì',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ñ',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'ġ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ĝ',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ŭ',
  '�' => 'ŝ',
  '�' => '˙',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-4.php000064400000007303151330736600017651 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => 'Ą',
  '�' => 'ĸ',
  '�' => 'Ŗ',
  '�' => '¤',
  '�' => 'Ĩ',
  '�' => 'Ļ',
  '�' => '§',
  '�' => '¨',
  '�' => 'Š',
  '�' => 'Ē',
  '�' => 'Ģ',
  '�' => 'Ŧ',
  '�' => '­',
  '�' => 'Ž',
  '�' => '¯',
  '�' => '°',
  '�' => 'ą',
  '�' => '˛',
  '�' => 'ŗ',
  '�' => '´',
  '�' => 'ĩ',
  '�' => 'ļ',
  '�' => 'ˇ',
  '�' => '¸',
  '�' => 'š',
  '�' => 'ē',
  '�' => 'ģ',
  '�' => 'ŧ',
  '�' => 'Ŋ',
  '�' => 'ž',
  '�' => 'ŋ',
  '�' => 'Ā',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ã',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Į',
  '�' => 'Č',
  '�' => 'É',
  '�' => 'Ę',
  '�' => 'Ë',
  '�' => 'Ė',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ī',
  '�' => 'Đ',
  '�' => 'Ņ',
  '�' => 'Ō',
  '�' => 'Ķ',
  '�' => 'Ô',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ø',
  '�' => 'Ų',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ũ',
  '�' => 'Ū',
  '�' => 'ß',
  '�' => 'ā',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'į',
  '�' => 'č',
  '�' => 'é',
  '�' => 'ę',
  '�' => 'ë',
  '�' => 'ė',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ī',
  '�' => 'đ',
  '�' => 'ņ',
  '�' => 'ō',
  '�' => 'ķ',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ø',
  '�' => 'ų',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ũ',
  '�' => 'ū',
  '�' => '˙',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp437.php000064400000007401151330736600017142 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ç',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'â',
  '�' => 'ä',
  '�' => 'à',
  '�' => 'å',
  '�' => 'ç',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'è',
  '�' => 'ï',
  '�' => 'î',
  '�' => 'ì',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'É',
  '�' => 'æ',
  '�' => 'Æ',
  '�' => 'ô',
  '�' => 'ö',
  '�' => 'ò',
  '�' => 'û',
  '�' => 'ù',
  '�' => 'ÿ',
  '�' => 'Ö',
  '�' => 'Ü',
  '�' => '¢',
  '�' => '£',
  '�' => '¥',
  '�' => '₧',
  '�' => 'ƒ',
  '�' => 'á',
  '�' => 'í',
  '�' => 'ó',
  '�' => 'ú',
  '�' => 'ñ',
  '�' => 'Ñ',
  '�' => 'ª',
  '�' => 'º',
  '�' => '¿',
  '�' => '⌐',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '¡',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '╡',
  '�' => '╢',
  '�' => '╖',
  '�' => '╕',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '╜',
  '�' => '╛',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╞',
  '�' => '╟',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '╧',
  '�' => '╨',
  '�' => '╤',
  '�' => '╥',
  '�' => '╙',
  '�' => '╘',
  '�' => '╒',
  '�' => '╓',
  '�' => '╫',
  '�' => '╪',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'α',
  '�' => 'ß',
  '�' => 'Γ',
  '�' => 'π',
  '�' => 'Σ',
  '�' => 'σ',
  '�' => 'µ',
  '�' => 'τ',
  '�' => 'Φ',
  '�' => 'Θ',
  '�' => 'Ω',
  '�' => 'δ',
  '�' => '∞',
  '�' => 'φ',
  '�' => 'ε',
  '�' => '∩',
  '�' => '≡',
  '�' => '±',
  '�' => '≥',
  '�' => '≤',
  '�' => '⌠',
  '�' => '⌡',
  '�' => '÷',
  '�' => '≈',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '√',
  '�' => 'ⁿ',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-13.php000064400000007307151330736600017735 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '”',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '„',
  '�' => '¦',
  '�' => '§',
  '�' => 'Ø',
  '�' => '©',
  '�' => 'Ŗ',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => 'Æ',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '“',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => 'ø',
  '�' => '¹',
  '�' => 'ŗ',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => 'æ',
  '�' => 'Ą',
  '�' => 'Į',
  '�' => 'Ā',
  '�' => 'Ć',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Ę',
  '�' => 'Ē',
  '�' => 'Č',
  '�' => 'É',
  '�' => 'Ź',
  '�' => 'Ė',
  '�' => 'Ģ',
  '�' => 'Ķ',
  '�' => 'Ī',
  '�' => 'Ļ',
  '�' => 'Š',
  '�' => 'Ń',
  '�' => 'Ņ',
  '�' => 'Ó',
  '�' => 'Ō',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ų',
  '�' => 'Ł',
  '�' => 'Ś',
  '�' => 'Ū',
  '�' => 'Ü',
  '�' => 'Ż',
  '�' => 'Ž',
  '�' => 'ß',
  '�' => 'ą',
  '�' => 'į',
  '�' => 'ā',
  '�' => 'ć',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'ę',
  '�' => 'ē',
  '�' => 'č',
  '�' => 'é',
  '�' => 'ź',
  '�' => 'ė',
  '�' => 'ģ',
  '�' => 'ķ',
  '�' => 'ī',
  '�' => 'ļ',
  '�' => 'š',
  '�' => 'ń',
  '�' => 'ņ',
  '�' => 'ó',
  '�' => 'ō',
  '�' => 'õ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ų',
  '�' => 'ł',
  '�' => 'ś',
  '�' => 'ū',
  '�' => 'ü',
  '�' => 'ż',
  '�' => 'ž',
  '�' => '’',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp861.php000064400000007401151330736600017143 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ç',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'â',
  '�' => 'ä',
  '�' => 'à',
  '�' => 'å',
  '�' => 'ç',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'è',
  '�' => 'Ð',
  '�' => 'ð',
  '�' => 'Þ',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'É',
  '�' => 'æ',
  '�' => 'Æ',
  '�' => 'ô',
  '�' => 'ö',
  '�' => 'þ',
  '�' => 'û',
  '�' => 'Ý',
  '�' => 'ý',
  '�' => 'Ö',
  '�' => 'Ü',
  '�' => 'ø',
  '�' => '£',
  '�' => 'Ø',
  '�' => '₧',
  '�' => 'ƒ',
  '�' => 'á',
  '�' => 'í',
  '�' => 'ó',
  '�' => 'ú',
  '�' => 'Á',
  '�' => 'Í',
  '�' => 'Ó',
  '�' => 'Ú',
  '�' => '¿',
  '�' => '⌐',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '¡',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '╡',
  '�' => '╢',
  '�' => '╖',
  '�' => '╕',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '╜',
  '�' => '╛',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╞',
  '�' => '╟',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '╧',
  '�' => '╨',
  '�' => '╤',
  '�' => '╥',
  '�' => '╙',
  '�' => '╘',
  '�' => '╒',
  '�' => '╓',
  '�' => '╫',
  '�' => '╪',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'α',
  '�' => 'ß',
  '�' => 'Γ',
  '�' => 'π',
  '�' => 'Σ',
  '�' => 'σ',
  '�' => 'µ',
  '�' => 'τ',
  '�' => 'Φ',
  '�' => 'Θ',
  '�' => 'Ω',
  '�' => 'δ',
  '�' => '∞',
  '�' => 'φ',
  '�' => 'ε',
  '�' => '∩',
  '�' => '≡',
  '�' => '±',
  '�' => '≥',
  '�' => '≤',
  '�' => '⌠',
  '�' => '⌡',
  '�' => '÷',
  '�' => '≈',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '√',
  '�' => 'ⁿ',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-14.php000064400000007331151330736600017733 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => 'Ḃ',
  '�' => 'ḃ',
  '�' => '£',
  '�' => 'Ċ',
  '�' => 'ċ',
  '�' => 'Ḋ',
  '�' => '§',
  '�' => 'Ẁ',
  '�' => '©',
  '�' => 'Ẃ',
  '�' => 'ḋ',
  '�' => 'Ỳ',
  '�' => '­',
  '�' => '®',
  '�' => 'Ÿ',
  '�' => 'Ḟ',
  '�' => 'ḟ',
  '�' => 'Ġ',
  '�' => 'ġ',
  '�' => 'Ṁ',
  '�' => 'ṁ',
  '�' => '¶',
  '�' => 'Ṗ',
  '�' => 'ẁ',
  '�' => 'ṗ',
  '�' => 'ẃ',
  '�' => 'Ṡ',
  '�' => 'ỳ',
  '�' => 'Ẅ',
  '�' => 'ẅ',
  '�' => 'ṡ',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ã',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'Ì',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Ŵ',
  '�' => 'Ñ',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => 'Ṫ',
  '�' => 'Ø',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ý',
  '�' => 'Ŷ',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ì',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ŵ',
  '�' => 'ñ',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ö',
  '�' => 'ṫ',
  '�' => 'ø',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ý',
  '�' => 'ŷ',
  '�' => 'ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp866.php000064400000007367151330736600017163 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'А',
  '�' => 'Б',
  '�' => 'В',
  '�' => 'Г',
  '�' => 'Д',
  '�' => 'Е',
  '�' => 'Ж',
  '�' => 'З',
  '�' => 'И',
  '�' => 'Й',
  '�' => 'К',
  '�' => 'Л',
  '�' => 'М',
  '�' => 'Н',
  '�' => 'О',
  '�' => 'П',
  '�' => 'Р',
  '�' => 'С',
  '�' => 'Т',
  '�' => 'У',
  '�' => 'Ф',
  '�' => 'Х',
  '�' => 'Ц',
  '�' => 'Ч',
  '�' => 'Ш',
  '�' => 'Щ',
  '�' => 'Ъ',
  '�' => 'Ы',
  '�' => 'Ь',
  '�' => 'Э',
  '�' => 'Ю',
  '�' => 'Я',
  '�' => 'а',
  '�' => 'б',
  '�' => 'в',
  '�' => 'г',
  '�' => 'д',
  '�' => 'е',
  '�' => 'ж',
  '�' => 'з',
  '�' => 'и',
  '�' => 'й',
  '�' => 'к',
  '�' => 'л',
  '�' => 'м',
  '�' => 'н',
  '�' => 'о',
  '�' => 'п',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '╡',
  '�' => '╢',
  '�' => '╖',
  '�' => '╕',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '╜',
  '�' => '╛',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╞',
  '�' => '╟',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '╧',
  '�' => '╨',
  '�' => '╤',
  '�' => '╥',
  '�' => '╙',
  '�' => '╘',
  '�' => '╒',
  '�' => '╓',
  '�' => '╫',
  '�' => '╪',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'р',
  '�' => 'с',
  '�' => 'т',
  '�' => 'у',
  '�' => 'ф',
  '�' => 'х',
  '�' => 'ц',
  '�' => 'ч',
  '�' => 'ш',
  '�' => 'щ',
  '�' => 'ъ',
  '�' => 'ы',
  '�' => 'ь',
  '�' => 'э',
  '�' => 'ю',
  '�' => 'я',
  '�' => 'Ё',
  '�' => 'ё',
  '�' => 'Є',
  '�' => 'є',
  '�' => 'Ї',
  '�' => 'ї',
  '�' => 'Ў',
  '�' => 'ў',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '√',
  '�' => '№',
  '�' => '¤',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1254.php000064400000007153151330736600020371 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '¡',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => 'ª',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => '¹',
  '�' => 'º',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '¿',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ã',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'Ì',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Ğ',
  '�' => 'Ñ',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ø',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'İ',
  '�' => 'Ş',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ì',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ğ',
  '�' => 'ñ',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ø',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ı',
  '�' => 'ş',
  '�' => 'ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1253.php000064400000006726151330736600020375 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => '‰',
  '�' => '‹',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '™',
  '�' => '›',
  '�' => ' ',
  '�' => '΅',
  '�' => 'Ά',
  '�' => '£',
  '�' => '¤',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '―',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '΄',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => 'Έ',
  '�' => 'Ή',
  '�' => 'Ί',
  '�' => '»',
  '�' => 'Ό',
  '�' => '½',
  '�' => 'Ύ',
  '�' => 'Ώ',
  '�' => 'ΐ',
  '�' => 'Α',
  '�' => 'Β',
  '�' => 'Γ',
  '�' => 'Δ',
  '�' => 'Ε',
  '�' => 'Ζ',
  '�' => 'Η',
  '�' => 'Θ',
  '�' => 'Ι',
  '�' => 'Κ',
  '�' => 'Λ',
  '�' => 'Μ',
  '�' => 'Ν',
  '�' => 'Ξ',
  '�' => 'Ο',
  '�' => 'Π',
  '�' => 'Ρ',
  '�' => 'Σ',
  '�' => 'Τ',
  '�' => 'Υ',
  '�' => 'Φ',
  '�' => 'Χ',
  '�' => 'Ψ',
  '�' => 'Ω',
  '�' => 'Ϊ',
  '�' => 'Ϋ',
  '�' => 'ά',
  '�' => 'έ',
  '�' => 'ή',
  '�' => 'ί',
  '�' => 'ΰ',
  '�' => 'α',
  '�' => 'β',
  '�' => 'γ',
  '�' => 'δ',
  '�' => 'ε',
  '�' => 'ζ',
  '�' => 'η',
  '�' => 'θ',
  '�' => 'ι',
  '�' => 'κ',
  '�' => 'λ',
  '�' => 'μ',
  '�' => 'ν',
  '�' => 'ξ',
  '�' => 'ο',
  '�' => 'π',
  '�' => 'ρ',
  '�' => 'ς',
  '�' => 'σ',
  '�' => 'τ',
  '�' => 'υ',
  '�' => 'φ',
  '�' => 'χ',
  '�' => 'ψ',
  '�' => 'ω',
  '�' => 'ϊ',
  '�' => 'ϋ',
  '�' => 'ό',
  '�' => 'ύ',
  '�' => 'ώ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.koi8-r.php000064400000007373151330736600017423 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '─',
  '�' => '│',
  '�' => '┌',
  '�' => '┐',
  '�' => '└',
  '�' => '┘',
  '�' => '├',
  '�' => '┤',
  '�' => '┬',
  '�' => '┴',
  '�' => '┼',
  '�' => '▀',
  '�' => '▄',
  '�' => '█',
  '�' => '▌',
  '�' => '▐',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '⌠',
  '�' => '■',
  '�' => '∙',
  '�' => '√',
  '�' => '≈',
  '�' => '≤',
  '�' => '≥',
  '�' => ' ',
  '�' => '⌡',
  '�' => '°',
  '�' => '²',
  '�' => '·',
  '�' => '÷',
  '�' => '═',
  '�' => '║',
  '�' => '╒',
  '�' => 'ё',
  '�' => '╓',
  '�' => '╔',
  '�' => '╕',
  '�' => '╖',
  '�' => '╗',
  '�' => '╘',
  '�' => '╙',
  '�' => '╚',
  '�' => '╛',
  '�' => '╜',
  '�' => '╝',
  '�' => '╞',
  '�' => '╟',
  '�' => '╠',
  '�' => '╡',
  '�' => 'Ё',
  '�' => '╢',
  '�' => '╣',
  '�' => '╤',
  '�' => '╥',
  '�' => '╦',
  '�' => '╧',
  '�' => '╨',
  '�' => '╩',
  '�' => '╪',
  '�' => '╫',
  '�' => '╬',
  '�' => '©',
  '�' => 'ю',
  '�' => 'а',
  '�' => 'б',
  '�' => 'ц',
  '�' => 'д',
  '�' => 'е',
  '�' => 'ф',
  '�' => 'г',
  '�' => 'х',
  '�' => 'и',
  '�' => 'й',
  '�' => 'к',
  '�' => 'л',
  '�' => 'м',
  '�' => 'н',
  '�' => 'о',
  '�' => 'п',
  '�' => 'я',
  '�' => 'р',
  '�' => 'с',
  '�' => 'т',
  '�' => 'у',
  '�' => 'ж',
  '�' => 'в',
  '�' => 'ь',
  '�' => 'ы',
  '�' => 'з',
  '�' => 'ш',
  '�' => 'э',
  '�' => 'щ',
  '�' => 'ч',
  '�' => 'ъ',
  '�' => 'Ю',
  '�' => 'А',
  '�' => 'Б',
  '�' => 'Ц',
  '�' => 'Д',
  '�' => 'Е',
  '�' => 'Ф',
  '�' => 'Г',
  '�' => 'Х',
  '�' => 'И',
  '�' => 'Й',
  '�' => 'К',
  '�' => 'Л',
  '�' => 'М',
  '�' => 'Н',
  '�' => 'О',
  '�' => 'П',
  '�' => 'Я',
  '�' => 'Р',
  '�' => 'С',
  '�' => 'Т',
  '�' => 'У',
  '�' => 'Ж',
  '�' => 'В',
  '�' => 'Ь',
  '�' => 'Ы',
  '�' => 'З',
  '�' => 'Ш',
  '�' => 'Э',
  '�' => 'Щ',
  '�' => 'Ч',
  '�' => 'Ъ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.big5.php000064400000707243151330736600017143 0ustar00<?php

static $data = array (
  '�@' => ' ',
  '�A' => ',',
  '�B' => '、',
  '�C' => '。',
  '�D' => '.',
  '�E' => '•',
  '�F' => ';',
  '�G' => ':',
  '�H' => '?',
  '�I' => '!',
  '�J' => '︰',
  '�K' => '…',
  '�L' => '‥',
  '�M' => '﹐',
  '�N' => '、',
  '�O' => '﹒',
  '�P' => '·',
  '�Q' => '﹔',
  '�R' => '﹕',
  '�S' => '﹖',
  '�T' => '﹗',
  '�U' => '|',
  '�V' => '–',
  '�W' => '︱',
  '�X' => '—',
  '�Y' => '︳',
  '�Z' => '�',
  '�[' => '︴',
  '�\\' => '﹏',
  '�]' => '(',
  '�^' => ')',
  '�_' => '︵',
  '�`' => '︶',
  '�a' => '{',
  '�b' => '}',
  '�c' => '︷',
  '�d' => '︸',
  '�e' => '〔',
  '�f' => '〕',
  '�g' => '︹',
  '�h' => '︺',
  '�i' => '【',
  '�j' => '】',
  '�k' => '︻',
  '�l' => '︼',
  '�m' => '《',
  '�n' => '》',
  '�o' => '︽',
  '�p' => '︾',
  '�q' => '〈',
  '�r' => '〉',
  '�s' => '︿',
  '�t' => '﹀',
  '�u' => '「',
  '�v' => '」',
  '�w' => '﹁',
  '�x' => '﹂',
  '�y' => '『',
  '�z' => '』',
  '�{' => '﹃',
  '�|' => '﹄',
  '�}' => '﹙',
  '�~' => '﹚',
  '��' => '﹛',
  '��' => '﹜',
  '��' => '﹝',
  '��' => '﹞',
  '��' => '‘',
  '��' => '’',
  '��' => '“',
  '��' => '”',
  '��' => '〝',
  '��' => '〞',
  '��' => '‵',
  '��' => '′',
  '��' => '#',
  '��' => '&',
  '��' => '*',
  '��' => '※',
  '��' => '§',
  '��' => '〃',
  '��' => '○',
  '��' => '●',
  '��' => '△',
  '��' => '▲',
  '��' => '◎',
  '��' => '☆',
  '��' => '★',
  '��' => '◇',
  '��' => '◆',
  '��' => '□',
  '��' => '■',
  '��' => '▽',
  '��' => '▼',
  '��' => '㊣',
  '��' => '℅',
  '��' => '‾',
  '��' => '�',
  '��' => '_',
  '��' => '�',
  '��' => '﹉',
  '��' => '﹊',
  '��' => '﹍',
  '��' => '﹎',
  '��' => '﹋',
  '��' => '﹌',
  '��' => '﹟',
  '��' => '﹠',
  '��' => '﹡',
  '��' => '+',
  '��' => '-',
  '��' => '×',
  '��' => '÷',
  '��' => '±',
  '��' => '√',
  '��' => '<',
  '��' => '>',
  '��' => '=',
  '��' => '≦',
  '��' => '≧',
  '��' => '≠',
  '��' => '∞',
  '��' => '≒',
  '��' => '≡',
  '��' => '﹢',
  '��' => '﹣',
  '��' => '﹤',
  '��' => '﹥',
  '��' => '﹦',
  '��' => '∼',
  '��' => '∩',
  '��' => '∪',
  '��' => '⊥',
  '��' => '∠',
  '��' => '∟',
  '��' => '⊿',
  '��' => '㏒',
  '��' => '㏑',
  '��' => '∫',
  '��' => '∮',
  '��' => '∵',
  '��' => '∴',
  '��' => '♀',
  '��' => '♂',
  '��' => '♁',
  '��' => '☉',
  '��' => '↑',
  '��' => '↓',
  '��' => '←',
  '��' => '→',
  '��' => '↖',
  '��' => '↗',
  '��' => '↙',
  '��' => '↘',
  '��' => '∥',
  '��' => '∣',
  '��' => '�',
  '�@' => '�',
  '�A' => '/',
  '�B' => '\',
  '�C' => '$',
  '�D' => '¥',
  '�E' => '〒',
  '�F' => '¢',
  '�G' => '£',
  '�H' => '%',
  '�I' => '@',
  '�J' => '℃',
  '�K' => '℉',
  '�L' => '﹩',
  '�M' => '﹪',
  '�N' => '﹫',
  '�O' => '㏕',
  '�P' => '㎜',
  '�Q' => '㎝',
  '�R' => '㎞',
  '�S' => '㏎',
  '�T' => '㎡',
  '�U' => '㎎',
  '�V' => '㎏',
  '�W' => '㏄',
  '�X' => '°',
  '�Y' => '兙',
  '�Z' => '兛',
  '�[' => '兞',
  '�\\' => '兝',
  '�]' => '兡',
  '�^' => '兣',
  '�_' => '嗧',
  '�`' => '瓩',
  '�a' => '糎',
  '�b' => '▁',
  '�c' => '▂',
  '�d' => '▃',
  '�e' => '▄',
  '�f' => '▅',
  '�g' => '▆',
  '�h' => '▇',
  '�i' => '█',
  '�j' => '▏',
  '�k' => '▎',
  '�l' => '▍',
  '�m' => '▌',
  '�n' => '▋',
  '�o' => '▊',
  '�p' => '▉',
  '�q' => '┼',
  '�r' => '┴',
  '�s' => '┬',
  '�t' => '┤',
  '�u' => '├',
  '�v' => '▔',
  '�w' => '─',
  '�x' => '│',
  '�y' => '▕',
  '�z' => '┌',
  '�{' => '┐',
  '�|' => '└',
  '�}' => '┘',
  '�~' => '╭',
  '��' => '╮',
  '��' => '╰',
  '��' => '╯',
  '��' => '═',
  '��' => '╞',
  '��' => '╪',
  '��' => '╡',
  '��' => '◢',
  '��' => '◣',
  '��' => '◥',
  '��' => '◤',
  '��' => '╱',
  '��' => '╲',
  '��' => '╳',
  '��' => '0',
  '��' => '1',
  '��' => '2',
  '��' => '3',
  '��' => '4',
  '��' => '5',
  '��' => '6',
  '��' => '7',
  '��' => '8',
  '��' => '9',
  '��' => 'Ⅰ',
  '��' => 'Ⅱ',
  '��' => 'Ⅲ',
  '��' => 'Ⅳ',
  '��' => 'Ⅴ',
  '��' => 'Ⅵ',
  '��' => 'Ⅶ',
  '��' => 'Ⅷ',
  '��' => 'Ⅸ',
  '��' => 'Ⅹ',
  '��' => '〡',
  '��' => '〢',
  '��' => '〣',
  '��' => '〤',
  '��' => '〥',
  '��' => '〦',
  '��' => '〧',
  '��' => '〨',
  '��' => '〩',
  '��' => '�',
  '��' => '卄',
  '��' => '�',
  '��' => 'A',
  '��' => 'B',
  '��' => 'C',
  '��' => 'D',
  '��' => 'E',
  '��' => 'F',
  '��' => 'G',
  '��' => 'H',
  '��' => 'I',
  '��' => 'J',
  '��' => 'K',
  '��' => 'L',
  '��' => 'M',
  '��' => 'N',
  '��' => 'O',
  '��' => 'P',
  '��' => 'Q',
  '��' => 'R',
  '��' => 'S',
  '��' => 'T',
  '��' => 'U',
  '��' => 'V',
  '��' => 'W',
  '��' => 'X',
  '��' => 'Y',
  '��' => 'Z',
  '��' => 'a',
  '��' => 'b',
  '��' => 'c',
  '��' => 'd',
  '��' => 'e',
  '��' => 'f',
  '��' => 'g',
  '��' => 'h',
  '��' => 'i',
  '��' => 'j',
  '��' => 'k',
  '��' => 'l',
  '��' => 'm',
  '��' => 'n',
  '��' => 'o',
  '��' => 'p',
  '��' => 'q',
  '��' => 'r',
  '��' => 's',
  '��' => 't',
  '��' => 'u',
  '��' => 'v',
  '�@' => 'w',
  '�A' => 'x',
  '�B' => 'y',
  '�C' => 'z',
  '�D' => 'Α',
  '�E' => 'Β',
  '�F' => 'Γ',
  '�G' => 'Δ',
  '�H' => 'Ε',
  '�I' => 'Ζ',
  '�J' => 'Η',
  '�K' => 'Θ',
  '�L' => 'Ι',
  '�M' => 'Κ',
  '�N' => 'Λ',
  '�O' => 'Μ',
  '�P' => 'Ν',
  '�Q' => 'Ξ',
  '�R' => 'Ο',
  '�S' => 'Π',
  '�T' => 'Ρ',
  '�U' => 'Σ',
  '�V' => 'Τ',
  '�W' => 'Υ',
  '�X' => 'Φ',
  '�Y' => 'Χ',
  '�Z' => 'Ψ',
  '�[' => 'Ω',
  '�\\' => 'α',
  '�]' => 'β',
  '�^' => 'γ',
  '�_' => 'δ',
  '�`' => 'ε',
  '�a' => 'ζ',
  '�b' => 'η',
  '�c' => 'θ',
  '�d' => 'ι',
  '�e' => 'κ',
  '�f' => 'λ',
  '�g' => 'μ',
  '�h' => 'ν',
  '�i' => 'ξ',
  '�j' => 'ο',
  '�k' => 'π',
  '�l' => 'ρ',
  '�m' => 'σ',
  '�n' => 'τ',
  '�o' => 'υ',
  '�p' => 'φ',
  '�q' => 'χ',
  '�r' => 'ψ',
  '�s' => 'ω',
  '�t' => 'ㄅ',
  '�u' => 'ㄆ',
  '�v' => 'ㄇ',
  '�w' => 'ㄈ',
  '�x' => 'ㄉ',
  '�y' => 'ㄊ',
  '�z' => 'ㄋ',
  '�{' => 'ㄌ',
  '�|' => 'ㄍ',
  '�}' => 'ㄎ',
  '�~' => 'ㄏ',
  '��' => 'ㄐ',
  '��' => 'ㄑ',
  '��' => 'ㄒ',
  '��' => 'ㄓ',
  '��' => 'ㄔ',
  '��' => 'ㄕ',
  '��' => 'ㄖ',
  '��' => 'ㄗ',
  '��' => 'ㄘ',
  '��' => 'ㄙ',
  '��' => 'ㄚ',
  '��' => 'ㄛ',
  '��' => 'ㄜ',
  '��' => 'ㄝ',
  '��' => 'ㄞ',
  '��' => 'ㄟ',
  '��' => 'ㄠ',
  '��' => 'ㄡ',
  '��' => 'ㄢ',
  '��' => 'ㄣ',
  '��' => 'ㄤ',
  '��' => 'ㄥ',
  '��' => 'ㄦ',
  '��' => 'ㄧ',
  '��' => 'ㄨ',
  '��' => 'ㄩ',
  '��' => '˙',
  '��' => 'ˉ',
  '��' => 'ˊ',
  '��' => 'ˇ',
  '��' => 'ˋ',
  '�@' => '一',
  '�A' => '乙',
  '�B' => '丁',
  '�C' => '七',
  '�D' => '乃',
  '�E' => '九',
  '�F' => '了',
  '�G' => '二',
  '�H' => '人',
  '�I' => '儿',
  '�J' => '入',
  '�K' => '八',
  '�L' => '几',
  '�M' => '刀',
  '�N' => '刁',
  '�O' => '力',
  '�P' => '匕',
  '�Q' => '十',
  '�R' => '卜',
  '�S' => '又',
  '�T' => '三',
  '�U' => '下',
  '�V' => '丈',
  '�W' => '上',
  '�X' => '丫',
  '�Y' => '丸',
  '�Z' => '凡',
  '�[' => '久',
  '�\\' => '么',
  '�]' => '也',
  '�^' => '乞',
  '�_' => '于',
  '�`' => '亡',
  '�a' => '兀',
  '�b' => '刃',
  '�c' => '勺',
  '�d' => '千',
  '�e' => '叉',
  '�f' => '口',
  '�g' => '土',
  '�h' => '士',
  '�i' => '夕',
  '�j' => '大',
  '�k' => '女',
  '�l' => '子',
  '�m' => '孑',
  '�n' => '孓',
  '�o' => '寸',
  '�p' => '小',
  '�q' => '尢',
  '�r' => '尸',
  '�s' => '山',
  '�t' => '川',
  '�u' => '工',
  '�v' => '己',
  '�w' => '已',
  '�x' => '巳',
  '�y' => '巾',
  '�z' => '干',
  '�{' => '廾',
  '�|' => '弋',
  '�}' => '弓',
  '�~' => '才',
  '��' => '丑',
  '��' => '丐',
  '��' => '不',
  '��' => '中',
  '��' => '丰',
  '��' => '丹',
  '��' => '之',
  '��' => '尹',
  '��' => '予',
  '��' => '云',
  '��' => '井',
  '��' => '互',
  '��' => '五',
  '��' => '亢',
  '��' => '仁',
  '��' => '什',
  '��' => '仃',
  '��' => '仆',
  '��' => '仇',
  '��' => '仍',
  '��' => '今',
  '��' => '介',
  '��' => '仄',
  '��' => '元',
  '��' => '允',
  '��' => '內',
  '��' => '六',
  '��' => '兮',
  '��' => '公',
  '��' => '冗',
  '��' => '凶',
  '��' => '分',
  '��' => '切',
  '��' => '刈',
  '��' => '勻',
  '��' => '勾',
  '��' => '勿',
  '��' => '化',
  '��' => '匹',
  '��' => '午',
  '��' => '升',
  '��' => '卅',
  '��' => '卞',
  '��' => '厄',
  '��' => '友',
  '��' => '及',
  '��' => '反',
  '��' => '壬',
  '��' => '天',
  '��' => '夫',
  '��' => '太',
  '��' => '夭',
  '��' => '孔',
  '��' => '少',
  '��' => '尤',
  '��' => '尺',
  '��' => '屯',
  '��' => '巴',
  '��' => '幻',
  '��' => '廿',
  '��' => '弔',
  '��' => '引',
  '��' => '心',
  '��' => '戈',
  '��' => '戶',
  '��' => '手',
  '��' => '扎',
  '��' => '支',
  '��' => '文',
  '��' => '斗',
  '��' => '斤',
  '��' => '方',
  '��' => '日',
  '��' => '曰',
  '��' => '月',
  '��' => '木',
  '��' => '欠',
  '��' => '止',
  '��' => '歹',
  '��' => '毋',
  '��' => '比',
  '��' => '毛',
  '��' => '氏',
  '��' => '水',
  '��' => '火',
  '��' => '爪',
  '��' => '父',
  '��' => '爻',
  '��' => '片',
  '��' => '牙',
  '��' => '牛',
  '��' => '犬',
  '��' => '王',
  '��' => '丙',
  '�@' => '世',
  '�A' => '丕',
  '�B' => '且',
  '�C' => '丘',
  '�D' => '主',
  '�E' => '乍',
  '�F' => '乏',
  '�G' => '乎',
  '�H' => '以',
  '�I' => '付',
  '�J' => '仔',
  '�K' => '仕',
  '�L' => '他',
  '�M' => '仗',
  '�N' => '代',
  '�O' => '令',
  '�P' => '仙',
  '�Q' => '仞',
  '�R' => '充',
  '�S' => '兄',
  '�T' => '冉',
  '�U' => '冊',
  '�V' => '冬',
  '�W' => '凹',
  '�X' => '出',
  '�Y' => '凸',
  '�Z' => '刊',
  '�[' => '加',
  '�\\' => '功',
  '�]' => '包',
  '�^' => '匆',
  '�_' => '北',
  '�`' => '匝',
  '�a' => '仟',
  '�b' => '半',
  '�c' => '卉',
  '�d' => '卡',
  '�e' => '占',
  '�f' => '卯',
  '�g' => '卮',
  '�h' => '去',
  '�i' => '可',
  '�j' => '古',
  '�k' => '右',
  '�l' => '召',
  '�m' => '叮',
  '�n' => '叩',
  '�o' => '叨',
  '�p' => '叼',
  '�q' => '司',
  '�r' => '叵',
  '�s' => '叫',
  '�t' => '另',
  '�u' => '只',
  '�v' => '史',
  '�w' => '叱',
  '�x' => '台',
  '�y' => '句',
  '�z' => '叭',
  '�{' => '叻',
  '�|' => '四',
  '�}' => '囚',
  '�~' => '外',
  '��' => '央',
  '��' => '失',
  '��' => '奴',
  '��' => '奶',
  '��' => '孕',
  '��' => '它',
  '��' => '尼',
  '��' => '巨',
  '��' => '巧',
  '��' => '左',
  '��' => '市',
  '��' => '布',
  '��' => '平',
  '��' => '幼',
  '��' => '弁',
  '��' => '弘',
  '��' => '弗',
  '��' => '必',
  '��' => '戊',
  '��' => '打',
  '��' => '扔',
  '��' => '扒',
  '��' => '扑',
  '��' => '斥',
  '��' => '旦',
  '��' => '朮',
  '��' => '本',
  '��' => '未',
  '��' => '末',
  '��' => '札',
  '��' => '正',
  '��' => '母',
  '��' => '民',
  '��' => '氐',
  '��' => '永',
  '��' => '汁',
  '��' => '汀',
  '��' => '氾',
  '��' => '犯',
  '��' => '玄',
  '��' => '玉',
  '��' => '瓜',
  '��' => '瓦',
  '��' => '甘',
  '��' => '生',
  '��' => '用',
  '��' => '甩',
  '��' => '田',
  '��' => '由',
  '��' => '甲',
  '��' => '申',
  '��' => '疋',
  '��' => '白',
  '��' => '皮',
  '��' => '皿',
  '��' => '目',
  '��' => '矛',
  '��' => '矢',
  '��' => '石',
  '��' => '示',
  '��' => '禾',
  '��' => '穴',
  '��' => '立',
  '��' => '丞',
  '��' => '丟',
  '��' => '乒',
  '��' => '乓',
  '��' => '乩',
  '��' => '亙',
  '��' => '交',
  '��' => '亦',
  '��' => '亥',
  '��' => '仿',
  '��' => '伉',
  '��' => '伙',
  '��' => '伊',
  '��' => '伕',
  '��' => '伍',
  '��' => '伐',
  '��' => '休',
  '��' => '伏',
  '��' => '仲',
  '��' => '件',
  '��' => '任',
  '��' => '仰',
  '��' => '仳',
  '��' => '份',
  '��' => '企',
  '��' => '伋',
  '��' => '光',
  '��' => '兇',
  '��' => '兆',
  '��' => '先',
  '��' => '全',
  '�@' => '共',
  '�A' => '再',
  '�B' => '冰',
  '�C' => '列',
  '�D' => '刑',
  '�E' => '划',
  '�F' => '刎',
  '�G' => '刖',
  '�H' => '劣',
  '�I' => '匈',
  '�J' => '匡',
  '�K' => '匠',
  '�L' => '印',
  '�M' => '危',
  '�N' => '吉',
  '�O' => '吏',
  '�P' => '同',
  '�Q' => '吊',
  '�R' => '吐',
  '�S' => '吁',
  '�T' => '吋',
  '�U' => '各',
  '�V' => '向',
  '�W' => '名',
  '�X' => '合',
  '�Y' => '吃',
  '�Z' => '后',
  '�[' => '吆',
  '�\\' => '吒',
  '�]' => '因',
  '�^' => '回',
  '�_' => '囝',
  '�`' => '圳',
  '�a' => '地',
  '�b' => '在',
  '�c' => '圭',
  '�d' => '圬',
  '�e' => '圯',
  '�f' => '圩',
  '�g' => '夙',
  '�h' => '多',
  '�i' => '夷',
  '�j' => '夸',
  '�k' => '妄',
  '�l' => '奸',
  '�m' => '妃',
  '�n' => '好',
  '�o' => '她',
  '�p' => '如',
  '�q' => '妁',
  '�r' => '字',
  '�s' => '存',
  '�t' => '宇',
  '�u' => '守',
  '�v' => '宅',
  '�w' => '安',
  '�x' => '寺',
  '�y' => '尖',
  '�z' => '屹',
  '�{' => '州',
  '�|' => '帆',
  '�}' => '并',
  '�~' => '年',
  '��' => '式',
  '��' => '弛',
  '��' => '忙',
  '��' => '忖',
  '��' => '戎',
  '��' => '戌',
  '��' => '戍',
  '��' => '成',
  '��' => '扣',
  '��' => '扛',
  '��' => '托',
  '��' => '收',
  '��' => '早',
  '��' => '旨',
  '��' => '旬',
  '��' => '旭',
  '��' => '曲',
  '��' => '曳',
  '��' => '有',
  '��' => '朽',
  '��' => '朴',
  '��' => '朱',
  '��' => '朵',
  '��' => '次',
  '��' => '此',
  '��' => '死',
  '��' => '氖',
  '��' => '汝',
  '��' => '汗',
  '��' => '汙',
  '��' => '江',
  '��' => '池',
  '��' => '汐',
  '��' => '汕',
  '��' => '污',
  '��' => '汛',
  '��' => '汍',
  '��' => '汎',
  '��' => '灰',
  '��' => '牟',
  '��' => '牝',
  '��' => '百',
  '��' => '竹',
  '��' => '米',
  '��' => '糸',
  '��' => '缶',
  '��' => '羊',
  '��' => '羽',
  '��' => '老',
  '��' => '考',
  '��' => '而',
  '��' => '耒',
  '��' => '耳',
  '��' => '聿',
  '��' => '肉',
  '��' => '肋',
  '��' => '肌',
  '��' => '臣',
  '��' => '自',
  '��' => '至',
  '��' => '臼',
  '��' => '舌',
  '��' => '舛',
  '��' => '舟',
  '��' => '艮',
  '��' => '色',
  '��' => '艾',
  '��' => '虫',
  '��' => '血',
  '��' => '行',
  '��' => '衣',
  '��' => '西',
  '��' => '阡',
  '��' => '串',
  '��' => '亨',
  '��' => '位',
  '��' => '住',
  '��' => '佇',
  '��' => '佗',
  '��' => '佞',
  '��' => '伴',
  '��' => '佛',
  '��' => '何',
  '��' => '估',
  '��' => '佐',
  '��' => '佑',
  '��' => '伽',
  '��' => '伺',
  '��' => '伸',
  '��' => '佃',
  '��' => '佔',
  '��' => '似',
  '��' => '但',
  '��' => '佣',
  '�@' => '作',
  '�A' => '你',
  '�B' => '伯',
  '�C' => '低',
  '�D' => '伶',
  '�E' => '余',
  '�F' => '佝',
  '�G' => '佈',
  '�H' => '佚',
  '�I' => '兌',
  '�J' => '克',
  '�K' => '免',
  '�L' => '兵',
  '�M' => '冶',
  '�N' => '冷',
  '�O' => '別',
  '�P' => '判',
  '�Q' => '利',
  '�R' => '刪',
  '�S' => '刨',
  '�T' => '劫',
  '�U' => '助',
  '�V' => '努',
  '�W' => '劬',
  '�X' => '匣',
  '�Y' => '即',
  '�Z' => '卵',
  '�[' => '吝',
  '�\\' => '吭',
  '�]' => '吞',
  '�^' => '吾',
  '�_' => '否',
  '�`' => '呎',
  '�a' => '吧',
  '�b' => '呆',
  '�c' => '呃',
  '�d' => '吳',
  '�e' => '呈',
  '�f' => '呂',
  '�g' => '君',
  '�h' => '吩',
  '�i' => '告',
  '�j' => '吹',
  '�k' => '吻',
  '�l' => '吸',
  '�m' => '吮',
  '�n' => '吵',
  '�o' => '吶',
  '�p' => '吠',
  '�q' => '吼',
  '�r' => '呀',
  '�s' => '吱',
  '�t' => '含',
  '�u' => '吟',
  '�v' => '听',
  '�w' => '囪',
  '�x' => '困',
  '�y' => '囤',
  '�z' => '囫',
  '�{' => '坊',
  '�|' => '坑',
  '�}' => '址',
  '�~' => '坍',
  '��' => '均',
  '��' => '坎',
  '��' => '圾',
  '��' => '坐',
  '��' => '坏',
  '��' => '圻',
  '��' => '壯',
  '��' => '夾',
  '��' => '妝',
  '��' => '妒',
  '��' => '妨',
  '��' => '妞',
  '��' => '妣',
  '��' => '妙',
  '��' => '妖',
  '��' => '妍',
  '��' => '妤',
  '��' => '妓',
  '��' => '妊',
  '��' => '妥',
  '��' => '孝',
  '��' => '孜',
  '��' => '孚',
  '��' => '孛',
  '��' => '完',
  '��' => '宋',
  '��' => '宏',
  '��' => '尬',
  '��' => '局',
  '��' => '屁',
  '��' => '尿',
  '��' => '尾',
  '��' => '岐',
  '��' => '岑',
  '��' => '岔',
  '��' => '岌',
  '��' => '巫',
  '��' => '希',
  '��' => '序',
  '��' => '庇',
  '��' => '床',
  '��' => '廷',
  '��' => '弄',
  '��' => '弟',
  '��' => '彤',
  '��' => '形',
  '��' => '彷',
  '��' => '役',
  '��' => '忘',
  '��' => '忌',
  '��' => '志',
  '��' => '忍',
  '��' => '忱',
  '��' => '快',
  '��' => '忸',
  '��' => '忪',
  '��' => '戒',
  '��' => '我',
  '��' => '抄',
  '��' => '抗',
  '��' => '抖',
  '��' => '技',
  '��' => '扶',
  '��' => '抉',
  '��' => '扭',
  '��' => '把',
  '��' => '扼',
  '��' => '找',
  '��' => '批',
  '��' => '扳',
  '��' => '抒',
  '��' => '扯',
  '��' => '折',
  '��' => '扮',
  '��' => '投',
  '��' => '抓',
  '��' => '抑',
  '��' => '抆',
  '��' => '改',
  '��' => '攻',
  '��' => '攸',
  '��' => '旱',
  '��' => '更',
  '��' => '束',
  '��' => '李',
  '��' => '杏',
  '��' => '材',
  '��' => '村',
  '��' => '杜',
  '��' => '杖',
  '��' => '杞',
  '��' => '杉',
  '��' => '杆',
  '��' => '杠',
  '�@' => '杓',
  '�A' => '杗',
  '�B' => '步',
  '�C' => '每',
  '�D' => '求',
  '�E' => '汞',
  '�F' => '沙',
  '�G' => '沁',
  '�H' => '沈',
  '�I' => '沉',
  '�J' => '沅',
  '�K' => '沛',
  '�L' => '汪',
  '�M' => '決',
  '�N' => '沐',
  '�O' => '汰',
  '�P' => '沌',
  '�Q' => '汨',
  '�R' => '沖',
  '�S' => '沒',
  '�T' => '汽',
  '�U' => '沃',
  '�V' => '汲',
  '�W' => '汾',
  '�X' => '汴',
  '�Y' => '沆',
  '�Z' => '汶',
  '�[' => '沍',
  '�\\' => '沔',
  '�]' => '沘',
  '�^' => '沂',
  '�_' => '灶',
  '�`' => '灼',
  '�a' => '災',
  '�b' => '灸',
  '�c' => '牢',
  '�d' => '牡',
  '�e' => '牠',
  '�f' => '狄',
  '�g' => '狂',
  '�h' => '玖',
  '�i' => '甬',
  '�j' => '甫',
  '�k' => '男',
  '�l' => '甸',
  '�m' => '皂',
  '�n' => '盯',
  '�o' => '矣',
  '�p' => '私',
  '�q' => '秀',
  '�r' => '禿',
  '�s' => '究',
  '�t' => '系',
  '�u' => '罕',
  '�v' => '肖',
  '�w' => '肓',
  '�x' => '肝',
  '�y' => '肘',
  '�z' => '肛',
  '�{' => '肚',
  '�|' => '育',
  '�}' => '良',
  '�~' => '芒',
  '��' => '芋',
  '��' => '芍',
  '��' => '見',
  '��' => '角',
  '��' => '言',
  '��' => '谷',
  '��' => '豆',
  '��' => '豕',
  '��' => '貝',
  '��' => '赤',
  '��' => '走',
  '��' => '足',
  '��' => '身',
  '��' => '車',
  '��' => '辛',
  '��' => '辰',
  '��' => '迂',
  '��' => '迆',
  '��' => '迅',
  '��' => '迄',
  '��' => '巡',
  '��' => '邑',
  '��' => '邢',
  '��' => '邪',
  '��' => '邦',
  '��' => '那',
  '��' => '酉',
  '��' => '釆',
  '��' => '里',
  '��' => '防',
  '��' => '阮',
  '��' => '阱',
  '��' => '阪',
  '��' => '阬',
  '��' => '並',
  '��' => '乖',
  '��' => '乳',
  '��' => '事',
  '��' => '些',
  '��' => '亞',
  '��' => '享',
  '��' => '京',
  '��' => '佯',
  '��' => '依',
  '��' => '侍',
  '��' => '佳',
  '��' => '使',
  '��' => '佬',
  '��' => '供',
  '��' => '例',
  '��' => '來',
  '��' => '侃',
  '��' => '佰',
  '��' => '併',
  '��' => '侈',
  '��' => '佩',
  '��' => '佻',
  '��' => '侖',
  '��' => '佾',
  '��' => '侏',
  '��' => '侑',
  '��' => '佺',
  '��' => '兔',
  '��' => '兒',
  '��' => '兕',
  '��' => '兩',
  '��' => '具',
  '��' => '其',
  '��' => '典',
  '��' => '冽',
  '��' => '函',
  '��' => '刻',
  '��' => '券',
  '��' => '刷',
  '��' => '刺',
  '��' => '到',
  '��' => '刮',
  '��' => '制',
  '��' => '剁',
  '��' => '劾',
  '��' => '劻',
  '��' => '卒',
  '��' => '協',
  '��' => '卓',
  '��' => '卑',
  '��' => '卦',
  '��' => '卷',
  '��' => '卸',
  '��' => '卹',
  '��' => '取',
  '��' => '叔',
  '��' => '受',
  '��' => '味',
  '��' => '呵',
  '�@' => '咖',
  '�A' => '呸',
  '�B' => '咕',
  '�C' => '咀',
  '�D' => '呻',
  '�E' => '呷',
  '�F' => '咄',
  '�G' => '咒',
  '�H' => '咆',
  '�I' => '呼',
  '�J' => '咐',
  '�K' => '呱',
  '�L' => '呶',
  '�M' => '和',
  '�N' => '咚',
  '�O' => '呢',
  '�P' => '周',
  '�Q' => '咋',
  '�R' => '命',
  '�S' => '咎',
  '�T' => '固',
  '�U' => '垃',
  '�V' => '坷',
  '�W' => '坪',
  '�X' => '坩',
  '�Y' => '坡',
  '�Z' => '坦',
  '�[' => '坤',
  '�\\' => '坼',
  '�]' => '夜',
  '�^' => '奉',
  '�_' => '奇',
  '�`' => '奈',
  '�a' => '奄',
  '�b' => '奔',
  '�c' => '妾',
  '�d' => '妻',
  '�e' => '委',
  '�f' => '妹',
  '�g' => '妮',
  '�h' => '姑',
  '�i' => '姆',
  '�j' => '姐',
  '�k' => '姍',
  '�l' => '始',
  '�m' => '姓',
  '�n' => '姊',
  '�o' => '妯',
  '�p' => '妳',
  '�q' => '姒',
  '�r' => '姅',
  '�s' => '孟',
  '�t' => '孤',
  '�u' => '季',
  '�v' => '宗',
  '�w' => '定',
  '�x' => '官',
  '�y' => '宜',
  '�z' => '宙',
  '�{' => '宛',
  '�|' => '尚',
  '�}' => '屈',
  '�~' => '居',
  '��' => '屆',
  '��' => '岷',
  '��' => '岡',
  '��' => '岸',
  '��' => '岩',
  '��' => '岫',
  '��' => '岱',
  '��' => '岳',
  '��' => '帘',
  '��' => '帚',
  '��' => '帖',
  '��' => '帕',
  '��' => '帛',
  '��' => '帑',
  '��' => '幸',
  '��' => '庚',
  '��' => '店',
  '��' => '府',
  '��' => '底',
  '��' => '庖',
  '��' => '延',
  '��' => '弦',
  '��' => '弧',
  '��' => '弩',
  '��' => '往',
  '��' => '征',
  '��' => '彿',
  '��' => '彼',
  '��' => '忝',
  '��' => '忠',
  '��' => '忽',
  '��' => '念',
  '��' => '忿',
  '��' => '怏',
  '��' => '怔',
  '��' => '怯',
  '��' => '怵',
  '��' => '怖',
  '��' => '怪',
  '��' => '怕',
  '��' => '怡',
  '��' => '性',
  '��' => '怩',
  '��' => '怫',
  '��' => '怛',
  '��' => '或',
  '��' => '戕',
  '��' => '房',
  '��' => '戾',
  '��' => '所',
  '��' => '承',
  '��' => '拉',
  '��' => '拌',
  '��' => '拄',
  '��' => '抿',
  '��' => '拂',
  '��' => '抹',
  '��' => '拒',
  '��' => '招',
  '��' => '披',
  '��' => '拓',
  '��' => '拔',
  '��' => '拋',
  '��' => '拈',
  '��' => '抨',
  '��' => '抽',
  '��' => '押',
  '��' => '拐',
  '��' => '拙',
  '��' => '拇',
  '��' => '拍',
  '��' => '抵',
  '��' => '拚',
  '��' => '抱',
  '��' => '拘',
  '��' => '拖',
  '��' => '拗',
  '��' => '拆',
  '��' => '抬',
  '��' => '拎',
  '��' => '放',
  '��' => '斧',
  '��' => '於',
  '��' => '旺',
  '��' => '昔',
  '��' => '易',
  '��' => '昌',
  '��' => '昆',
  '��' => '昂',
  '��' => '明',
  '��' => '昀',
  '��' => '昏',
  '��' => '昕',
  '��' => '昊',
  '�@' => '昇',
  '�A' => '服',
  '�B' => '朋',
  '�C' => '杭',
  '�D' => '枋',
  '�E' => '枕',
  '�F' => '東',
  '�G' => '果',
  '�H' => '杳',
  '�I' => '杷',
  '�J' => '枇',
  '�K' => '枝',
  '�L' => '林',
  '�M' => '杯',
  '�N' => '杰',
  '�O' => '板',
  '�P' => '枉',
  '�Q' => '松',
  '�R' => '析',
  '�S' => '杵',
  '�T' => '枚',
  '�U' => '枓',
  '�V' => '杼',
  '�W' => '杪',
  '�X' => '杲',
  '�Y' => '欣',
  '�Z' => '武',
  '�[' => '歧',
  '�\\' => '歿',
  '�]' => '氓',
  '�^' => '氛',
  '�_' => '泣',
  '�`' => '注',
  '�a' => '泳',
  '�b' => '沱',
  '�c' => '泌',
  '�d' => '泥',
  '�e' => '河',
  '�f' => '沽',
  '�g' => '沾',
  '�h' => '沼',
  '�i' => '波',
  '�j' => '沫',
  '�k' => '法',
  '�l' => '泓',
  '�m' => '沸',
  '�n' => '泄',
  '�o' => '油',
  '�p' => '況',
  '�q' => '沮',
  '�r' => '泗',
  '�s' => '泅',
  '�t' => '泱',
  '�u' => '沿',
  '�v' => '治',
  '�w' => '泡',
  '�x' => '泛',
  '�y' => '泊',
  '�z' => '沬',
  '�{' => '泯',
  '�|' => '泜',
  '�}' => '泖',
  '�~' => '泠',
  '��' => '炕',
  '��' => '炎',
  '��' => '炒',
  '��' => '炊',
  '��' => '炙',
  '��' => '爬',
  '��' => '爭',
  '��' => '爸',
  '��' => '版',
  '��' => '牧',
  '��' => '物',
  '��' => '狀',
  '��' => '狎',
  '��' => '狙',
  '��' => '狗',
  '��' => '狐',
  '��' => '玩',
  '��' => '玨',
  '��' => '玟',
  '��' => '玫',
  '��' => '玥',
  '��' => '甽',
  '��' => '疝',
  '��' => '疙',
  '��' => '疚',
  '��' => '的',
  '��' => '盂',
  '��' => '盲',
  '��' => '直',
  '��' => '知',
  '��' => '矽',
  '��' => '社',
  '��' => '祀',
  '��' => '祁',
  '��' => '秉',
  '��' => '秈',
  '��' => '空',
  '��' => '穹',
  '��' => '竺',
  '��' => '糾',
  '��' => '罔',
  '��' => '羌',
  '��' => '羋',
  '��' => '者',
  '��' => '肺',
  '��' => '肥',
  '��' => '肢',
  '��' => '肱',
  '��' => '股',
  '��' => '肫',
  '��' => '肩',
  '��' => '肴',
  '��' => '肪',
  '��' => '肯',
  '��' => '臥',
  '��' => '臾',
  '��' => '舍',
  '��' => '芳',
  '��' => '芝',
  '��' => '芙',
  '��' => '芭',
  '��' => '芽',
  '��' => '芟',
  '��' => '芹',
  '��' => '花',
  '��' => '芬',
  '��' => '芥',
  '��' => '芯',
  '��' => '芸',
  '��' => '芣',
  '��' => '芰',
  '��' => '芾',
  '��' => '芷',
  '��' => '虎',
  '��' => '虱',
  '��' => '初',
  '��' => '表',
  '��' => '軋',
  '��' => '迎',
  '��' => '返',
  '��' => '近',
  '��' => '邵',
  '��' => '邸',
  '��' => '邱',
  '��' => '邶',
  '��' => '采',
  '��' => '金',
  '��' => '長',
  '��' => '門',
  '��' => '阜',
  '��' => '陀',
  '��' => '阿',
  '��' => '阻',
  '��' => '附',
  '�@' => '陂',
  '�A' => '隹',
  '�B' => '雨',
  '�C' => '青',
  '�D' => '非',
  '�E' => '亟',
  '�F' => '亭',
  '�G' => '亮',
  '�H' => '信',
  '�I' => '侵',
  '�J' => '侯',
  '�K' => '便',
  '�L' => '俠',
  '�M' => '俑',
  '�N' => '俏',
  '�O' => '保',
  '�P' => '促',
  '�Q' => '侶',
  '�R' => '俘',
  '�S' => '俟',
  '�T' => '俊',
  '�U' => '俗',
  '�V' => '侮',
  '�W' => '俐',
  '�X' => '俄',
  '�Y' => '係',
  '�Z' => '俚',
  '�[' => '俎',
  '�\\' => '俞',
  '�]' => '侷',
  '�^' => '兗',
  '�_' => '冒',
  '�`' => '冑',
  '�a' => '冠',
  '�b' => '剎',
  '�c' => '剃',
  '�d' => '削',
  '�e' => '前',
  '�f' => '剌',
  '�g' => '剋',
  '�h' => '則',
  '�i' => '勇',
  '�j' => '勉',
  '�k' => '勃',
  '�l' => '勁',
  '�m' => '匍',
  '�n' => '南',
  '�o' => '卻',
  '�p' => '厚',
  '�q' => '叛',
  '�r' => '咬',
  '�s' => '哀',
  '�t' => '咨',
  '�u' => '哎',
  '�v' => '哉',
  '�w' => '咸',
  '�x' => '咦',
  '�y' => '咳',
  '�z' => '哇',
  '�{' => '哂',
  '�|' => '咽',
  '�}' => '咪',
  '�~' => '品',
  '��' => '哄',
  '��' => '哈',
  '��' => '咯',
  '��' => '咫',
  '��' => '咱',
  '��' => '咻',
  '��' => '咩',
  '��' => '咧',
  '��' => '咿',
  '��' => '囿',
  '��' => '垂',
  '��' => '型',
  '��' => '垠',
  '��' => '垣',
  '��' => '垢',
  '��' => '城',
  '��' => '垮',
  '��' => '垓',
  '��' => '奕',
  '��' => '契',
  '��' => '奏',
  '��' => '奎',
  '��' => '奐',
  '��' => '姜',
  '��' => '姘',
  '��' => '姿',
  '��' => '姣',
  '��' => '姨',
  '��' => '娃',
  '��' => '姥',
  '��' => '姪',
  '��' => '姚',
  '��' => '姦',
  '��' => '威',
  '��' => '姻',
  '��' => '孩',
  '��' => '宣',
  '��' => '宦',
  '��' => '室',
  '��' => '客',
  '��' => '宥',
  '��' => '封',
  '��' => '屎',
  '��' => '屏',
  '��' => '屍',
  '��' => '屋',
  '��' => '峙',
  '��' => '峒',
  '��' => '巷',
  '��' => '帝',
  '��' => '帥',
  '��' => '帟',
  '��' => '幽',
  '��' => '庠',
  '��' => '度',
  '��' => '建',
  '��' => '弈',
  '��' => '弭',
  '��' => '彥',
  '��' => '很',
  '��' => '待',
  '��' => '徊',
  '��' => '律',
  '��' => '徇',
  '��' => '後',
  '��' => '徉',
  '��' => '怒',
  '��' => '思',
  '��' => '怠',
  '��' => '急',
  '��' => '怎',
  '��' => '怨',
  '��' => '恍',
  '��' => '恰',
  '��' => '恨',
  '��' => '恢',
  '��' => '恆',
  '��' => '恃',
  '��' => '恬',
  '��' => '恫',
  '��' => '恪',
  '��' => '恤',
  '��' => '扁',
  '��' => '拜',
  '��' => '挖',
  '��' => '按',
  '��' => '拼',
  '��' => '拭',
  '��' => '持',
  '��' => '拮',
  '��' => '拽',
  '��' => '指',
  '��' => '拱',
  '��' => '拷',
  '�@' => '拯',
  '�A' => '括',
  '�B' => '拾',
  '�C' => '拴',
  '�D' => '挑',
  '�E' => '挂',
  '�F' => '政',
  '�G' => '故',
  '�H' => '斫',
  '�I' => '施',
  '�J' => '既',
  '�K' => '春',
  '�L' => '昭',
  '�M' => '映',
  '�N' => '昧',
  '�O' => '是',
  '�P' => '星',
  '�Q' => '昨',
  '�R' => '昱',
  '�S' => '昤',
  '�T' => '曷',
  '�U' => '柿',
  '�V' => '染',
  '�W' => '柱',
  '�X' => '柔',
  '�Y' => '某',
  '�Z' => '柬',
  '�[' => '架',
  '�\\' => '枯',
  '�]' => '柵',
  '�^' => '柩',
  '�_' => '柯',
  '�`' => '柄',
  '�a' => '柑',
  '�b' => '枴',
  '�c' => '柚',
  '�d' => '查',
  '�e' => '枸',
  '�f' => '柏',
  '�g' => '柞',
  '�h' => '柳',
  '�i' => '枰',
  '�j' => '柙',
  '�k' => '柢',
  '�l' => '柝',
  '�m' => '柒',
  '�n' => '歪',
  '�o' => '殃',
  '�p' => '殆',
  '�q' => '段',
  '�r' => '毒',
  '�s' => '毗',
  '�t' => '氟',
  '�u' => '泉',
  '�v' => '洋',
  '�w' => '洲',
  '�x' => '洪',
  '�y' => '流',
  '�z' => '津',
  '�{' => '洌',
  '�|' => '洱',
  '�}' => '洞',
  '�~' => '洗',
  '��' => '活',
  '��' => '洽',
  '��' => '派',
  '��' => '洶',
  '��' => '洛',
  '��' => '泵',
  '��' => '洹',
  '��' => '洧',
  '��' => '洸',
  '��' => '洩',
  '��' => '洮',
  '��' => '洵',
  '��' => '洎',
  '��' => '洫',
  '��' => '炫',
  '��' => '為',
  '��' => '炳',
  '��' => '炬',
  '��' => '炯',
  '��' => '炭',
  '��' => '炸',
  '��' => '炮',
  '��' => '炤',
  '��' => '爰',
  '��' => '牲',
  '��' => '牯',
  '��' => '牴',
  '��' => '狩',
  '��' => '狠',
  '��' => '狡',
  '��' => '玷',
  '��' => '珊',
  '��' => '玻',
  '��' => '玲',
  '��' => '珍',
  '��' => '珀',
  '��' => '玳',
  '��' => '甚',
  '��' => '甭',
  '��' => '畏',
  '��' => '界',
  '��' => '畎',
  '��' => '畋',
  '��' => '疫',
  '��' => '疤',
  '��' => '疥',
  '��' => '疢',
  '��' => '疣',
  '��' => '癸',
  '��' => '皆',
  '��' => '皇',
  '��' => '皈',
  '��' => '盈',
  '��' => '盆',
  '��' => '盃',
  '��' => '盅',
  '��' => '省',
  '��' => '盹',
  '��' => '相',
  '��' => '眉',
  '��' => '看',
  '��' => '盾',
  '��' => '盼',
  '��' => '眇',
  '��' => '矜',
  '��' => '砂',
  '��' => '研',
  '��' => '砌',
  '��' => '砍',
  '��' => '祆',
  '��' => '祉',
  '��' => '祈',
  '��' => '祇',
  '��' => '禹',
  '��' => '禺',
  '��' => '科',
  '��' => '秒',
  '��' => '秋',
  '��' => '穿',
  '��' => '突',
  '��' => '竿',
  '��' => '竽',
  '��' => '籽',
  '��' => '紂',
  '��' => '紅',
  '��' => '紀',
  '��' => '紉',
  '��' => '紇',
  '��' => '約',
  '��' => '紆',
  '��' => '缸',
  '��' => '美',
  '��' => '羿',
  '��' => '耄',
  '�@' => '耐',
  '�A' => '耍',
  '�B' => '耑',
  '�C' => '耶',
  '�D' => '胖',
  '�E' => '胥',
  '�F' => '胚',
  '�G' => '胃',
  '�H' => '胄',
  '�I' => '背',
  '�J' => '胡',
  '�K' => '胛',
  '�L' => '胎',
  '�M' => '胞',
  '�N' => '胤',
  '�O' => '胝',
  '�P' => '致',
  '�Q' => '舢',
  '�R' => '苧',
  '�S' => '范',
  '�T' => '茅',
  '�U' => '苣',
  '�V' => '苛',
  '�W' => '苦',
  '�X' => '茄',
  '�Y' => '若',
  '�Z' => '茂',
  '�[' => '茉',
  '�\\' => '苒',
  '�]' => '苗',
  '�^' => '英',
  '�_' => '茁',
  '�`' => '苜',
  '�a' => '苔',
  '�b' => '苑',
  '�c' => '苞',
  '�d' => '苓',
  '�e' => '苟',
  '�f' => '苯',
  '�g' => '茆',
  '�h' => '虐',
  '�i' => '虹',
  '�j' => '虻',
  '�k' => '虺',
  '�l' => '衍',
  '�m' => '衫',
  '�n' => '要',
  '�o' => '觔',
  '�p' => '計',
  '�q' => '訂',
  '�r' => '訃',
  '�s' => '貞',
  '�t' => '負',
  '�u' => '赴',
  '�v' => '赳',
  '�w' => '趴',
  '�x' => '軍',
  '�y' => '軌',
  '�z' => '述',
  '�{' => '迦',
  '�|' => '迢',
  '�}' => '迪',
  '�~' => '迥',
  '��' => '迭',
  '��' => '迫',
  '��' => '迤',
  '��' => '迨',
  '��' => '郊',
  '��' => '郎',
  '��' => '郁',
  '��' => '郃',
  '��' => '酋',
  '��' => '酊',
  '��' => '重',
  '��' => '閂',
  '��' => '限',
  '��' => '陋',
  '��' => '陌',
  '��' => '降',
  '��' => '面',
  '��' => '革',
  '��' => '韋',
  '��' => '韭',
  '��' => '音',
  '��' => '頁',
  '��' => '風',
  '��' => '飛',
  '��' => '食',
  '��' => '首',
  '��' => '香',
  '��' => '乘',
  '��' => '亳',
  '��' => '倌',
  '��' => '倍',
  '��' => '倣',
  '��' => '俯',
  '��' => '倦',
  '��' => '倥',
  '��' => '俸',
  '��' => '倩',
  '��' => '倖',
  '��' => '倆',
  '��' => '值',
  '��' => '借',
  '��' => '倚',
  '��' => '倒',
  '��' => '們',
  '��' => '俺',
  '��' => '倀',
  '��' => '倔',
  '��' => '倨',
  '��' => '俱',
  '��' => '倡',
  '��' => '個',
  '��' => '候',
  '��' => '倘',
  '��' => '俳',
  '��' => '修',
  '��' => '倭',
  '��' => '倪',
  '��' => '俾',
  '��' => '倫',
  '��' => '倉',
  '��' => '兼',
  '��' => '冤',
  '��' => '冥',
  '��' => '冢',
  '��' => '凍',
  '��' => '凌',
  '��' => '准',
  '��' => '凋',
  '��' => '剖',
  '��' => '剜',
  '��' => '剔',
  '��' => '剛',
  '��' => '剝',
  '��' => '匪',
  '��' => '卿',
  '��' => '原',
  '��' => '厝',
  '��' => '叟',
  '��' => '哨',
  '��' => '唐',
  '��' => '唁',
  '��' => '唷',
  '��' => '哼',
  '��' => '哥',
  '��' => '哲',
  '��' => '唆',
  '��' => '哺',
  '��' => '唔',
  '��' => '哩',
  '��' => '哭',
  '��' => '員',
  '��' => '唉',
  '��' => '哮',
  '��' => '哪',
  '�@' => '哦',
  '�A' => '唧',
  '�B' => '唇',
  '�C' => '哽',
  '�D' => '唏',
  '�E' => '圃',
  '�F' => '圄',
  '�G' => '埂',
  '�H' => '埔',
  '�I' => '埋',
  '�J' => '埃',
  '�K' => '堉',
  '�L' => '夏',
  '�M' => '套',
  '�N' => '奘',
  '�O' => '奚',
  '�P' => '娑',
  '�Q' => '娘',
  '�R' => '娜',
  '�S' => '娟',
  '�T' => '娛',
  '�U' => '娓',
  '�V' => '姬',
  '�W' => '娠',
  '�X' => '娣',
  '�Y' => '娩',
  '�Z' => '娥',
  '�[' => '娌',
  '�\\' => '娉',
  '�]' => '孫',
  '�^' => '屘',
  '�_' => '宰',
  '�`' => '害',
  '�a' => '家',
  '�b' => '宴',
  '�c' => '宮',
  '�d' => '宵',
  '�e' => '容',
  '�f' => '宸',
  '�g' => '射',
  '�h' => '屑',
  '�i' => '展',
  '�j' => '屐',
  '�k' => '峭',
  '�l' => '峽',
  '�m' => '峻',
  '�n' => '峪',
  '�o' => '峨',
  '�p' => '峰',
  '�q' => '島',
  '�r' => '崁',
  '�s' => '峴',
  '�t' => '差',
  '�u' => '席',
  '�v' => '師',
  '�w' => '庫',
  '�x' => '庭',
  '�y' => '座',
  '�z' => '弱',
  '�{' => '徒',
  '�|' => '徑',
  '�}' => '徐',
  '�~' => '恙',
  '��' => '恣',
  '��' => '恥',
  '��' => '恐',
  '��' => '恕',
  '��' => '恭',
  '��' => '恩',
  '��' => '息',
  '��' => '悄',
  '��' => '悟',
  '��' => '悚',
  '��' => '悍',
  '��' => '悔',
  '��' => '悌',
  '��' => '悅',
  '��' => '悖',
  '��' => '扇',
  '��' => '拳',
  '��' => '挈',
  '��' => '拿',
  '��' => '捎',
  '��' => '挾',
  '��' => '振',
  '��' => '捕',
  '��' => '捂',
  '��' => '捆',
  '��' => '捏',
  '��' => '捉',
  '��' => '挺',
  '��' => '捐',
  '��' => '挽',
  '��' => '挪',
  '��' => '挫',
  '��' => '挨',
  '��' => '捍',
  '��' => '捌',
  '��' => '效',
  '��' => '敉',
  '��' => '料',
  '��' => '旁',
  '��' => '旅',
  '��' => '時',
  '��' => '晉',
  '��' => '晏',
  '��' => '晃',
  '��' => '晒',
  '��' => '晌',
  '��' => '晅',
  '��' => '晁',
  '��' => '書',
  '��' => '朔',
  '��' => '朕',
  '��' => '朗',
  '��' => '校',
  '��' => '核',
  '��' => '案',
  '��' => '框',
  '��' => '桓',
  '��' => '根',
  '��' => '桂',
  '��' => '桔',
  '��' => '栩',
  '��' => '梳',
  '��' => '栗',
  '��' => '桌',
  '��' => '桑',
  '��' => '栽',
  '��' => '柴',
  '��' => '桐',
  '��' => '桀',
  '��' => '格',
  '��' => '桃',
  '��' => '株',
  '��' => '桅',
  '��' => '栓',
  '��' => '栘',
  '��' => '桁',
  '��' => '殊',
  '��' => '殉',
  '��' => '殷',
  '��' => '氣',
  '��' => '氧',
  '��' => '氨',
  '��' => '氦',
  '��' => '氤',
  '��' => '泰',
  '��' => '浪',
  '��' => '涕',
  '��' => '消',
  '��' => '涇',
  '��' => '浦',
  '��' => '浸',
  '��' => '海',
  '��' => '浙',
  '��' => '涓',
  '�@' => '浬',
  '�A' => '涉',
  '�B' => '浮',
  '�C' => '浚',
  '�D' => '浴',
  '�E' => '浩',
  '�F' => '涌',
  '�G' => '涊',
  '�H' => '浹',
  '�I' => '涅',
  '�J' => '浥',
  '�K' => '涔',
  '�L' => '烊',
  '�M' => '烘',
  '�N' => '烤',
  '�O' => '烙',
  '�P' => '烈',
  '�Q' => '烏',
  '�R' => '爹',
  '�S' => '特',
  '�T' => '狼',
  '�U' => '狹',
  '�V' => '狽',
  '�W' => '狸',
  '�X' => '狷',
  '�Y' => '玆',
  '�Z' => '班',
  '�[' => '琉',
  '�\\' => '珮',
  '�]' => '珠',
  '�^' => '珪',
  '�_' => '珞',
  '�`' => '畔',
  '�a' => '畝',
  '�b' => '畜',
  '�c' => '畚',
  '�d' => '留',
  '�e' => '疾',
  '�f' => '病',
  '�g' => '症',
  '�h' => '疲',
  '�i' => '疳',
  '�j' => '疽',
  '�k' => '疼',
  '�l' => '疹',
  '�m' => '痂',
  '�n' => '疸',
  '�o' => '皋',
  '�p' => '皰',
  '�q' => '益',
  '�r' => '盍',
  '�s' => '盎',
  '�t' => '眩',
  '�u' => '真',
  '�v' => '眠',
  '�w' => '眨',
  '�x' => '矩',
  '�y' => '砰',
  '�z' => '砧',
  '�{' => '砸',
  '�|' => '砝',
  '�}' => '破',
  '�~' => '砷',
  '��' => '砥',
  '��' => '砭',
  '��' => '砠',
  '��' => '砟',
  '��' => '砲',
  '��' => '祕',
  '��' => '祐',
  '��' => '祠',
  '��' => '祟',
  '��' => '祖',
  '��' => '神',
  '��' => '祝',
  '��' => '祗',
  '��' => '祚',
  '��' => '秤',
  '��' => '秣',
  '��' => '秧',
  '��' => '租',
  '��' => '秦',
  '��' => '秩',
  '��' => '秘',
  '��' => '窄',
  '��' => '窈',
  '��' => '站',
  '��' => '笆',
  '��' => '笑',
  '��' => '粉',
  '��' => '紡',
  '��' => '紗',
  '��' => '紋',
  '��' => '紊',
  '��' => '素',
  '��' => '索',
  '��' => '純',
  '��' => '紐',
  '��' => '紕',
  '��' => '級',
  '��' => '紜',
  '��' => '納',
  '��' => '紙',
  '��' => '紛',
  '��' => '缺',
  '��' => '罟',
  '��' => '羔',
  '��' => '翅',
  '��' => '翁',
  '��' => '耆',
  '��' => '耘',
  '��' => '耕',
  '��' => '耙',
  '��' => '耗',
  '��' => '耽',
  '��' => '耿',
  '��' => '胱',
  '��' => '脂',
  '��' => '胰',
  '��' => '脅',
  '��' => '胭',
  '��' => '胴',
  '��' => '脆',
  '��' => '胸',
  '��' => '胳',
  '��' => '脈',
  '��' => '能',
  '��' => '脊',
  '��' => '胼',
  '��' => '胯',
  '��' => '臭',
  '��' => '臬',
  '��' => '舀',
  '��' => '舐',
  '��' => '航',
  '��' => '舫',
  '��' => '舨',
  '��' => '般',
  '��' => '芻',
  '��' => '茫',
  '��' => '荒',
  '��' => '荔',
  '��' => '荊',
  '��' => '茸',
  '��' => '荐',
  '��' => '草',
  '��' => '茵',
  '��' => '茴',
  '��' => '荏',
  '��' => '茲',
  '��' => '茹',
  '��' => '茶',
  '��' => '茗',
  '��' => '荀',
  '��' => '茱',
  '��' => '茨',
  '��' => '荃',
  '�@' => '虔',
  '�A' => '蚊',
  '�B' => '蚪',
  '�C' => '蚓',
  '�D' => '蚤',
  '�E' => '蚩',
  '�F' => '蚌',
  '�G' => '蚣',
  '�H' => '蚜',
  '�I' => '衰',
  '�J' => '衷',
  '�K' => '袁',
  '�L' => '袂',
  '�M' => '衽',
  '�N' => '衹',
  '�O' => '記',
  '�P' => '訐',
  '�Q' => '討',
  '�R' => '訌',
  '�S' => '訕',
  '�T' => '訊',
  '�U' => '託',
  '�V' => '訓',
  '�W' => '訖',
  '�X' => '訏',
  '�Y' => '訑',
  '�Z' => '豈',
  '�[' => '豺',
  '�\\' => '豹',
  '�]' => '財',
  '�^' => '貢',
  '�_' => '起',
  '�`' => '躬',
  '�a' => '軒',
  '�b' => '軔',
  '�c' => '軏',
  '�d' => '辱',
  '�e' => '送',
  '�f' => '逆',
  '�g' => '迷',
  '�h' => '退',
  '�i' => '迺',
  '�j' => '迴',
  '�k' => '逃',
  '�l' => '追',
  '�m' => '逅',
  '�n' => '迸',
  '�o' => '邕',
  '�p' => '郡',
  '�q' => '郝',
  '�r' => '郢',
  '�s' => '酒',
  '�t' => '配',
  '�u' => '酌',
  '�v' => '釘',
  '�w' => '針',
  '�x' => '釗',
  '�y' => '釜',
  '�z' => '釙',
  '�{' => '閃',
  '�|' => '院',
  '�}' => '陣',
  '�~' => '陡',
  '��' => '陛',
  '��' => '陝',
  '��' => '除',
  '��' => '陘',
  '��' => '陞',
  '��' => '隻',
  '��' => '飢',
  '��' => '馬',
  '��' => '骨',
  '��' => '高',
  '��' => '鬥',
  '��' => '鬲',
  '��' => '鬼',
  '��' => '乾',
  '��' => '偺',
  '��' => '偽',
  '��' => '停',
  '��' => '假',
  '��' => '偃',
  '��' => '偌',
  '��' => '做',
  '��' => '偉',
  '��' => '健',
  '��' => '偶',
  '��' => '偎',
  '��' => '偕',
  '��' => '偵',
  '��' => '側',
  '��' => '偷',
  '��' => '偏',
  '��' => '倏',
  '��' => '偯',
  '��' => '偭',
  '��' => '兜',
  '��' => '冕',
  '��' => '凰',
  '��' => '剪',
  '��' => '副',
  '��' => '勒',
  '��' => '務',
  '��' => '勘',
  '��' => '動',
  '��' => '匐',
  '��' => '匏',
  '��' => '匙',
  '��' => '匿',
  '��' => '區',
  '��' => '匾',
  '��' => '參',
  '��' => '曼',
  '��' => '商',
  '��' => '啪',
  '��' => '啦',
  '��' => '啄',
  '��' => '啞',
  '��' => '啡',
  '��' => '啃',
  '��' => '啊',
  '��' => '唱',
  '��' => '啖',
  '��' => '問',
  '��' => '啕',
  '��' => '唯',
  '��' => '啤',
  '��' => '唸',
  '��' => '售',
  '��' => '啜',
  '��' => '唬',
  '��' => '啣',
  '��' => '唳',
  '��' => '啁',
  '��' => '啗',
  '��' => '圈',
  '��' => '國',
  '��' => '圉',
  '��' => '域',
  '��' => '堅',
  '��' => '堊',
  '��' => '堆',
  '��' => '埠',
  '��' => '埤',
  '��' => '基',
  '��' => '堂',
  '��' => '堵',
  '��' => '執',
  '��' => '培',
  '��' => '夠',
  '��' => '奢',
  '��' => '娶',
  '��' => '婁',
  '��' => '婉',
  '��' => '婦',
  '��' => '婪',
  '��' => '婀',
  '�@' => '娼',
  '�A' => '婢',
  '�B' => '婚',
  '�C' => '婆',
  '�D' => '婊',
  '�E' => '孰',
  '�F' => '寇',
  '�G' => '寅',
  '�H' => '寄',
  '�I' => '寂',
  '�J' => '宿',
  '�K' => '密',
  '�L' => '尉',
  '�M' => '專',
  '�N' => '將',
  '�O' => '屠',
  '�P' => '屜',
  '�Q' => '屝',
  '�R' => '崇',
  '�S' => '崆',
  '�T' => '崎',
  '�U' => '崛',
  '�V' => '崖',
  '�W' => '崢',
  '�X' => '崑',
  '�Y' => '崩',
  '�Z' => '崔',
  '�[' => '崙',
  '�\\' => '崤',
  '�]' => '崧',
  '�^' => '崗',
  '�_' => '巢',
  '�`' => '常',
  '�a' => '帶',
  '�b' => '帳',
  '�c' => '帷',
  '�d' => '康',
  '�e' => '庸',
  '�f' => '庶',
  '�g' => '庵',
  '�h' => '庾',
  '�i' => '張',
  '�j' => '強',
  '�k' => '彗',
  '�l' => '彬',
  '�m' => '彩',
  '�n' => '彫',
  '�o' => '得',
  '�p' => '徙',
  '�q' => '從',
  '�r' => '徘',
  '�s' => '御',
  '�t' => '徠',
  '�u' => '徜',
  '�v' => '恿',
  '�w' => '患',
  '�x' => '悉',
  '�y' => '悠',
  '�z' => '您',
  '�{' => '惋',
  '�|' => '悴',
  '�}' => '惦',
  '�~' => '悽',
  '��' => '情',
  '��' => '悻',
  '��' => '悵',
  '��' => '惜',
  '��' => '悼',
  '��' => '惘',
  '��' => '惕',
  '��' => '惆',
  '��' => '惟',
  '��' => '悸',
  '��' => '惚',
  '��' => '惇',
  '��' => '戚',
  '��' => '戛',
  '��' => '扈',
  '��' => '掠',
  '��' => '控',
  '��' => '捲',
  '��' => '掖',
  '��' => '探',
  '��' => '接',
  '��' => '捷',
  '��' => '捧',
  '��' => '掘',
  '��' => '措',
  '��' => '捱',
  '��' => '掩',
  '��' => '掉',
  '��' => '掃',
  '��' => '掛',
  '��' => '捫',
  '��' => '推',
  '��' => '掄',
  '��' => '授',
  '��' => '掙',
  '��' => '採',
  '��' => '掬',
  '��' => '排',
  '��' => '掏',
  '��' => '掀',
  '��' => '捻',
  '��' => '捩',
  '��' => '捨',
  '��' => '捺',
  '��' => '敝',
  '��' => '敖',
  '��' => '救',
  '��' => '教',
  '��' => '敗',
  '��' => '啟',
  '��' => '敏',
  '��' => '敘',
  '��' => '敕',
  '��' => '敔',
  '��' => '斜',
  '��' => '斛',
  '��' => '斬',
  '��' => '族',
  '��' => '旋',
  '��' => '旌',
  '��' => '旎',
  '��' => '晝',
  '��' => '晚',
  '��' => '晤',
  '��' => '晨',
  '��' => '晦',
  '��' => '晞',
  '��' => '曹',
  '��' => '勗',
  '��' => '望',
  '��' => '梁',
  '��' => '梯',
  '��' => '梢',
  '��' => '梓',
  '��' => '梵',
  '��' => '桿',
  '��' => '桶',
  '��' => '梱',
  '��' => '梧',
  '��' => '梗',
  '��' => '械',
  '��' => '梃',
  '��' => '棄',
  '��' => '梭',
  '��' => '梆',
  '��' => '梅',
  '��' => '梔',
  '��' => '條',
  '��' => '梨',
  '��' => '梟',
  '��' => '梡',
  '��' => '梂',
  '��' => '欲',
  '��' => '殺',
  '�@' => '毫',
  '�A' => '毬',
  '�B' => '氫',
  '�C' => '涎',
  '�D' => '涼',
  '�E' => '淳',
  '�F' => '淙',
  '�G' => '液',
  '�H' => '淡',
  '�I' => '淌',
  '�J' => '淤',
  '�K' => '添',
  '�L' => '淺',
  '�M' => '清',
  '�N' => '淇',
  '�O' => '淋',
  '�P' => '涯',
  '�Q' => '淑',
  '�R' => '涮',
  '�S' => '淞',
  '�T' => '淹',
  '�U' => '涸',
  '�V' => '混',
  '�W' => '淵',
  '�X' => '淅',
  '�Y' => '淒',
  '�Z' => '渚',
  '�[' => '涵',
  '�\\' => '淚',
  '�]' => '淫',
  '�^' => '淘',
  '�_' => '淪',
  '�`' => '深',
  '�a' => '淮',
  '�b' => '淨',
  '�c' => '淆',
  '�d' => '淄',
  '�e' => '涪',
  '�f' => '淬',
  '�g' => '涿',
  '�h' => '淦',
  '�i' => '烹',
  '�j' => '焉',
  '�k' => '焊',
  '�l' => '烽',
  '�m' => '烯',
  '�n' => '爽',
  '�o' => '牽',
  '�p' => '犁',
  '�q' => '猜',
  '�r' => '猛',
  '�s' => '猖',
  '�t' => '猓',
  '�u' => '猙',
  '�v' => '率',
  '�w' => '琅',
  '�x' => '琊',
  '�y' => '球',
  '�z' => '理',
  '�{' => '現',
  '�|' => '琍',
  '�}' => '瓠',
  '�~' => '瓶',
  '��' => '瓷',
  '��' => '甜',
  '��' => '產',
  '��' => '略',
  '��' => '畦',
  '��' => '畢',
  '��' => '異',
  '��' => '疏',
  '��' => '痔',
  '��' => '痕',
  '��' => '疵',
  '��' => '痊',
  '��' => '痍',
  '��' => '皎',
  '��' => '盔',
  '��' => '盒',
  '��' => '盛',
  '��' => '眷',
  '��' => '眾',
  '��' => '眼',
  '��' => '眶',
  '��' => '眸',
  '��' => '眺',
  '��' => '硫',
  '��' => '硃',
  '��' => '硎',
  '��' => '祥',
  '��' => '票',
  '��' => '祭',
  '��' => '移',
  '��' => '窒',
  '��' => '窕',
  '��' => '笠',
  '��' => '笨',
  '��' => '笛',
  '��' => '第',
  '��' => '符',
  '��' => '笙',
  '��' => '笞',
  '��' => '笮',
  '��' => '粒',
  '��' => '粗',
  '��' => '粕',
  '��' => '絆',
  '��' => '絃',
  '��' => '統',
  '��' => '紮',
  '��' => '紹',
  '��' => '紼',
  '��' => '絀',
  '��' => '細',
  '��' => '紳',
  '��' => '組',
  '��' => '累',
  '��' => '終',
  '��' => '紲',
  '��' => '紱',
  '��' => '缽',
  '��' => '羞',
  '��' => '羚',
  '��' => '翌',
  '��' => '翎',
  '��' => '習',
  '��' => '耜',
  '��' => '聊',
  '��' => '聆',
  '��' => '脯',
  '��' => '脖',
  '��' => '脣',
  '��' => '脫',
  '��' => '脩',
  '��' => '脰',
  '��' => '脤',
  '��' => '舂',
  '��' => '舵',
  '��' => '舷',
  '��' => '舶',
  '��' => '船',
  '��' => '莎',
  '��' => '莞',
  '��' => '莘',
  '��' => '荸',
  '��' => '莢',
  '��' => '莖',
  '��' => '莽',
  '��' => '莫',
  '��' => '莒',
  '��' => '莊',
  '��' => '莓',
  '��' => '莉',
  '��' => '莠',
  '��' => '荷',
  '��' => '荻',
  '��' => '荼',
  '�@' => '莆',
  '�A' => '莧',
  '�B' => '處',
  '�C' => '彪',
  '�D' => '蛇',
  '�E' => '蛀',
  '�F' => '蚶',
  '�G' => '蛄',
  '�H' => '蚵',
  '�I' => '蛆',
  '�J' => '蛋',
  '�K' => '蚱',
  '�L' => '蚯',
  '�M' => '蛉',
  '�N' => '術',
  '�O' => '袞',
  '�P' => '袈',
  '�Q' => '被',
  '�R' => '袒',
  '�S' => '袖',
  '�T' => '袍',
  '�U' => '袋',
  '�V' => '覓',
  '�W' => '規',
  '�X' => '訪',
  '�Y' => '訝',
  '�Z' => '訣',
  '�[' => '訥',
  '�\\' => '許',
  '�]' => '設',
  '�^' => '訟',
  '�_' => '訛',
  '�`' => '訢',
  '�a' => '豉',
  '�b' => '豚',
  '�c' => '販',
  '�d' => '責',
  '�e' => '貫',
  '�f' => '貨',
  '�g' => '貪',
  '�h' => '貧',
  '�i' => '赧',
  '�j' => '赦',
  '�k' => '趾',
  '�l' => '趺',
  '�m' => '軛',
  '�n' => '軟',
  '�o' => '這',
  '�p' => '逍',
  '�q' => '通',
  '�r' => '逗',
  '�s' => '連',
  '�t' => '速',
  '�u' => '逝',
  '�v' => '逐',
  '�w' => '逕',
  '�x' => '逞',
  '�y' => '造',
  '�z' => '透',
  '�{' => '逢',
  '�|' => '逖',
  '�}' => '逛',
  '�~' => '途',
  '��' => '部',
  '��' => '郭',
  '��' => '都',
  '��' => '酗',
  '��' => '野',
  '��' => '釵',
  '��' => '釦',
  '��' => '釣',
  '��' => '釧',
  '��' => '釭',
  '��' => '釩',
  '��' => '閉',
  '��' => '陪',
  '��' => '陵',
  '��' => '陳',
  '��' => '陸',
  '��' => '陰',
  '��' => '陴',
  '��' => '陶',
  '��' => '陷',
  '��' => '陬',
  '��' => '雀',
  '��' => '雪',
  '��' => '雩',
  '��' => '章',
  '��' => '竟',
  '��' => '頂',
  '��' => '頃',
  '��' => '魚',
  '��' => '鳥',
  '��' => '鹵',
  '��' => '鹿',
  '��' => '麥',
  '��' => '麻',
  '��' => '傢',
  '��' => '傍',
  '��' => '傅',
  '��' => '備',
  '��' => '傑',
  '��' => '傀',
  '��' => '傖',
  '��' => '傘',
  '��' => '傚',
  '��' => '最',
  '��' => '凱',
  '��' => '割',
  '��' => '剴',
  '��' => '創',
  '��' => '剩',
  '��' => '勞',
  '��' => '勝',
  '��' => '勛',
  '��' => '博',
  '��' => '厥',
  '��' => '啻',
  '��' => '喀',
  '��' => '喧',
  '��' => '啼',
  '��' => '喊',
  '��' => '喝',
  '��' => '喘',
  '��' => '喂',
  '��' => '喜',
  '��' => '喪',
  '��' => '喔',
  '��' => '喇',
  '��' => '喋',
  '��' => '喃',
  '��' => '喳',
  '��' => '單',
  '��' => '喟',
  '��' => '唾',
  '��' => '喲',
  '��' => '喚',
  '��' => '喻',
  '��' => '喬',
  '��' => '喱',
  '��' => '啾',
  '��' => '喉',
  '��' => '喫',
  '��' => '喙',
  '��' => '圍',
  '��' => '堯',
  '��' => '堪',
  '��' => '場',
  '��' => '堤',
  '��' => '堰',
  '��' => '報',
  '��' => '堡',
  '��' => '堝',
  '��' => '堠',
  '��' => '壹',
  '��' => '壺',
  '��' => '奠',
  '�@' => '婷',
  '�A' => '媚',
  '�B' => '婿',
  '�C' => '媒',
  '�D' => '媛',
  '�E' => '媧',
  '�F' => '孳',
  '�G' => '孱',
  '�H' => '寒',
  '�I' => '富',
  '�J' => '寓',
  '�K' => '寐',
  '�L' => '尊',
  '�M' => '尋',
  '�N' => '就',
  '�O' => '嵌',
  '�P' => '嵐',
  '�Q' => '崴',
  '�R' => '嵇',
  '�S' => '巽',
  '�T' => '幅',
  '�U' => '帽',
  '�V' => '幀',
  '�W' => '幃',
  '�X' => '幾',
  '�Y' => '廊',
  '�Z' => '廁',
  '�[' => '廂',
  '�\\' => '廄',
  '�]' => '弼',
  '�^' => '彭',
  '�_' => '復',
  '�`' => '循',
  '�a' => '徨',
  '�b' => '惑',
  '�c' => '惡',
  '�d' => '悲',
  '�e' => '悶',
  '�f' => '惠',
  '�g' => '愜',
  '�h' => '愣',
  '�i' => '惺',
  '�j' => '愕',
  '�k' => '惰',
  '�l' => '惻',
  '�m' => '惴',
  '�n' => '慨',
  '�o' => '惱',
  '�p' => '愎',
  '�q' => '惶',
  '�r' => '愉',
  '�s' => '愀',
  '�t' => '愒',
  '�u' => '戟',
  '�v' => '扉',
  '�w' => '掣',
  '�x' => '掌',
  '�y' => '描',
  '�z' => '揀',
  '�{' => '揩',
  '�|' => '揉',
  '�}' => '揆',
  '�~' => '揍',
  '��' => '插',
  '��' => '揣',
  '��' => '提',
  '��' => '握',
  '��' => '揖',
  '��' => '揭',
  '��' => '揮',
  '��' => '捶',
  '��' => '援',
  '��' => '揪',
  '��' => '換',
  '��' => '摒',
  '��' => '揚',
  '��' => '揹',
  '��' => '敞',
  '��' => '敦',
  '��' => '敢',
  '��' => '散',
  '��' => '斑',
  '��' => '斐',
  '��' => '斯',
  '��' => '普',
  '��' => '晰',
  '��' => '晴',
  '��' => '晶',
  '��' => '景',
  '��' => '暑',
  '��' => '智',
  '��' => '晾',
  '��' => '晷',
  '��' => '曾',
  '��' => '替',
  '��' => '期',
  '��' => '朝',
  '��' => '棺',
  '��' => '棕',
  '��' => '棠',
  '��' => '棘',
  '��' => '棗',
  '��' => '椅',
  '��' => '棟',
  '��' => '棵',
  '��' => '森',
  '��' => '棧',
  '��' => '棹',
  '��' => '棒',
  '��' => '棲',
  '��' => '棣',
  '��' => '棋',
  '��' => '棍',
  '��' => '植',
  '��' => '椒',
  '��' => '椎',
  '��' => '棉',
  '��' => '棚',
  '��' => '楮',
  '��' => '棻',
  '��' => '款',
  '��' => '欺',
  '��' => '欽',
  '��' => '殘',
  '��' => '殖',
  '��' => '殼',
  '��' => '毯',
  '��' => '氮',
  '��' => '氯',
  '��' => '氬',
  '��' => '港',
  '��' => '游',
  '��' => '湔',
  '��' => '渡',
  '��' => '渲',
  '��' => '湧',
  '��' => '湊',
  '��' => '渠',
  '��' => '渥',
  '��' => '渣',
  '��' => '減',
  '��' => '湛',
  '��' => '湘',
  '��' => '渤',
  '��' => '湖',
  '��' => '湮',
  '��' => '渭',
  '��' => '渦',
  '��' => '湯',
  '��' => '渴',
  '��' => '湍',
  '��' => '渺',
  '��' => '測',
  '��' => '湃',
  '��' => '渝',
  '��' => '渾',
  '��' => '滋',
  '�@' => '溉',
  '�A' => '渙',
  '�B' => '湎',
  '�C' => '湣',
  '�D' => '湄',
  '�E' => '湲',
  '�F' => '湩',
  '�G' => '湟',
  '�H' => '焙',
  '�I' => '焚',
  '�J' => '焦',
  '�K' => '焰',
  '�L' => '無',
  '�M' => '然',
  '�N' => '煮',
  '�O' => '焜',
  '�P' => '牌',
  '�Q' => '犄',
  '�R' => '犀',
  '�S' => '猶',
  '�T' => '猥',
  '�U' => '猴',
  '�V' => '猩',
  '�W' => '琺',
  '�X' => '琪',
  '�Y' => '琳',
  '�Z' => '琢',
  '�[' => '琥',
  '�\\' => '琵',
  '�]' => '琶',
  '�^' => '琴',
  '�_' => '琯',
  '�`' => '琛',
  '�a' => '琦',
  '�b' => '琨',
  '�c' => '甥',
  '�d' => '甦',
  '�e' => '畫',
  '�f' => '番',
  '�g' => '痢',
  '�h' => '痛',
  '�i' => '痣',
  '�j' => '痙',
  '�k' => '痘',
  '�l' => '痞',
  '�m' => '痠',
  '�n' => '登',
  '�o' => '發',
  '�p' => '皖',
  '�q' => '皓',
  '�r' => '皴',
  '�s' => '盜',
  '�t' => '睏',
  '�u' => '短',
  '�v' => '硝',
  '�w' => '硬',
  '�x' => '硯',
  '�y' => '稍',
  '�z' => '稈',
  '�{' => '程',
  '�|' => '稅',
  '�}' => '稀',
  '�~' => '窘',
  '��' => '窗',
  '��' => '窖',
  '��' => '童',
  '��' => '竣',
  '��' => '等',
  '��' => '策',
  '��' => '筆',
  '��' => '筐',
  '��' => '筒',
  '��' => '答',
  '��' => '筍',
  '��' => '筋',
  '��' => '筏',
  '��' => '筑',
  '��' => '粟',
  '��' => '粥',
  '��' => '絞',
  '��' => '結',
  '��' => '絨',
  '��' => '絕',
  '��' => '紫',
  '��' => '絮',
  '��' => '絲',
  '��' => '絡',
  '��' => '給',
  '��' => '絢',
  '��' => '絰',
  '��' => '絳',
  '��' => '善',
  '��' => '翔',
  '��' => '翕',
  '��' => '耋',
  '��' => '聒',
  '��' => '肅',
  '��' => '腕',
  '��' => '腔',
  '��' => '腋',
  '��' => '腑',
  '��' => '腎',
  '��' => '脹',
  '��' => '腆',
  '��' => '脾',
  '��' => '腌',
  '��' => '腓',
  '��' => '腴',
  '��' => '舒',
  '��' => '舜',
  '��' => '菩',
  '��' => '萃',
  '��' => '菸',
  '��' => '萍',
  '��' => '菠',
  '��' => '菅',
  '��' => '萋',
  '��' => '菁',
  '��' => '華',
  '��' => '菱',
  '��' => '菴',
  '��' => '著',
  '��' => '萊',
  '��' => '菰',
  '��' => '萌',
  '��' => '菌',
  '��' => '菽',
  '��' => '菲',
  '��' => '菊',
  '��' => '萸',
  '��' => '萎',
  '��' => '萄',
  '��' => '菜',
  '��' => '萇',
  '��' => '菔',
  '��' => '菟',
  '��' => '虛',
  '��' => '蛟',
  '��' => '蛙',
  '��' => '蛭',
  '��' => '蛔',
  '��' => '蛛',
  '��' => '蛤',
  '��' => '蛐',
  '��' => '蛞',
  '��' => '街',
  '��' => '裁',
  '��' => '裂',
  '��' => '袱',
  '��' => '覃',
  '��' => '視',
  '��' => '註',
  '��' => '詠',
  '��' => '評',
  '��' => '詞',
  '��' => '証',
  '��' => '詁',
  '�@' => '詔',
  '�A' => '詛',
  '�B' => '詐',
  '�C' => '詆',
  '�D' => '訴',
  '�E' => '診',
  '�F' => '訶',
  '�G' => '詖',
  '�H' => '象',
  '�I' => '貂',
  '�J' => '貯',
  '�K' => '貼',
  '�L' => '貳',
  '�M' => '貽',
  '�N' => '賁',
  '�O' => '費',
  '�P' => '賀',
  '�Q' => '貴',
  '�R' => '買',
  '�S' => '貶',
  '�T' => '貿',
  '�U' => '貸',
  '�V' => '越',
  '�W' => '超',
  '�X' => '趁',
  '�Y' => '跎',
  '�Z' => '距',
  '�[' => '跋',
  '�\\' => '跚',
  '�]' => '跑',
  '�^' => '跌',
  '�_' => '跛',
  '�`' => '跆',
  '�a' => '軻',
  '�b' => '軸',
  '�c' => '軼',
  '�d' => '辜',
  '�e' => '逮',
  '�f' => '逵',
  '�g' => '週',
  '�h' => '逸',
  '�i' => '進',
  '�j' => '逶',
  '�k' => '鄂',
  '�l' => '郵',
  '�m' => '鄉',
  '�n' => '郾',
  '�o' => '酣',
  '�p' => '酥',
  '�q' => '量',
  '�r' => '鈔',
  '�s' => '鈕',
  '�t' => '鈣',
  '�u' => '鈉',
  '�v' => '鈞',
  '�w' => '鈍',
  '�x' => '鈐',
  '�y' => '鈇',
  '�z' => '鈑',
  '�{' => '閔',
  '�|' => '閏',
  '�}' => '開',
  '�~' => '閑',
  '��' => '間',
  '��' => '閒',
  '��' => '閎',
  '��' => '隊',
  '��' => '階',
  '��' => '隋',
  '��' => '陽',
  '��' => '隅',
  '��' => '隆',
  '��' => '隍',
  '��' => '陲',
  '��' => '隄',
  '��' => '雁',
  '��' => '雅',
  '��' => '雄',
  '��' => '集',
  '��' => '雇',
  '��' => '雯',
  '��' => '雲',
  '��' => '韌',
  '��' => '項',
  '��' => '順',
  '��' => '須',
  '��' => '飧',
  '��' => '飪',
  '��' => '飯',
  '��' => '飩',
  '��' => '飲',
  '��' => '飭',
  '��' => '馮',
  '��' => '馭',
  '��' => '黃',
  '��' => '黍',
  '��' => '黑',
  '��' => '亂',
  '��' => '傭',
  '��' => '債',
  '��' => '傲',
  '��' => '傳',
  '��' => '僅',
  '��' => '傾',
  '��' => '催',
  '��' => '傷',
  '��' => '傻',
  '��' => '傯',
  '��' => '僇',
  '��' => '剿',
  '��' => '剷',
  '��' => '剽',
  '��' => '募',
  '��' => '勦',
  '��' => '勤',
  '��' => '勢',
  '��' => '勣',
  '��' => '匯',
  '��' => '嗟',
  '��' => '嗨',
  '��' => '嗓',
  '��' => '嗦',
  '��' => '嗎',
  '��' => '嗜',
  '��' => '嗇',
  '��' => '嗑',
  '��' => '嗣',
  '��' => '嗤',
  '��' => '嗯',
  '��' => '嗚',
  '��' => '嗡',
  '��' => '嗅',
  '��' => '嗆',
  '��' => '嗥',
  '��' => '嗉',
  '��' => '園',
  '��' => '圓',
  '��' => '塞',
  '��' => '塑',
  '��' => '塘',
  '��' => '塗',
  '��' => '塚',
  '��' => '塔',
  '��' => '填',
  '��' => '塌',
  '��' => '塭',
  '��' => '塊',
  '��' => '塢',
  '��' => '塒',
  '��' => '塋',
  '��' => '奧',
  '��' => '嫁',
  '��' => '嫉',
  '��' => '嫌',
  '��' => '媾',
  '��' => '媽',
  '��' => '媼',
  '�@' => '媳',
  '�A' => '嫂',
  '�B' => '媲',
  '�C' => '嵩',
  '�D' => '嵯',
  '�E' => '幌',
  '�F' => '幹',
  '�G' => '廉',
  '�H' => '廈',
  '�I' => '弒',
  '�J' => '彙',
  '�K' => '徬',
  '�L' => '微',
  '�M' => '愚',
  '�N' => '意',
  '�O' => '慈',
  '�P' => '感',
  '�Q' => '想',
  '�R' => '愛',
  '�S' => '惹',
  '�T' => '愁',
  '�U' => '愈',
  '�V' => '慎',
  '�W' => '慌',
  '�X' => '慄',
  '�Y' => '慍',
  '�Z' => '愾',
  '�[' => '愴',
  '�\\' => '愧',
  '�]' => '愍',
  '�^' => '愆',
  '�_' => '愷',
  '�`' => '戡',
  '�a' => '戢',
  '�b' => '搓',
  '�c' => '搾',
  '�d' => '搞',
  '�e' => '搪',
  '�f' => '搭',
  '�g' => '搽',
  '�h' => '搬',
  '�i' => '搏',
  '�j' => '搜',
  '�k' => '搔',
  '�l' => '損',
  '�m' => '搶',
  '�n' => '搖',
  '�o' => '搗',
  '�p' => '搆',
  '�q' => '敬',
  '�r' => '斟',
  '�s' => '新',
  '�t' => '暗',
  '�u' => '暉',
  '�v' => '暇',
  '�w' => '暈',
  '�x' => '暖',
  '�y' => '暄',
  '�z' => '暘',
  '�{' => '暍',
  '�|' => '會',
  '�}' => '榔',
  '�~' => '業',
  '��' => '楚',
  '��' => '楷',
  '��' => '楠',
  '��' => '楔',
  '��' => '極',
  '��' => '椰',
  '��' => '概',
  '��' => '楊',
  '��' => '楨',
  '��' => '楫',
  '��' => '楞',
  '��' => '楓',
  '��' => '楹',
  '��' => '榆',
  '��' => '楝',
  '��' => '楣',
  '��' => '楛',
  '��' => '歇',
  '��' => '歲',
  '��' => '毀',
  '��' => '殿',
  '��' => '毓',
  '��' => '毽',
  '��' => '溢',
  '��' => '溯',
  '��' => '滓',
  '��' => '溶',
  '��' => '滂',
  '��' => '源',
  '��' => '溝',
  '��' => '滇',
  '��' => '滅',
  '��' => '溥',
  '��' => '溘',
  '��' => '溼',
  '��' => '溺',
  '��' => '溫',
  '��' => '滑',
  '��' => '準',
  '��' => '溜',
  '��' => '滄',
  '��' => '滔',
  '��' => '溪',
  '��' => '溧',
  '��' => '溴',
  '��' => '煎',
  '��' => '煙',
  '��' => '煩',
  '��' => '煤',
  '��' => '煉',
  '��' => '照',
  '��' => '煜',
  '��' => '煬',
  '��' => '煦',
  '��' => '煌',
  '��' => '煥',
  '��' => '煞',
  '��' => '煆',
  '��' => '煨',
  '��' => '煖',
  '��' => '爺',
  '��' => '牒',
  '��' => '猷',
  '��' => '獅',
  '��' => '猿',
  '��' => '猾',
  '��' => '瑯',
  '��' => '瑚',
  '��' => '瑕',
  '��' => '瑟',
  '��' => '瑞',
  '��' => '瑁',
  '��' => '琿',
  '��' => '瑙',
  '��' => '瑛',
  '��' => '瑜',
  '��' => '當',
  '��' => '畸',
  '��' => '瘀',
  '��' => '痰',
  '��' => '瘁',
  '��' => '痲',
  '��' => '痱',
  '��' => '痺',
  '��' => '痿',
  '��' => '痴',
  '��' => '痳',
  '��' => '盞',
  '��' => '盟',
  '��' => '睛',
  '��' => '睫',
  '��' => '睦',
  '��' => '睞',
  '��' => '督',
  '�@' => '睹',
  '�A' => '睪',
  '�B' => '睬',
  '�C' => '睜',
  '�D' => '睥',
  '�E' => '睨',
  '�F' => '睢',
  '�G' => '矮',
  '�H' => '碎',
  '�I' => '碰',
  '�J' => '碗',
  '�K' => '碘',
  '�L' => '碌',
  '�M' => '碉',
  '�N' => '硼',
  '�O' => '碑',
  '�P' => '碓',
  '�Q' => '硿',
  '�R' => '祺',
  '�S' => '祿',
  '�T' => '禁',
  '�U' => '萬',
  '�V' => '禽',
  '�W' => '稜',
  '�X' => '稚',
  '�Y' => '稠',
  '�Z' => '稔',
  '�[' => '稟',
  '�\\' => '稞',
  '�]' => '窟',
  '�^' => '窠',
  '�_' => '筷',
  '�`' => '節',
  '�a' => '筠',
  '�b' => '筮',
  '�c' => '筧',
  '�d' => '粱',
  '�e' => '粳',
  '�f' => '粵',
  '�g' => '經',
  '�h' => '絹',
  '�i' => '綑',
  '�j' => '綁',
  '�k' => '綏',
  '�l' => '絛',
  '�m' => '置',
  '�n' => '罩',
  '�o' => '罪',
  '�p' => '署',
  '�q' => '義',
  '�r' => '羨',
  '�s' => '群',
  '�t' => '聖',
  '�u' => '聘',
  '�v' => '肆',
  '�w' => '肄',
  '�x' => '腱',
  '�y' => '腰',
  '�z' => '腸',
  '�{' => '腥',
  '�|' => '腮',
  '�}' => '腳',
  '�~' => '腫',
  '��' => '腹',
  '��' => '腺',
  '��' => '腦',
  '��' => '舅',
  '��' => '艇',
  '��' => '蒂',
  '��' => '葷',
  '��' => '落',
  '��' => '萱',
  '��' => '葵',
  '��' => '葦',
  '��' => '葫',
  '��' => '葉',
  '��' => '葬',
  '��' => '葛',
  '��' => '萼',
  '��' => '萵',
  '��' => '葡',
  '��' => '董',
  '��' => '葩',
  '��' => '葭',
  '��' => '葆',
  '��' => '虞',
  '��' => '虜',
  '��' => '號',
  '��' => '蛹',
  '��' => '蜓',
  '��' => '蜈',
  '��' => '蜇',
  '��' => '蜀',
  '��' => '蛾',
  '��' => '蛻',
  '��' => '蜂',
  '��' => '蜃',
  '��' => '蜆',
  '��' => '蜊',
  '��' => '衙',
  '��' => '裟',
  '��' => '裔',
  '��' => '裙',
  '��' => '補',
  '��' => '裘',
  '��' => '裝',
  '��' => '裡',
  '��' => '裊',
  '��' => '裕',
  '��' => '裒',
  '��' => '覜',
  '��' => '解',
  '��' => '詫',
  '��' => '該',
  '��' => '詳',
  '��' => '試',
  '��' => '詩',
  '��' => '詰',
  '��' => '誇',
  '��' => '詼',
  '��' => '詣',
  '��' => '誠',
  '��' => '話',
  '��' => '誅',
  '��' => '詭',
  '��' => '詢',
  '��' => '詮',
  '��' => '詬',
  '��' => '詹',
  '��' => '詻',
  '��' => '訾',
  '��' => '詨',
  '��' => '豢',
  '��' => '貊',
  '��' => '貉',
  '��' => '賊',
  '��' => '資',
  '��' => '賈',
  '��' => '賄',
  '��' => '貲',
  '��' => '賃',
  '��' => '賂',
  '��' => '賅',
  '��' => '跡',
  '��' => '跟',
  '��' => '跨',
  '��' => '路',
  '��' => '跳',
  '��' => '跺',
  '��' => '跪',
  '��' => '跤',
  '��' => '跦',
  '��' => '躲',
  '��' => '較',
  '��' => '載',
  '��' => '軾',
  '��' => '輊',
  '�@' => '辟',
  '�A' => '農',
  '�B' => '運',
  '�C' => '遊',
  '�D' => '道',
  '�E' => '遂',
  '�F' => '達',
  '�G' => '逼',
  '�H' => '違',
  '�I' => '遐',
  '�J' => '遇',
  '�K' => '遏',
  '�L' => '過',
  '�M' => '遍',
  '�N' => '遑',
  '�O' => '逾',
  '�P' => '遁',
  '�Q' => '鄒',
  '�R' => '鄗',
  '�S' => '酬',
  '�T' => '酪',
  '�U' => '酩',
  '�V' => '釉',
  '�W' => '鈷',
  '�X' => '鉗',
  '�Y' => '鈸',
  '�Z' => '鈽',
  '�[' => '鉀',
  '�\\' => '鈾',
  '�]' => '鉛',
  '�^' => '鉋',
  '�_' => '鉤',
  '�`' => '鉑',
  '�a' => '鈴',
  '�b' => '鉉',
  '�c' => '鉍',
  '�d' => '鉅',
  '�e' => '鈹',
  '�f' => '鈿',
  '�g' => '鉚',
  '�h' => '閘',
  '�i' => '隘',
  '�j' => '隔',
  '�k' => '隕',
  '�l' => '雍',
  '�m' => '雋',
  '�n' => '雉',
  '�o' => '雊',
  '�p' => '雷',
  '�q' => '電',
  '�r' => '雹',
  '�s' => '零',
  '�t' => '靖',
  '�u' => '靴',
  '�v' => '靶',
  '�w' => '預',
  '�x' => '頑',
  '�y' => '頓',
  '�z' => '頊',
  '�{' => '頒',
  '�|' => '頌',
  '�}' => '飼',
  '�~' => '飴',
  '��' => '飽',
  '��' => '飾',
  '��' => '馳',
  '��' => '馱',
  '��' => '馴',
  '��' => '髡',
  '��' => '鳩',
  '��' => '麂',
  '��' => '鼎',
  '��' => '鼓',
  '��' => '鼠',
  '��' => '僧',
  '��' => '僮',
  '��' => '僥',
  '��' => '僖',
  '��' => '僭',
  '��' => '僚',
  '��' => '僕',
  '��' => '像',
  '��' => '僑',
  '��' => '僱',
  '��' => '僎',
  '��' => '僩',
  '��' => '兢',
  '��' => '凳',
  '��' => '劃',
  '��' => '劂',
  '��' => '匱',
  '��' => '厭',
  '��' => '嗾',
  '��' => '嘀',
  '��' => '嘛',
  '��' => '嘗',
  '��' => '嗽',
  '��' => '嘔',
  '��' => '嘆',
  '��' => '嘉',
  '��' => '嘍',
  '��' => '嘎',
  '��' => '嗷',
  '��' => '嘖',
  '��' => '嘟',
  '��' => '嘈',
  '��' => '嘐',
  '��' => '嗶',
  '��' => '團',
  '��' => '圖',
  '��' => '塵',
  '��' => '塾',
  '��' => '境',
  '��' => '墓',
  '��' => '墊',
  '��' => '塹',
  '��' => '墅',
  '��' => '塽',
  '��' => '壽',
  '��' => '夥',
  '��' => '夢',
  '��' => '夤',
  '��' => '奪',
  '��' => '奩',
  '��' => '嫡',
  '��' => '嫦',
  '��' => '嫩',
  '��' => '嫗',
  '��' => '嫖',
  '��' => '嫘',
  '��' => '嫣',
  '��' => '孵',
  '��' => '寞',
  '��' => '寧',
  '��' => '寡',
  '��' => '寥',
  '��' => '實',
  '��' => '寨',
  '��' => '寢',
  '��' => '寤',
  '��' => '察',
  '��' => '對',
  '��' => '屢',
  '��' => '嶄',
  '��' => '嶇',
  '��' => '幛',
  '��' => '幣',
  '��' => '幕',
  '��' => '幗',
  '��' => '幔',
  '��' => '廓',
  '��' => '廖',
  '��' => '弊',
  '��' => '彆',
  '��' => '彰',
  '��' => '徹',
  '��' => '慇',
  '�@' => '愿',
  '�A' => '態',
  '�B' => '慷',
  '�C' => '慢',
  '�D' => '慣',
  '�E' => '慟',
  '�F' => '慚',
  '�G' => '慘',
  '�H' => '慵',
  '�I' => '截',
  '�J' => '撇',
  '�K' => '摘',
  '�L' => '摔',
  '�M' => '撤',
  '�N' => '摸',
  '�O' => '摟',
  '�P' => '摺',
  '�Q' => '摑',
  '�R' => '摧',
  '�S' => '搴',
  '�T' => '摭',
  '�U' => '摻',
  '�V' => '敲',
  '�W' => '斡',
  '�X' => '旗',
  '�Y' => '旖',
  '�Z' => '暢',
  '�[' => '暨',
  '�\\' => '暝',
  '�]' => '榜',
  '�^' => '榨',
  '�_' => '榕',
  '�`' => '槁',
  '�a' => '榮',
  '�b' => '槓',
  '�c' => '構',
  '�d' => '榛',
  '�e' => '榷',
  '�f' => '榻',
  '�g' => '榫',
  '�h' => '榴',
  '�i' => '槐',
  '�j' => '槍',
  '�k' => '榭',
  '�l' => '槌',
  '�m' => '榦',
  '�n' => '槃',
  '�o' => '榣',
  '�p' => '歉',
  '�q' => '歌',
  '�r' => '氳',
  '�s' => '漳',
  '�t' => '演',
  '�u' => '滾',
  '�v' => '漓',
  '�w' => '滴',
  '�x' => '漩',
  '�y' => '漾',
  '�z' => '漠',
  '�{' => '漬',
  '�|' => '漏',
  '�}' => '漂',
  '�~' => '漢',
  '��' => '滿',
  '��' => '滯',
  '��' => '漆',
  '��' => '漱',
  '��' => '漸',
  '��' => '漲',
  '��' => '漣',
  '��' => '漕',
  '��' => '漫',
  '��' => '漯',
  '��' => '澈',
  '��' => '漪',
  '��' => '滬',
  '��' => '漁',
  '��' => '滲',
  '��' => '滌',
  '��' => '滷',
  '��' => '熔',
  '��' => '熙',
  '��' => '煽',
  '��' => '熊',
  '��' => '熄',
  '��' => '熒',
  '��' => '爾',
  '��' => '犒',
  '��' => '犖',
  '��' => '獄',
  '��' => '獐',
  '��' => '瑤',
  '��' => '瑣',
  '��' => '瑪',
  '��' => '瑰',
  '��' => '瑭',
  '��' => '甄',
  '��' => '疑',
  '��' => '瘧',
  '��' => '瘍',
  '��' => '瘋',
  '��' => '瘉',
  '��' => '瘓',
  '��' => '盡',
  '��' => '監',
  '��' => '瞄',
  '��' => '睽',
  '��' => '睿',
  '��' => '睡',
  '��' => '磁',
  '��' => '碟',
  '��' => '碧',
  '��' => '碳',
  '��' => '碩',
  '��' => '碣',
  '��' => '禎',
  '��' => '福',
  '��' => '禍',
  '��' => '種',
  '��' => '稱',
  '��' => '窪',
  '��' => '窩',
  '��' => '竭',
  '��' => '端',
  '��' => '管',
  '��' => '箕',
  '��' => '箋',
  '��' => '筵',
  '��' => '算',
  '��' => '箝',
  '��' => '箔',
  '��' => '箏',
  '��' => '箸',
  '��' => '箇',
  '��' => '箄',
  '��' => '粹',
  '��' => '粽',
  '��' => '精',
  '��' => '綻',
  '��' => '綰',
  '��' => '綜',
  '��' => '綽',
  '��' => '綾',
  '��' => '綠',
  '��' => '緊',
  '��' => '綴',
  '��' => '網',
  '��' => '綱',
  '��' => '綺',
  '��' => '綢',
  '��' => '綿',
  '��' => '綵',
  '��' => '綸',
  '��' => '維',
  '��' => '緒',
  '��' => '緇',
  '��' => '綬',
  '�@' => '罰',
  '�A' => '翠',
  '�B' => '翡',
  '�C' => '翟',
  '�D' => '聞',
  '�E' => '聚',
  '�F' => '肇',
  '�G' => '腐',
  '�H' => '膀',
  '�I' => '膏',
  '�J' => '膈',
  '�K' => '膊',
  '�L' => '腿',
  '�M' => '膂',
  '�N' => '臧',
  '�O' => '臺',
  '�P' => '與',
  '�Q' => '舔',
  '�R' => '舞',
  '�S' => '艋',
  '�T' => '蓉',
  '�U' => '蒿',
  '�V' => '蓆',
  '�W' => '蓄',
  '�X' => '蒙',
  '�Y' => '蒞',
  '�Z' => '蒲',
  '�[' => '蒜',
  '�\\' => '蓋',
  '�]' => '蒸',
  '�^' => '蓀',
  '�_' => '蓓',
  '�`' => '蒐',
  '�a' => '蒼',
  '�b' => '蓑',
  '�c' => '蓊',
  '�d' => '蜿',
  '�e' => '蜜',
  '�f' => '蜻',
  '�g' => '蜢',
  '�h' => '蜥',
  '�i' => '蜴',
  '�j' => '蜘',
  '�k' => '蝕',
  '�l' => '蜷',
  '�m' => '蜩',
  '�n' => '裳',
  '�o' => '褂',
  '�p' => '裴',
  '�q' => '裹',
  '�r' => '裸',
  '�s' => '製',
  '�t' => '裨',
  '�u' => '褚',
  '�v' => '裯',
  '�w' => '誦',
  '�x' => '誌',
  '�y' => '語',
  '�z' => '誣',
  '�{' => '認',
  '�|' => '誡',
  '�}' => '誓',
  '�~' => '誤',
  '��' => '說',
  '��' => '誥',
  '��' => '誨',
  '��' => '誘',
  '��' => '誑',
  '��' => '誚',
  '��' => '誧',
  '��' => '豪',
  '��' => '貍',
  '��' => '貌',
  '��' => '賓',
  '��' => '賑',
  '��' => '賒',
  '��' => '赫',
  '��' => '趙',
  '��' => '趕',
  '��' => '跼',
  '��' => '輔',
  '��' => '輒',
  '��' => '輕',
  '��' => '輓',
  '��' => '辣',
  '��' => '遠',
  '��' => '遘',
  '��' => '遜',
  '��' => '遣',
  '��' => '遙',
  '��' => '遞',
  '��' => '遢',
  '��' => '遝',
  '��' => '遛',
  '��' => '鄙',
  '��' => '鄘',
  '��' => '鄞',
  '��' => '酵',
  '��' => '酸',
  '��' => '酷',
  '��' => '酴',
  '��' => '鉸',
  '��' => '銀',
  '��' => '銅',
  '��' => '銘',
  '��' => '銖',
  '��' => '鉻',
  '��' => '銓',
  '��' => '銜',
  '��' => '銨',
  '��' => '鉼',
  '��' => '銑',
  '��' => '閡',
  '��' => '閨',
  '��' => '閩',
  '��' => '閣',
  '��' => '閥',
  '��' => '閤',
  '��' => '隙',
  '��' => '障',
  '��' => '際',
  '��' => '雌',
  '��' => '雒',
  '��' => '需',
  '��' => '靼',
  '��' => '鞅',
  '��' => '韶',
  '��' => '頗',
  '��' => '領',
  '��' => '颯',
  '��' => '颱',
  '��' => '餃',
  '��' => '餅',
  '��' => '餌',
  '��' => '餉',
  '��' => '駁',
  '��' => '骯',
  '��' => '骰',
  '��' => '髦',
  '��' => '魁',
  '��' => '魂',
  '��' => '鳴',
  '��' => '鳶',
  '��' => '鳳',
  '��' => '麼',
  '��' => '鼻',
  '��' => '齊',
  '��' => '億',
  '��' => '儀',
  '��' => '僻',
  '��' => '僵',
  '��' => '價',
  '��' => '儂',
  '��' => '儈',
  '��' => '儉',
  '��' => '儅',
  '��' => '凜',
  '�@' => '劇',
  '�A' => '劈',
  '�B' => '劉',
  '�C' => '劍',
  '�D' => '劊',
  '�E' => '勰',
  '�F' => '厲',
  '�G' => '嘮',
  '�H' => '嘻',
  '�I' => '嘹',
  '�J' => '嘲',
  '�K' => '嘿',
  '�L' => '嘴',
  '�M' => '嘩',
  '�N' => '噓',
  '�O' => '噎',
  '�P' => '噗',
  '�Q' => '噴',
  '�R' => '嘶',
  '�S' => '嘯',
  '�T' => '嘰',
  '�U' => '墀',
  '�V' => '墟',
  '�W' => '增',
  '�X' => '墳',
  '�Y' => '墜',
  '�Z' => '墮',
  '�[' => '墩',
  '�\\' => '墦',
  '�]' => '奭',
  '�^' => '嬉',
  '�_' => '嫻',
  '�`' => '嬋',
  '�a' => '嫵',
  '�b' => '嬌',
  '�c' => '嬈',
  '�d' => '寮',
  '�e' => '寬',
  '�f' => '審',
  '�g' => '寫',
  '�h' => '層',
  '�i' => '履',
  '�j' => '嶝',
  '�k' => '嶔',
  '�l' => '幢',
  '�m' => '幟',
  '�n' => '幡',
  '�o' => '廢',
  '�p' => '廚',
  '�q' => '廟',
  '�r' => '廝',
  '�s' => '廣',
  '�t' => '廠',
  '�u' => '彈',
  '�v' => '影',
  '�w' => '德',
  '�x' => '徵',
  '�y' => '慶',
  '�z' => '慧',
  '�{' => '慮',
  '�|' => '慝',
  '�}' => '慕',
  '�~' => '憂',
  '��' => '慼',
  '��' => '慰',
  '��' => '慫',
  '��' => '慾',
  '��' => '憧',
  '��' => '憐',
  '��' => '憫',
  '��' => '憎',
  '��' => '憬',
  '��' => '憚',
  '��' => '憤',
  '��' => '憔',
  '��' => '憮',
  '��' => '戮',
  '��' => '摩',
  '��' => '摯',
  '��' => '摹',
  '��' => '撞',
  '��' => '撲',
  '��' => '撈',
  '��' => '撐',
  '��' => '撰',
  '��' => '撥',
  '��' => '撓',
  '��' => '撕',
  '��' => '撩',
  '��' => '撒',
  '��' => '撮',
  '��' => '播',
  '��' => '撫',
  '��' => '撚',
  '��' => '撬',
  '��' => '撙',
  '��' => '撢',
  '��' => '撳',
  '��' => '敵',
  '��' => '敷',
  '��' => '數',
  '��' => '暮',
  '��' => '暫',
  '��' => '暴',
  '��' => '暱',
  '��' => '樣',
  '��' => '樟',
  '��' => '槨',
  '��' => '樁',
  '��' => '樞',
  '��' => '標',
  '��' => '槽',
  '��' => '模',
  '��' => '樓',
  '��' => '樊',
  '��' => '槳',
  '��' => '樂',
  '��' => '樅',
  '��' => '槭',
  '��' => '樑',
  '��' => '歐',
  '��' => '歎',
  '��' => '殤',
  '��' => '毅',
  '��' => '毆',
  '��' => '漿',
  '��' => '潼',
  '��' => '澄',
  '��' => '潑',
  '��' => '潦',
  '��' => '潔',
  '��' => '澆',
  '��' => '潭',
  '��' => '潛',
  '��' => '潸',
  '��' => '潮',
  '��' => '澎',
  '��' => '潺',
  '��' => '潰',
  '��' => '潤',
  '��' => '澗',
  '��' => '潘',
  '��' => '滕',
  '��' => '潯',
  '��' => '潠',
  '��' => '潟',
  '��' => '熟',
  '��' => '熬',
  '��' => '熱',
  '��' => '熨',
  '��' => '牖',
  '��' => '犛',
  '��' => '獎',
  '��' => '獗',
  '��' => '瑩',
  '��' => '璋',
  '��' => '璃',
  '�@' => '瑾',
  '�A' => '璀',
  '�B' => '畿',
  '�C' => '瘠',
  '�D' => '瘩',
  '�E' => '瘟',
  '�F' => '瘤',
  '�G' => '瘦',
  '�H' => '瘡',
  '�I' => '瘢',
  '�J' => '皚',
  '�K' => '皺',
  '�L' => '盤',
  '�M' => '瞎',
  '�N' => '瞇',
  '�O' => '瞌',
  '�P' => '瞑',
  '�Q' => '瞋',
  '�R' => '磋',
  '�S' => '磅',
  '�T' => '確',
  '�U' => '磊',
  '�V' => '碾',
  '�W' => '磕',
  '�X' => '碼',
  '�Y' => '磐',
  '�Z' => '稿',
  '�[' => '稼',
  '�\\' => '穀',
  '�]' => '稽',
  '�^' => '稷',
  '�_' => '稻',
  '�`' => '窯',
  '�a' => '窮',
  '�b' => '箭',
  '�c' => '箱',
  '�d' => '範',
  '�e' => '箴',
  '�f' => '篆',
  '�g' => '篇',
  '�h' => '篁',
  '�i' => '箠',
  '�j' => '篌',
  '�k' => '糊',
  '�l' => '締',
  '�m' => '練',
  '�n' => '緯',
  '�o' => '緻',
  '�p' => '緘',
  '�q' => '緬',
  '�r' => '緝',
  '�s' => '編',
  '�t' => '緣',
  '�u' => '線',
  '�v' => '緞',
  '�w' => '緩',
  '�x' => '綞',
  '�y' => '緙',
  '�z' => '緲',
  '�{' => '緹',
  '�|' => '罵',
  '�}' => '罷',
  '�~' => '羯',
  '��' => '翩',
  '��' => '耦',
  '��' => '膛',
  '��' => '膜',
  '��' => '膝',
  '��' => '膠',
  '��' => '膚',
  '��' => '膘',
  '��' => '蔗',
  '��' => '蔽',
  '��' => '蔚',
  '��' => '蓮',
  '��' => '蔬',
  '��' => '蔭',
  '��' => '蔓',
  '��' => '蔑',
  '��' => '蔣',
  '��' => '蔡',
  '��' => '蔔',
  '��' => '蓬',
  '��' => '蔥',
  '��' => '蓿',
  '��' => '蔆',
  '��' => '螂',
  '��' => '蝴',
  '��' => '蝶',
  '��' => '蝠',
  '��' => '蝦',
  '��' => '蝸',
  '��' => '蝨',
  '��' => '蝙',
  '��' => '蝗',
  '��' => '蝌',
  '��' => '蝓',
  '��' => '衛',
  '��' => '衝',
  '��' => '褐',
  '��' => '複',
  '��' => '褒',
  '��' => '褓',
  '��' => '褕',
  '��' => '褊',
  '��' => '誼',
  '��' => '諒',
  '��' => '談',
  '��' => '諄',
  '��' => '誕',
  '��' => '請',
  '��' => '諸',
  '��' => '課',
  '��' => '諉',
  '��' => '諂',
  '��' => '調',
  '��' => '誰',
  '��' => '論',
  '��' => '諍',
  '��' => '誶',
  '��' => '誹',
  '��' => '諛',
  '��' => '豌',
  '��' => '豎',
  '��' => '豬',
  '��' => '賠',
  '��' => '賞',
  '��' => '賦',
  '��' => '賤',
  '��' => '賬',
  '��' => '賭',
  '��' => '賢',
  '��' => '賣',
  '��' => '賜',
  '��' => '質',
  '��' => '賡',
  '��' => '赭',
  '��' => '趟',
  '��' => '趣',
  '��' => '踫',
  '��' => '踐',
  '��' => '踝',
  '��' => '踢',
  '��' => '踏',
  '��' => '踩',
  '��' => '踟',
  '��' => '踡',
  '��' => '踞',
  '��' => '躺',
  '��' => '輝',
  '��' => '輛',
  '��' => '輟',
  '��' => '輩',
  '��' => '輦',
  '��' => '輪',
  '��' => '輜',
  '��' => '輞',
  '�@' => '輥',
  '�A' => '適',
  '�B' => '遮',
  '�C' => '遨',
  '�D' => '遭',
  '�E' => '遷',
  '�F' => '鄰',
  '�G' => '鄭',
  '�H' => '鄧',
  '�I' => '鄱',
  '�J' => '醇',
  '�K' => '醉',
  '�L' => '醋',
  '�M' => '醃',
  '�N' => '鋅',
  '�O' => '銻',
  '�P' => '銷',
  '�Q' => '鋪',
  '�R' => '銬',
  '�S' => '鋤',
  '�T' => '鋁',
  '�U' => '銳',
  '�V' => '銼',
  '�W' => '鋒',
  '�X' => '鋇',
  '�Y' => '鋰',
  '�Z' => '銲',
  '�[' => '閭',
  '�\\' => '閱',
  '�]' => '霄',
  '�^' => '霆',
  '�_' => '震',
  '�`' => '霉',
  '�a' => '靠',
  '�b' => '鞍',
  '�c' => '鞋',
  '�d' => '鞏',
  '�e' => '頡',
  '�f' => '頫',
  '�g' => '頜',
  '�h' => '颳',
  '�i' => '養',
  '�j' => '餓',
  '�k' => '餒',
  '�l' => '餘',
  '�m' => '駝',
  '�n' => '駐',
  '�o' => '駟',
  '�p' => '駛',
  '�q' => '駑',
  '�r' => '駕',
  '�s' => '駒',
  '�t' => '駙',
  '�u' => '骷',
  '�v' => '髮',
  '�w' => '髯',
  '�x' => '鬧',
  '�y' => '魅',
  '�z' => '魄',
  '�{' => '魷',
  '�|' => '魯',
  '�}' => '鴆',
  '�~' => '鴉',
  '��' => '鴃',
  '��' => '麩',
  '��' => '麾',
  '��' => '黎',
  '��' => '墨',
  '��' => '齒',
  '��' => '儒',
  '��' => '儘',
  '��' => '儔',
  '��' => '儐',
  '��' => '儕',
  '��' => '冀',
  '��' => '冪',
  '��' => '凝',
  '��' => '劑',
  '��' => '劓',
  '��' => '勳',
  '��' => '噙',
  '��' => '噫',
  '��' => '噹',
  '��' => '噩',
  '��' => '噤',
  '��' => '噸',
  '��' => '噪',
  '��' => '器',
  '��' => '噥',
  '��' => '噱',
  '��' => '噯',
  '��' => '噬',
  '��' => '噢',
  '��' => '噶',
  '��' => '壁',
  '��' => '墾',
  '��' => '壇',
  '��' => '壅',
  '��' => '奮',
  '��' => '嬝',
  '��' => '嬴',
  '��' => '學',
  '��' => '寰',
  '��' => '導',
  '��' => '彊',
  '��' => '憲',
  '��' => '憑',
  '��' => '憩',
  '��' => '憊',
  '��' => '懍',
  '��' => '憶',
  '��' => '憾',
  '��' => '懊',
  '��' => '懈',
  '��' => '戰',
  '��' => '擅',
  '��' => '擁',
  '��' => '擋',
  '��' => '撻',
  '��' => '撼',
  '��' => '據',
  '��' => '擄',
  '��' => '擇',
  '��' => '擂',
  '��' => '操',
  '��' => '撿',
  '��' => '擒',
  '��' => '擔',
  '��' => '撾',
  '��' => '整',
  '��' => '曆',
  '��' => '曉',
  '��' => '暹',
  '��' => '曄',
  '��' => '曇',
  '��' => '暸',
  '��' => '樽',
  '��' => '樸',
  '��' => '樺',
  '��' => '橙',
  '��' => '橫',
  '��' => '橘',
  '��' => '樹',
  '��' => '橄',
  '��' => '橢',
  '��' => '橡',
  '��' => '橋',
  '��' => '橇',
  '��' => '樵',
  '��' => '機',
  '��' => '橈',
  '��' => '歙',
  '��' => '歷',
  '��' => '氅',
  '��' => '濂',
  '��' => '澱',
  '��' => '澡',
  '�@' => '濃',
  '�A' => '澤',
  '�B' => '濁',
  '�C' => '澧',
  '�D' => '澳',
  '�E' => '激',
  '�F' => '澹',
  '�G' => '澶',
  '�H' => '澦',
  '�I' => '澠',
  '�J' => '澴',
  '�K' => '熾',
  '�L' => '燉',
  '�M' => '燐',
  '�N' => '燒',
  '�O' => '燈',
  '�P' => '燕',
  '�Q' => '熹',
  '�R' => '燎',
  '�S' => '燙',
  '�T' => '燜',
  '�U' => '燃',
  '�V' => '燄',
  '�W' => '獨',
  '�X' => '璜',
  '�Y' => '璣',
  '�Z' => '璘',
  '�[' => '璟',
  '�\\' => '璞',
  '�]' => '瓢',
  '�^' => '甌',
  '�_' => '甍',
  '�`' => '瘴',
  '�a' => '瘸',
  '�b' => '瘺',
  '�c' => '盧',
  '�d' => '盥',
  '�e' => '瞠',
  '�f' => '瞞',
  '�g' => '瞟',
  '�h' => '瞥',
  '�i' => '磨',
  '�j' => '磚',
  '�k' => '磬',
  '�l' => '磧',
  '�m' => '禦',
  '�n' => '積',
  '�o' => '穎',
  '�p' => '穆',
  '�q' => '穌',
  '�r' => '穋',
  '�s' => '窺',
  '�t' => '篙',
  '�u' => '簑',
  '�v' => '築',
  '�w' => '篤',
  '�x' => '篛',
  '�y' => '篡',
  '�z' => '篩',
  '�{' => '篦',
  '�|' => '糕',
  '�}' => '糖',
  '�~' => '縊',
  '��' => '縑',
  '��' => '縈',
  '��' => '縛',
  '��' => '縣',
  '��' => '縞',
  '��' => '縝',
  '��' => '縉',
  '��' => '縐',
  '��' => '罹',
  '��' => '羲',
  '��' => '翰',
  '��' => '翱',
  '��' => '翮',
  '��' => '耨',
  '��' => '膳',
  '��' => '膩',
  '��' => '膨',
  '��' => '臻',
  '��' => '興',
  '��' => '艘',
  '��' => '艙',
  '��' => '蕊',
  '��' => '蕙',
  '��' => '蕈',
  '��' => '蕨',
  '��' => '蕩',
  '��' => '蕃',
  '��' => '蕉',
  '��' => '蕭',
  '��' => '蕪',
  '��' => '蕞',
  '��' => '螃',
  '��' => '螟',
  '��' => '螞',
  '��' => '螢',
  '��' => '融',
  '��' => '衡',
  '��' => '褪',
  '��' => '褲',
  '��' => '褥',
  '��' => '褫',
  '��' => '褡',
  '��' => '親',
  '��' => '覦',
  '��' => '諦',
  '��' => '諺',
  '��' => '諫',
  '��' => '諱',
  '��' => '謀',
  '��' => '諜',
  '��' => '諧',
  '��' => '諮',
  '��' => '諾',
  '��' => '謁',
  '��' => '謂',
  '��' => '諷',
  '��' => '諭',
  '��' => '諳',
  '��' => '諶',
  '��' => '諼',
  '��' => '豫',
  '��' => '豭',
  '��' => '貓',
  '��' => '賴',
  '��' => '蹄',
  '��' => '踱',
  '��' => '踴',
  '��' => '蹂',
  '��' => '踹',
  '��' => '踵',
  '��' => '輻',
  '��' => '輯',
  '��' => '輸',
  '��' => '輳',
  '��' => '辨',
  '��' => '辦',
  '��' => '遵',
  '��' => '遴',
  '��' => '選',
  '��' => '遲',
  '��' => '遼',
  '��' => '遺',
  '��' => '鄴',
  '��' => '醒',
  '��' => '錠',
  '��' => '錶',
  '��' => '鋸',
  '��' => '錳',
  '��' => '錯',
  '��' => '錢',
  '��' => '鋼',
  '��' => '錫',
  '��' => '錄',
  '��' => '錚',
  '�@' => '錐',
  '�A' => '錦',
  '�B' => '錡',
  '�C' => '錕',
  '�D' => '錮',
  '�E' => '錙',
  '�F' => '閻',
  '�G' => '隧',
  '�H' => '隨',
  '�I' => '險',
  '�J' => '雕',
  '�K' => '霎',
  '�L' => '霑',
  '�M' => '霖',
  '�N' => '霍',
  '�O' => '霓',
  '�P' => '霏',
  '�Q' => '靛',
  '�R' => '靜',
  '�S' => '靦',
  '�T' => '鞘',
  '�U' => '頰',
  '�V' => '頸',
  '�W' => '頻',
  '�X' => '頷',
  '�Y' => '頭',
  '�Z' => '頹',
  '�[' => '頤',
  '�\\' => '餐',
  '�]' => '館',
  '�^' => '餞',
  '�_' => '餛',
  '�`' => '餡',
  '�a' => '餚',
  '�b' => '駭',
  '�c' => '駢',
  '�d' => '駱',
  '�e' => '骸',
  '�f' => '骼',
  '�g' => '髻',
  '�h' => '髭',
  '�i' => '鬨',
  '�j' => '鮑',
  '�k' => '鴕',
  '�l' => '鴣',
  '�m' => '鴦',
  '�n' => '鴨',
  '�o' => '鴒',
  '�p' => '鴛',
  '�q' => '默',
  '�r' => '黔',
  '�s' => '龍',
  '�t' => '龜',
  '�u' => '優',
  '�v' => '償',
  '�w' => '儡',
  '�x' => '儲',
  '�y' => '勵',
  '�z' => '嚎',
  '�{' => '嚀',
  '�|' => '嚐',
  '�}' => '嚅',
  '�~' => '嚇',
  '��' => '嚏',
  '��' => '壕',
  '��' => '壓',
  '��' => '壑',
  '��' => '壎',
  '��' => '嬰',
  '��' => '嬪',
  '��' => '嬤',
  '��' => '孺',
  '��' => '尷',
  '��' => '屨',
  '��' => '嶼',
  '��' => '嶺',
  '��' => '嶽',
  '��' => '嶸',
  '��' => '幫',
  '��' => '彌',
  '��' => '徽',
  '��' => '應',
  '��' => '懂',
  '��' => '懇',
  '��' => '懦',
  '��' => '懋',
  '��' => '戲',
  '��' => '戴',
  '��' => '擎',
  '��' => '擊',
  '��' => '擘',
  '��' => '擠',
  '��' => '擰',
  '��' => '擦',
  '��' => '擬',
  '��' => '擱',
  '��' => '擢',
  '��' => '擭',
  '��' => '斂',
  '��' => '斃',
  '��' => '曙',
  '��' => '曖',
  '��' => '檀',
  '��' => '檔',
  '��' => '檄',
  '��' => '檢',
  '��' => '檜',
  '��' => '櫛',
  '��' => '檣',
  '��' => '橾',
  '��' => '檗',
  '��' => '檐',
  '��' => '檠',
  '��' => '歜',
  '��' => '殮',
  '��' => '毚',
  '��' => '氈',
  '��' => '濘',
  '��' => '濱',
  '��' => '濟',
  '��' => '濠',
  '��' => '濛',
  '��' => '濤',
  '��' => '濫',
  '��' => '濯',
  '��' => '澀',
  '��' => '濬',
  '��' => '濡',
  '��' => '濩',
  '��' => '濕',
  '��' => '濮',
  '��' => '濰',
  '��' => '燧',
  '��' => '營',
  '��' => '燮',
  '��' => '燦',
  '��' => '燥',
  '��' => '燭',
  '��' => '燬',
  '��' => '燴',
  '��' => '燠',
  '��' => '爵',
  '��' => '牆',
  '��' => '獰',
  '��' => '獲',
  '��' => '璩',
  '��' => '環',
  '��' => '璦',
  '��' => '璨',
  '��' => '癆',
  '��' => '療',
  '��' => '癌',
  '��' => '盪',
  '��' => '瞳',
  '��' => '瞪',
  '��' => '瞰',
  '��' => '瞬',
  '�@' => '瞧',
  '�A' => '瞭',
  '�B' => '矯',
  '�C' => '磷',
  '�D' => '磺',
  '�E' => '磴',
  '�F' => '磯',
  '�G' => '礁',
  '�H' => '禧',
  '�I' => '禪',
  '�J' => '穗',
  '�K' => '窿',
  '�L' => '簇',
  '�M' => '簍',
  '�N' => '篾',
  '�O' => '篷',
  '�P' => '簌',
  '�Q' => '篠',
  '�R' => '糠',
  '�S' => '糜',
  '�T' => '糞',
  '�U' => '糢',
  '�V' => '糟',
  '�W' => '糙',
  '�X' => '糝',
  '�Y' => '縮',
  '�Z' => '績',
  '�[' => '繆',
  '�\\' => '縷',
  '�]' => '縲',
  '�^' => '繃',
  '�_' => '縫',
  '�`' => '總',
  '�a' => '縱',
  '�b' => '繅',
  '�c' => '繁',
  '�d' => '縴',
  '�e' => '縹',
  '�f' => '繈',
  '�g' => '縵',
  '�h' => '縿',
  '�i' => '縯',
  '�j' => '罄',
  '�k' => '翳',
  '�l' => '翼',
  '�m' => '聱',
  '�n' => '聲',
  '�o' => '聰',
  '�p' => '聯',
  '�q' => '聳',
  '�r' => '臆',
  '�s' => '臃',
  '�t' => '膺',
  '�u' => '臂',
  '�v' => '臀',
  '�w' => '膿',
  '�x' => '膽',
  '�y' => '臉',
  '�z' => '膾',
  '�{' => '臨',
  '�|' => '舉',
  '�}' => '艱',
  '�~' => '薪',
  '��' => '薄',
  '��' => '蕾',
  '��' => '薜',
  '��' => '薑',
  '��' => '薔',
  '��' => '薯',
  '��' => '薛',
  '��' => '薇',
  '��' => '薨',
  '��' => '薊',
  '��' => '虧',
  '��' => '蟀',
  '��' => '蟑',
  '��' => '螳',
  '��' => '蟒',
  '��' => '蟆',
  '��' => '螫',
  '��' => '螻',
  '��' => '螺',
  '��' => '蟈',
  '��' => '蟋',
  '��' => '褻',
  '��' => '褶',
  '��' => '襄',
  '��' => '褸',
  '��' => '褽',
  '��' => '覬',
  '��' => '謎',
  '��' => '謗',
  '��' => '謙',
  '��' => '講',
  '��' => '謊',
  '��' => '謠',
  '��' => '謝',
  '��' => '謄',
  '��' => '謐',
  '��' => '豁',
  '��' => '谿',
  '��' => '豳',
  '��' => '賺',
  '��' => '賽',
  '��' => '購',
  '��' => '賸',
  '��' => '賻',
  '��' => '趨',
  '��' => '蹉',
  '��' => '蹋',
  '��' => '蹈',
  '��' => '蹊',
  '��' => '轄',
  '��' => '輾',
  '��' => '轂',
  '��' => '轅',
  '��' => '輿',
  '��' => '避',
  '��' => '遽',
  '��' => '還',
  '��' => '邁',
  '��' => '邂',
  '��' => '邀',
  '��' => '鄹',
  '��' => '醣',
  '��' => '醞',
  '��' => '醜',
  '��' => '鍍',
  '��' => '鎂',
  '��' => '錨',
  '��' => '鍵',
  '��' => '鍊',
  '��' => '鍥',
  '��' => '鍋',
  '��' => '錘',
  '��' => '鍾',
  '��' => '鍬',
  '��' => '鍛',
  '��' => '鍰',
  '��' => '鍚',
  '��' => '鍔',
  '��' => '闊',
  '��' => '闋',
  '��' => '闌',
  '��' => '闈',
  '��' => '闆',
  '��' => '隱',
  '��' => '隸',
  '��' => '雖',
  '��' => '霜',
  '��' => '霞',
  '��' => '鞠',
  '��' => '韓',
  '��' => '顆',
  '��' => '颶',
  '��' => '餵',
  '��' => '騁',
  '�@' => '駿',
  '�A' => '鮮',
  '�B' => '鮫',
  '�C' => '鮪',
  '�D' => '鮭',
  '�E' => '鴻',
  '�F' => '鴿',
  '�G' => '麋',
  '�H' => '黏',
  '�I' => '點',
  '�J' => '黜',
  '�K' => '黝',
  '�L' => '黛',
  '�M' => '鼾',
  '�N' => '齋',
  '�O' => '叢',
  '�P' => '嚕',
  '�Q' => '嚮',
  '�R' => '壙',
  '�S' => '壘',
  '�T' => '嬸',
  '�U' => '彝',
  '�V' => '懣',
  '�W' => '戳',
  '�X' => '擴',
  '�Y' => '擲',
  '�Z' => '擾',
  '�[' => '攆',
  '�\\' => '擺',
  '�]' => '擻',
  '�^' => '擷',
  '�_' => '斷',
  '�`' => '曜',
  '�a' => '朦',
  '�b' => '檳',
  '�c' => '檬',
  '�d' => '櫃',
  '�e' => '檻',
  '�f' => '檸',
  '�g' => '櫂',
  '�h' => '檮',
  '�i' => '檯',
  '�j' => '歟',
  '�k' => '歸',
  '�l' => '殯',
  '�m' => '瀉',
  '�n' => '瀋',
  '�o' => '濾',
  '�p' => '瀆',
  '�q' => '濺',
  '�r' => '瀑',
  '�s' => '瀏',
  '�t' => '燻',
  '�u' => '燼',
  '�v' => '燾',
  '�w' => '燸',
  '�x' => '獷',
  '�y' => '獵',
  '�z' => '璧',
  '�{' => '璿',
  '�|' => '甕',
  '�}' => '癖',
  '�~' => '癘',
  '¡' => '癒',
  '¢' => '瞽',
  '£' => '瞿',
  '¤' => '瞻',
  '¥' => '瞼',
  '¦' => '礎',
  '§' => '禮',
  '¨' => '穡',
  '©' => '穢',
  'ª' => '穠',
  '«' => '竄',
  '¬' => '竅',
  '­' => '簫',
  '®' => '簧',
  '¯' => '簪',
  '°' => '簞',
  '±' => '簣',
  '²' => '簡',
  '³' => '糧',
  '´' => '織',
  'µ' => '繕',
  '¶' => '繞',
  '·' => '繚',
  '¸' => '繡',
  '¹' => '繒',
  'º' => '繙',
  '»' => '罈',
  '¼' => '翹',
  '½' => '翻',
  '¾' => '職',
  '¿' => '聶',
  '�' => '臍',
  '�' => '臏',
  '��' => '舊',
  '��' => '藏',
  '��' => '薩',
  '��' => '藍',
  '��' => '藐',
  '��' => '藉',
  '��' => '薰',
  '��' => '薺',
  '��' => '薹',
  '��' => '薦',
  '��' => '蟯',
  '��' => '蟬',
  '��' => '蟲',
  '��' => '蟠',
  '��' => '覆',
  '��' => '覲',
  '��' => '觴',
  '��' => '謨',
  '��' => '謹',
  '��' => '謬',
  '��' => '謫',
  '��' => '豐',
  '��' => '贅',
  '��' => '蹙',
  '��' => '蹣',
  '��' => '蹦',
  '��' => '蹤',
  '��' => '蹟',
  '��' => '蹕',
  '��' => '軀',
  '��' => '轉',
  '��' => '轍',
  '��' => '邇',
  '��' => '邃',
  '��' => '邈',
  '��' => '醫',
  '��' => '醬',
  '��' => '釐',
  '��' => '鎔',
  '��' => '鎊',
  '��' => '鎖',
  '��' => '鎢',
  '��' => '鎳',
  '��' => '鎮',
  '��' => '鎬',
  '��' => '鎰',
  '��' => '鎘',
  '��' => '鎚',
  '��' => '鎗',
  '��' => '闔',
  '��' => '闖',
  '�' => '闐',
  '�' => '闕',
  '�' => '離',
  '�' => '雜',
  '�' => '雙',
  '�' => '雛',
  '�' => '雞',
  '�' => '霤',
  '�' => '鞣',
  '�' => '鞦',
  '�@' => '鞭',
  '�A' => '韹',
  '�B' => '額',
  '�C' => '顏',
  '�D' => '題',
  '�E' => '顎',
  '�F' => '顓',
  '�G' => '颺',
  '�H' => '餾',
  '�I' => '餿',
  '�J' => '餽',
  '�K' => '餮',
  '�L' => '馥',
  '�M' => '騎',
  '�N' => '髁',
  '�O' => '鬃',
  '�P' => '鬆',
  '�Q' => '魏',
  '�R' => '魎',
  '�S' => '魍',
  '�T' => '鯊',
  '�U' => '鯉',
  '�V' => '鯽',
  '�W' => '鯈',
  '�X' => '鯀',
  '�Y' => '鵑',
  '�Z' => '鵝',
  '�[' => '鵠',
  '�\\' => '黠',
  '�]' => '鼕',
  '�^' => '鼬',
  '�_' => '儳',
  '�`' => '嚥',
  '�a' => '壞',
  '�b' => '壟',
  '�c' => '壢',
  '�d' => '寵',
  '�e' => '龐',
  '�f' => '廬',
  '�g' => '懲',
  '�h' => '懷',
  '�i' => '懶',
  '�j' => '懵',
  '�k' => '攀',
  '�l' => '攏',
  '�m' => '曠',
  '�n' => '曝',
  '�o' => '櫥',
  '�p' => '櫝',
  '�q' => '櫚',
  '�r' => '櫓',
  '�s' => '瀛',
  '�t' => '瀟',
  '�u' => '瀨',
  '�v' => '瀚',
  '�w' => '瀝',
  '�x' => '瀕',
  '�y' => '瀘',
  '�z' => '爆',
  '�{' => '爍',
  '�|' => '牘',
  '�}' => '犢',
  '�~' => '獸',
  'á' => '獺',
  'â' => '璽',
  'ã' => '瓊',
  'ä' => '瓣',
  'å' => '疇',
  'æ' => '疆',
  'ç' => '癟',
  'è' => '癡',
  'é' => '矇',
  'ê' => '礙',
  'ë' => '禱',
  'ì' => '穫',
  'í' => '穩',
  'î' => '簾',
  'ï' => '簿',
  'ð' => '簸',
  'ñ' => '簽',
  'ò' => '簷',
  'ó' => '籀',
  'ô' => '繫',
  'õ' => '繭',
  'ö' => '繹',
  '÷' => '繩',
  'ø' => '繪',
  'ù' => '羅',
  'ú' => '繳',
  'û' => '羶',
  'ü' => '羹',
  'ý' => '羸',
  'þ' => '臘',
  'ÿ' => '藩',
  '�' => '藝',
  '�' => '藪',
  '��' => '藕',
  '��' => '藤',
  '��' => '藥',
  '��' => '藷',
  '��' => '蟻',
  '��' => '蠅',
  '��' => '蠍',
  '��' => '蟹',
  '��' => '蟾',
  '��' => '襠',
  '��' => '襟',
  '��' => '襖',
  '��' => '襞',
  '��' => '譁',
  '��' => '譜',
  '��' => '識',
  '��' => '證',
  '��' => '譚',
  '��' => '譎',
  '��' => '譏',
  '��' => '譆',
  '��' => '譙',
  '��' => '贈',
  '��' => '贊',
  '��' => '蹼',
  '��' => '蹲',
  '��' => '躇',
  '��' => '蹶',
  '��' => '蹬',
  '��' => '蹺',
  '��' => '蹴',
  '��' => '轔',
  '��' => '轎',
  '��' => '辭',
  '��' => '邊',
  '��' => '邋',
  '��' => '醱',
  '��' => '醮',
  '��' => '鏡',
  '��' => '鏑',
  '��' => '鏟',
  '��' => '鏃',
  '��' => '鏈',
  '��' => '鏜',
  '��' => '鏝',
  '��' => '鏖',
  '��' => '鏢',
  '��' => '鏍',
  '��' => '鏘',
  '��' => '鏤',
  '��' => '鏗',
  '�' => '鏨',
  '�' => '關',
  '�' => '隴',
  '�' => '難',
  '�' => '霪',
  '�' => '霧',
  '�' => '靡',
  '�' => '韜',
  '�' => '韻',
  '�' => '類',
  '�@' => '願',
  '�A' => '顛',
  '�B' => '颼',
  '�C' => '饅',
  '�D' => '饉',
  '�E' => '騖',
  '�F' => '騙',
  '�G' => '鬍',
  '�H' => '鯨',
  '�I' => '鯧',
  '�J' => '鯖',
  '�K' => '鯛',
  '�L' => '鶉',
  '�M' => '鵡',
  '�N' => '鵲',
  '�O' => '鵪',
  '�P' => '鵬',
  '�Q' => '麒',
  '�R' => '麗',
  '�S' => '麓',
  '�T' => '麴',
  '�U' => '勸',
  '�V' => '嚨',
  '�W' => '嚷',
  '�X' => '嚶',
  '�Y' => '嚴',
  '�Z' => '嚼',
  '�[' => '壤',
  '�\\' => '孀',
  '�]' => '孃',
  '�^' => '孽',
  '�_' => '寶',
  '�`' => '巉',
  '�a' => '懸',
  '�b' => '懺',
  '�c' => '攘',
  '�d' => '攔',
  '�e' => '攙',
  '�f' => '曦',
  '�g' => '朧',
  '�h' => '櫬',
  '�i' => '瀾',
  '�j' => '瀰',
  '�k' => '瀲',
  '�l' => '爐',
  '�m' => '獻',
  '�n' => '瓏',
  '�o' => '癢',
  '�p' => '癥',
  '�q' => '礦',
  '�r' => '礪',
  '�s' => '礬',
  '�t' => '礫',
  '�u' => '竇',
  '�v' => '競',
  '�w' => '籌',
  '�x' => '籃',
  '�y' => '籍',
  '�z' => '糯',
  '�{' => '糰',
  '�|' => '辮',
  '�}' => '繽',
  '�~' => '繼',
  'ġ' => '纂',
  'Ģ' => '罌',
  'ģ' => '耀',
  'Ĥ' => '臚',
  'ĥ' => '艦',
  'Ħ' => '藻',
  'ħ' => '藹',
  'Ĩ' => '蘑',
  'ĩ' => '藺',
  'Ī' => '蘆',
  'ī' => '蘋',
  'Ĭ' => '蘇',
  'ĭ' => '蘊',
  'Į' => '蠔',
  'į' => '蠕',
  'İ' => '襤',
  'ı' => '覺',
  'IJ' => '觸',
  'ij' => '議',
  'Ĵ' => '譬',
  'ĵ' => '警',
  'Ķ' => '譯',
  'ķ' => '譟',
  'ĸ' => '譫',
  'Ĺ' => '贏',
  'ĺ' => '贍',
  'Ļ' => '躉',
  'ļ' => '躁',
  'Ľ' => '躅',
  'ľ' => '躂',
  'Ŀ' => '醴',
  '�' => '釋',
  '�' => '鐘',
  '��' => '鐃',
  '��' => '鏽',
  '��' => '闡',
  '��' => '霰',
  '��' => '飄',
  '��' => '饒',
  '��' => '饑',
  '��' => '馨',
  '��' => '騫',
  '��' => '騰',
  '��' => '騷',
  '��' => '騵',
  '��' => '鰓',
  '��' => '鰍',
  '��' => '鹹',
  '��' => '麵',
  '��' => '黨',
  '��' => '鼯',
  '��' => '齟',
  '��' => '齣',
  '��' => '齡',
  '��' => '儷',
  '��' => '儸',
  '��' => '囁',
  '��' => '囀',
  '��' => '囂',
  '��' => '夔',
  '��' => '屬',
  '��' => '巍',
  '��' => '懼',
  '��' => '懾',
  '��' => '攝',
  '��' => '攜',
  '��' => '斕',
  '��' => '曩',
  '��' => '櫻',
  '��' => '欄',
  '��' => '櫺',
  '��' => '殲',
  '��' => '灌',
  '��' => '爛',
  '��' => '犧',
  '��' => '瓖',
  '��' => '瓔',
  '��' => '癩',
  '��' => '矓',
  '��' => '籐',
  '��' => '纏',
  '��' => '續',
  '��' => '羼',
  '��' => '蘗',
  '�' => '蘭',
  '�' => '蘚',
  '�' => '蠣',
  '�' => '蠢',
  '�' => '蠡',
  '�' => '蠟',
  '�' => '襪',
  '�' => '襬',
  '�' => '覽',
  '�' => '譴',
  '�@' => '護',
  '�A' => '譽',
  '�B' => '贓',
  '�C' => '躊',
  '�D' => '躍',
  '�E' => '躋',
  '�F' => '轟',
  '�G' => '辯',
  '�H' => '醺',
  '�I' => '鐮',
  '�J' => '鐳',
  '�K' => '鐵',
  '�L' => '鐺',
  '�M' => '鐸',
  '�N' => '鐲',
  '�O' => '鐫',
  '�P' => '闢',
  '�Q' => '霸',
  '�R' => '霹',
  '�S' => '露',
  '�T' => '響',
  '�U' => '顧',
  '�V' => '顥',
  '�W' => '饗',
  '�X' => '驅',
  '�Y' => '驃',
  '�Z' => '驀',
  '�[' => '騾',
  '�\\' => '髏',
  '�]' => '魔',
  '�^' => '魑',
  '�_' => '鰭',
  '�`' => '鰥',
  '�a' => '鶯',
  '�b' => '鶴',
  '�c' => '鷂',
  '�d' => '鶸',
  '�e' => '麝',
  '�f' => '黯',
  '�g' => '鼙',
  '�h' => '齜',
  '�i' => '齦',
  '�j' => '齧',
  '�k' => '儼',
  '�l' => '儻',
  '�m' => '囈',
  '�n' => '囊',
  '�o' => '囉',
  '�p' => '孿',
  '�q' => '巔',
  '�r' => '巒',
  '�s' => '彎',
  '�t' => '懿',
  '�u' => '攤',
  '�v' => '權',
  '�w' => '歡',
  '�x' => '灑',
  '�y' => '灘',
  '�z' => '玀',
  '�{' => '瓤',
  '�|' => '疊',
  '�}' => '癮',
  '�~' => '癬',
  'š' => '禳',
  'Ţ' => '籠',
  'ţ' => '籟',
  'Ť' => '聾',
  'ť' => '聽',
  'Ŧ' => '臟',
  'ŧ' => '襲',
  'Ũ' => '襯',
  'ũ' => '觼',
  'Ū' => '讀',
  'ū' => '贖',
  'Ŭ' => '贗',
  'ŭ' => '躑',
  'Ů' => '躓',
  'ů' => '轡',
  'Ű' => '酈',
  'ű' => '鑄',
  'Ų' => '鑑',
  'ų' => '鑒',
  'Ŵ' => '霽',
  'ŵ' => '霾',
  'Ŷ' => '韃',
  'ŷ' => '韁',
  'Ÿ' => '顫',
  'Ź' => '饕',
  'ź' => '驕',
  'Ż' => '驍',
  'ż' => '髒',
  'Ž' => '鬚',
  'ž' => '鱉',
  'ſ' => '鰱',
  '�' => '鰾',
  '�' => '鰻',
  '��' => '鷓',
  '��' => '鷗',
  '��' => '鼴',
  '��' => '齬',
  '��' => '齪',
  '��' => '龔',
  '��' => '囌',
  '��' => '巖',
  '��' => '戀',
  '��' => '攣',
  '��' => '攫',
  '��' => '攪',
  '��' => '曬',
  '��' => '欐',
  '��' => '瓚',
  '��' => '竊',
  '��' => '籤',
  '��' => '籣',
  '��' => '籥',
  '��' => '纓',
  '��' => '纖',
  '��' => '纔',
  '��' => '臢',
  '��' => '蘸',
  '��' => '蘿',
  '��' => '蠱',
  '��' => '變',
  '��' => '邐',
  '��' => '邏',
  '��' => '鑣',
  '��' => '鑠',
  '��' => '鑤',
  '��' => '靨',
  '��' => '顯',
  '��' => '饜',
  '��' => '驚',
  '��' => '驛',
  '��' => '驗',
  '��' => '髓',
  '��' => '體',
  '��' => '髑',
  '��' => '鱔',
  '��' => '鱗',
  '��' => '鱖',
  '��' => '鷥',
  '��' => '麟',
  '��' => '黴',
  '��' => '囑',
  '��' => '壩',
  '��' => '攬',
  '��' => '灞',
  '�' => '癱',
  '�' => '癲',
  '�' => '矗',
  '�' => '罐',
  '�' => '羈',
  '�' => '蠶',
  '�' => '蠹',
  '�' => '衢',
  '�' => '讓',
  '�' => '讒',
  '�@' => '讖',
  '�A' => '艷',
  '�B' => '贛',
  '�C' => '釀',
  '�D' => '鑪',
  '�E' => '靂',
  '�F' => '靈',
  '�G' => '靄',
  '�H' => '韆',
  '�I' => '顰',
  '�J' => '驟',
  '�K' => '鬢',
  '�L' => '魘',
  '�M' => '鱟',
  '�N' => '鷹',
  '�O' => '鷺',
  '�P' => '鹼',
  '�Q' => '鹽',
  '�R' => '鼇',
  '�S' => '齷',
  '�T' => '齲',
  '�U' => '廳',
  '�V' => '欖',
  '�W' => '灣',
  '�X' => '籬',
  '�Y' => '籮',
  '�Z' => '蠻',
  '�[' => '觀',
  '�\\' => '躡',
  '�]' => '釁',
  '�^' => '鑲',
  '�_' => '鑰',
  '�`' => '顱',
  '�a' => '饞',
  '�b' => '髖',
  '�c' => '鬣',
  '�d' => '黌',
  '�e' => '灤',
  '�f' => '矚',
  '�g' => '讚',
  '�h' => '鑷',
  '�i' => '韉',
  '�j' => '驢',
  '�k' => '驥',
  '�l' => '纜',
  '�m' => '讜',
  '�n' => '躪',
  '�o' => '釅',
  '�p' => '鑽',
  '�q' => '鑾',
  '�r' => '鑼',
  '�s' => '鱷',
  '�t' => '鱸',
  '�u' => '黷',
  '�v' => '豔',
  '�w' => '鑿',
  '�x' => '鸚',
  '�y' => '爨',
  '�z' => '驪',
  '�{' => '鬱',
  '�|' => '鸛',
  '�}' => '鸞',
  '�~' => '籲',
  'ơ' => 'ヾ',
  'Ƣ' => 'ゝ',
  'ƣ' => 'ゞ',
  'Ƥ' => '々',
  'ƥ' => 'ぁ',
  'Ʀ' => 'あ',
  'Ƨ' => 'ぃ',
  'ƨ' => 'い',
  'Ʃ' => 'ぅ',
  'ƪ' => 'う',
  'ƫ' => 'ぇ',
  'Ƭ' => 'え',
  'ƭ' => 'ぉ',
  'Ʈ' => 'お',
  'Ư' => 'か',
  'ư' => 'が',
  'Ʊ' => 'き',
  'Ʋ' => 'ぎ',
  'Ƴ' => 'く',
  'ƴ' => 'ぐ',
  'Ƶ' => 'け',
  'ƶ' => 'げ',
  'Ʒ' => 'こ',
  'Ƹ' => 'ご',
  'ƹ' => 'さ',
  'ƺ' => 'ざ',
  'ƻ' => 'し',
  'Ƽ' => 'じ',
  'ƽ' => 'す',
  'ƾ' => 'ず',
  'ƿ' => 'せ',
  '�' => 'ぜ',
  '�' => 'そ',
  '��' => 'ぞ',
  '��' => 'た',
  '��' => 'だ',
  '��' => 'ち',
  '��' => 'ぢ',
  '��' => 'っ',
  '��' => 'つ',
  '��' => 'づ',
  '��' => 'て',
  '��' => 'で',
  '��' => 'と',
  '��' => 'ど',
  '��' => 'な',
  '��' => 'に',
  '��' => 'ぬ',
  '��' => 'ね',
  '��' => 'の',
  '��' => 'は',
  '��' => 'ば',
  '��' => 'ぱ',
  '��' => 'ひ',
  '��' => 'び',
  '��' => 'ぴ',
  '��' => 'ふ',
  '��' => 'ぶ',
  '��' => 'ぷ',
  '��' => 'へ',
  '��' => 'べ',
  '��' => 'ぺ',
  '��' => 'ほ',
  '��' => 'ぼ',
  '��' => 'ぽ',
  '��' => 'ま',
  '��' => 'み',
  '��' => 'む',
  '��' => 'め',
  '��' => 'も',
  '��' => 'ゃ',
  '��' => 'や',
  '��' => 'ゅ',
  '��' => 'ゆ',
  '��' => 'ょ',
  '��' => 'よ',
  '��' => 'ら',
  '��' => 'り',
  '��' => 'る',
  '��' => 'れ',
  '��' => 'ろ',
  '��' => 'ゎ',
  '��' => 'わ',
  '��' => 'ゐ',
  '�' => 'ゑ',
  '�' => 'を',
  '�' => 'ん',
  '�' => 'ァ',
  '�' => 'ア',
  '�' => 'ィ',
  '�' => 'イ',
  '�' => 'ゥ',
  '�' => 'ウ',
  '�' => 'ェ',
  '�@' => 'エ',
  '�A' => 'ォ',
  '�B' => 'オ',
  '�C' => 'カ',
  '�D' => 'ガ',
  '�E' => 'キ',
  '�F' => 'ギ',
  '�G' => 'ク',
  '�H' => 'グ',
  '�I' => 'ケ',
  '�J' => 'ゲ',
  '�K' => 'コ',
  '�L' => 'ゴ',
  '�M' => 'サ',
  '�N' => 'ザ',
  '�O' => 'シ',
  '�P' => 'ジ',
  '�Q' => 'ス',
  '�R' => 'ズ',
  '�S' => 'セ',
  '�T' => 'ゼ',
  '�U' => 'ソ',
  '�V' => 'ゾ',
  '�W' => 'タ',
  '�X' => 'ダ',
  '�Y' => 'チ',
  '�Z' => 'ヂ',
  '�[' => 'ッ',
  '�\\' => 'ツ',
  '�]' => 'ヅ',
  '�^' => 'テ',
  '�_' => 'デ',
  '�`' => 'ト',
  '�a' => 'ド',
  '�b' => 'ナ',
  '�c' => 'ニ',
  '�d' => 'ヌ',
  '�e' => 'ネ',
  '�f' => 'ノ',
  '�g' => 'ハ',
  '�h' => 'バ',
  '�i' => 'パ',
  '�j' => 'ヒ',
  '�k' => 'ビ',
  '�l' => 'ピ',
  '�m' => 'フ',
  '�n' => 'ブ',
  '�o' => 'プ',
  '�p' => 'ヘ',
  '�q' => 'ベ',
  '�r' => 'ペ',
  '�s' => 'ホ',
  '�t' => 'ボ',
  '�u' => 'ポ',
  '�v' => 'マ',
  '�w' => 'ミ',
  '�x' => 'ム',
  '�y' => 'メ',
  '�z' => 'モ',
  '�{' => 'ャ',
  '�|' => 'ヤ',
  '�}' => 'ュ',
  '�~' => 'ユ',
  'ǡ' => 'ョ',
  'Ǣ' => 'ヨ',
  'ǣ' => 'ラ',
  'Ǥ' => 'リ',
  'ǥ' => 'ル',
  'Ǧ' => 'レ',
  'ǧ' => 'ロ',
  'Ǩ' => 'ヮ',
  'ǩ' => 'ワ',
  'Ǫ' => 'ヰ',
  'ǫ' => 'ヱ',
  'Ǭ' => 'ヲ',
  'ǭ' => 'ン',
  'Ǯ' => 'ヴ',
  'ǯ' => 'ヵ',
  'ǰ' => 'ヶ',
  'DZ' => 'Д',
  'Dz' => 'Е',
  'dz' => 'Ё',
  'Ǵ' => 'Ж',
  'ǵ' => 'З',
  'Ƕ' => 'И',
  'Ƿ' => 'Й',
  'Ǹ' => 'К',
  'ǹ' => 'Л',
  'Ǻ' => 'М',
  'ǻ' => 'У',
  'Ǽ' => 'Ф',
  'ǽ' => 'Х',
  'Ǿ' => 'Ц',
  'ǿ' => 'Ч',
  '�' => 'Ш',
  '�' => 'Щ',
  '��' => 'Ъ',
  '��' => 'Ы',
  '��' => 'Ь',
  '��' => 'Э',
  '��' => 'Ю',
  '��' => 'Я',
  '��' => 'а',
  '��' => 'б',
  '��' => 'в',
  '��' => 'г',
  '��' => 'д',
  '��' => 'е',
  '��' => 'ё',
  '��' => 'ж',
  '��' => 'з',
  '��' => 'и',
  '��' => 'й',
  '��' => 'к',
  '��' => 'л',
  '��' => 'м',
  '��' => 'н',
  '��' => 'о',
  '��' => 'п',
  '��' => 'р',
  '��' => 'с',
  '��' => 'т',
  '��' => 'у',
  '��' => 'ф',
  '��' => 'х',
  '��' => 'ц',
  '��' => 'ч',
  '��' => 'ш',
  '��' => 'щ',
  '��' => 'ъ',
  '��' => 'ы',
  '��' => 'ь',
  '��' => 'э',
  '��' => 'ю',
  '��' => 'я',
  '��' => '①',
  '��' => '②',
  '��' => '③',
  '��' => '④',
  '��' => '⑤',
  '��' => '⑥',
  '��' => '⑦',
  '��' => '⑧',
  '��' => '⑨',
  '��' => '⑩',
  '��' => '⑴',
  '��' => '⑵',
  '�' => '⑶',
  '�' => '⑷',
  '�' => '⑸',
  '�' => '⑹',
  '�' => '⑺',
  '�' => '⑻',
  '�' => '⑼',
  '�' => '⑽',
  '�@' => '乂',
  '�A' => '乜',
  '�B' => '凵',
  '�C' => '匚',
  '�D' => '厂',
  '�E' => '万',
  '�F' => '丌',
  '�G' => '乇',
  '�H' => '亍',
  '�I' => '囗',
  '�J' => '兀',
  '�K' => '屮',
  '�L' => '彳',
  '�M' => '丏',
  '�N' => '冇',
  '�O' => '与',
  '�P' => '丮',
  '�Q' => '亓',
  '�R' => '仂',
  '�S' => '仉',
  '�T' => '仈',
  '�U' => '冘',
  '�V' => '勼',
  '�W' => '卬',
  '�X' => '厹',
  '�Y' => '圠',
  '�Z' => '夃',
  '�[' => '夬',
  '�\\' => '尐',
  '�]' => '巿',
  '�^' => '旡',
  '�_' => '殳',
  '�`' => '毌',
  '�a' => '气',
  '�b' => '爿',
  '�c' => '丱',
  '�d' => '丼',
  '�e' => '仨',
  '�f' => '仜',
  '�g' => '仩',
  '�h' => '仡',
  '�i' => '仝',
  '�j' => '仚',
  '�k' => '刌',
  '�l' => '匜',
  '�m' => '卌',
  '�n' => '圢',
  '�o' => '圣',
  '�p' => '夗',
  '�q' => '夯',
  '�r' => '宁',
  '�s' => '宄',
  '�t' => '尒',
  '�u' => '尻',
  '�v' => '屴',
  '�w' => '屳',
  '�x' => '帄',
  '�y' => '庀',
  '�z' => '庂',
  '�{' => '忉',
  '�|' => '戉',
  '�}' => '扐',
  '�~' => '氕',
  'ɡ' => '氶',
  'ɢ' => '汃',
  'ɣ' => '氿',
  'ɤ' => '氻',
  'ɥ' => '犮',
  'ɦ' => '犰',
  'ɧ' => '玊',
  'ɨ' => '禸',
  'ɩ' => '肊',
  'ɪ' => '阞',
  'ɫ' => '伎',
  'ɬ' => '优',
  'ɭ' => '伬',
  'ɮ' => '仵',
  'ɯ' => '伔',
  'ɰ' => '仱',
  'ɱ' => '伀',
  'ɲ' => '价',
  'ɳ' => '伈',
  'ɴ' => '伝',
  'ɵ' => '伂',
  'ɶ' => '伅',
  'ɷ' => '伢',
  'ɸ' => '伓',
  'ɹ' => '伄',
  'ɺ' => '仴',
  'ɻ' => '伒',
  'ɼ' => '冱',
  'ɽ' => '刓',
  'ɾ' => '刉',
  'ɿ' => '刐',
  '�' => '劦',
  '�' => '匢',
  '��' => '匟',
  '��' => '卍',
  '��' => '厊',
  '��' => '吇',
  '��' => '囡',
  '��' => '囟',
  '��' => '圮',
  '��' => '圪',
  '��' => '圴',
  '��' => '夼',
  '��' => '妀',
  '��' => '奼',
  '��' => '妅',
  '��' => '奻',
  '��' => '奾',
  '��' => '奷',
  '��' => '奿',
  '��' => '孖',
  '��' => '尕',
  '��' => '尥',
  '��' => '屼',
  '��' => '屺',
  '��' => '屻',
  '��' => '屾',
  '��' => '巟',
  '��' => '幵',
  '��' => '庄',
  '��' => '异',
  '��' => '弚',
  '��' => '彴',
  '��' => '忕',
  '��' => '忔',
  '��' => '忏',
  '��' => '扜',
  '��' => '扞',
  '��' => '扤',
  '��' => '扡',
  '��' => '扦',
  '��' => '扢',
  '��' => '扙',
  '��' => '扠',
  '��' => '扚',
  '��' => '扥',
  '��' => '旯',
  '��' => '旮',
  '��' => '朾',
  '��' => '朹',
  '��' => '朸',
  '��' => '朻',
  '��' => '机',
  '��' => '朿',
  '�' => '朼',
  '�' => '朳',
  '�' => '氘',
  '�' => '汆',
  '�' => '汒',
  '�' => '汜',
  '�' => '汏',
  '�' => '汊',
  '�' => '汔',
  '�' => '汋',
  '�@' => '汌',
  '�A' => '灱',
  '�B' => '牞',
  '�C' => '犴',
  '�D' => '犵',
  '�E' => '玎',
  '�F' => '甪',
  '�G' => '癿',
  '�H' => '穵',
  '�I' => '网',
  '�J' => '艸',
  '�K' => '艼',
  '�L' => '芀',
  '�M' => '艽',
  '�N' => '艿',
  '�O' => '虍',
  '�P' => '襾',
  '�Q' => '邙',
  '�R' => '邗',
  '�S' => '邘',
  '�T' => '邛',
  '�U' => '邔',
  '�V' => '阢',
  '�W' => '阤',
  '�X' => '阠',
  '�Y' => '阣',
  '�Z' => '佖',
  '�[' => '伻',
  '�\\' => '佢',
  '�]' => '佉',
  '�^' => '体',
  '�_' => '佤',
  '�`' => '伾',
  '�a' => '佧',
  '�b' => '佒',
  '�c' => '佟',
  '�d' => '佁',
  '�e' => '佘',
  '�f' => '伭',
  '�g' => '伳',
  '�h' => '伿',
  '�i' => '佡',
  '�j' => '冏',
  '�k' => '冹',
  '�l' => '刜',
  '�m' => '刞',
  '�n' => '刡',
  '�o' => '劭',
  '�p' => '劮',
  '�q' => '匉',
  '�r' => '卣',
  '�s' => '卲',
  '�t' => '厎',
  '�u' => '厏',
  '�v' => '吰',
  '�w' => '吷',
  '�x' => '吪',
  '�y' => '呔',
  '�z' => '呅',
  '�{' => '吙',
  '�|' => '吜',
  '�}' => '吥',
  '�~' => '吘',
  'ʡ' => '吽',
  'ʢ' => '呏',
  'ʣ' => '呁',
  'ʤ' => '吨',
  'ʥ' => '吤',
  'ʦ' => '呇',
  'ʧ' => '囮',
  'ʨ' => '囧',
  'ʩ' => '囥',
  'ʪ' => '坁',
  'ʫ' => '坅',
  'ʬ' => '坌',
  'ʭ' => '坉',
  'ʮ' => '坋',
  'ʯ' => '坒',
  'ʰ' => '夆',
  'ʱ' => '奀',
  'ʲ' => '妦',
  'ʳ' => '妘',
  'ʴ' => '妠',
  'ʵ' => '妗',
  'ʶ' => '妎',
  'ʷ' => '妢',
  'ʸ' => '妐',
  'ʹ' => '妏',
  'ʺ' => '妧',
  'ʻ' => '妡',
  'ʼ' => '宎',
  'ʽ' => '宒',
  'ʾ' => '尨',
  'ʿ' => '尪',
  '�' => '岍',
  '�' => '岏',
  '��' => '岈',
  '��' => '岋',
  '��' => '岉',
  '��' => '岒',
  '��' => '岊',
  '��' => '岆',
  '��' => '岓',
  '��' => '岕',
  '��' => '巠',
  '��' => '帊',
  '��' => '帎',
  '��' => '庋',
  '��' => '庉',
  '��' => '庌',
  '��' => '庈',
  '��' => '庍',
  '��' => '弅',
  '��' => '弝',
  '��' => '彸',
  '��' => '彶',
  '��' => '忒',
  '��' => '忑',
  '��' => '忐',
  '��' => '忭',
  '��' => '忨',
  '��' => '忮',
  '��' => '忳',
  '��' => '忡',
  '��' => '忤',
  '��' => '忣',
  '��' => '忺',
  '��' => '忯',
  '��' => '忷',
  '��' => '忻',
  '��' => '怀',
  '��' => '忴',
  '��' => '戺',
  '��' => '抃',
  '��' => '抌',
  '��' => '抎',
  '��' => '抏',
  '��' => '抔',
  '��' => '抇',
  '��' => '扱',
  '��' => '扻',
  '��' => '扺',
  '��' => '扰',
  '��' => '抁',
  '��' => '抈',
  '��' => '扷',
  '��' => '扽',
  '�' => '扲',
  '�' => '扴',
  '�' => '攷',
  '�' => '旰',
  '�' => '旴',
  '�' => '旳',
  '�' => '旲',
  '�' => '旵',
  '�' => '杅',
  '�' => '杇',
  '�@' => '杙',
  '�A' => '杕',
  '�B' => '杌',
  '�C' => '杈',
  '�D' => '杝',
  '�E' => '杍',
  '�F' => '杚',
  '�G' => '杋',
  '�H' => '毐',
  '�I' => '氙',
  '�J' => '氚',
  '�K' => '汸',
  '�L' => '汧',
  '�M' => '汫',
  '�N' => '沄',
  '�O' => '沋',
  '�P' => '沏',
  '�Q' => '汱',
  '�R' => '汯',
  '�S' => '汩',
  '�T' => '沚',
  '�U' => '汭',
  '�V' => '沇',
  '�W' => '沕',
  '�X' => '沜',
  '�Y' => '汦',
  '�Z' => '汳',
  '�[' => '汥',
  '�\\' => '汻',
  '�]' => '沎',
  '�^' => '灴',
  '�_' => '灺',
  '�`' => '牣',
  '�a' => '犿',
  '�b' => '犽',
  '�c' => '狃',
  '�d' => '狆',
  '�e' => '狁',
  '�f' => '犺',
  '�g' => '狅',
  '�h' => '玕',
  '�i' => '玗',
  '�j' => '玓',
  '�k' => '玔',
  '�l' => '玒',
  '�m' => '町',
  '�n' => '甹',
  '�o' => '疔',
  '�p' => '疕',
  '�q' => '皁',
  '�r' => '礽',
  '�s' => '耴',
  '�t' => '肕',
  '�u' => '肙',
  '�v' => '肐',
  '�w' => '肒',
  '�x' => '肜',
  '�y' => '芐',
  '�z' => '芏',
  '�{' => '芅',
  '�|' => '芎',
  '�}' => '芑',
  '�~' => '芓',
  'ˡ' => '芊',
  'ˢ' => '芃',
  'ˣ' => '芄',
  'ˤ' => '豸',
  '˥' => '迉',
  '˦' => '辿',
  '˧' => '邟',
  '˨' => '邡',
  '˩' => '邥',
  '˪' => '邞',
  '˫' => '邧',
  'ˬ' => '邠',
  '˭' => '阰',
  'ˮ' => '阨',
  '˯' => '阯',
  '˰' => '阭',
  '˱' => '丳',
  '˲' => '侘',
  '˳' => '佼',
  '˴' => '侅',
  '˵' => '佽',
  '˶' => '侀',
  '˷' => '侇',
  '˸' => '佶',
  '˹' => '佴',
  '˺' => '侉',
  '˻' => '侄',
  '˼' => '佷',
  '˽' => '佌',
  '˾' => '侗',
  '˿' => '佪',
  '�' => '侚',
  '�' => '佹',
  '��' => '侁',
  '��' => '佸',
  '��' => '侐',
  '��' => '侜',
  '��' => '侔',
  '��' => '侞',
  '��' => '侒',
  '��' => '侂',
  '��' => '侕',
  '��' => '佫',
  '��' => '佮',
  '��' => '冞',
  '��' => '冼',
  '��' => '冾',
  '��' => '刵',
  '��' => '刲',
  '��' => '刳',
  '��' => '剆',
  '��' => '刱',
  '��' => '劼',
  '��' => '匊',
  '��' => '匋',
  '��' => '匼',
  '��' => '厒',
  '��' => '厔',
  '��' => '咇',
  '��' => '呿',
  '��' => '咁',
  '��' => '咑',
  '��' => '咂',
  '��' => '咈',
  '��' => '呫',
  '��' => '呺',
  '��' => '呾',
  '��' => '呥',
  '��' => '呬',
  '��' => '呴',
  '��' => '呦',
  '��' => '咍',
  '��' => '呯',
  '��' => '呡',
  '��' => '呠',
  '��' => '咘',
  '��' => '呣',
  '��' => '呧',
  '��' => '呤',
  '��' => '囷',
  '��' => '囹',
  '��' => '坯',
  '��' => '坲',
  '��' => '坭',
  '�' => '坫',
  '�' => '坱',
  '�' => '坰',
  '�' => '坶',
  '�' => '垀',
  '�' => '坵',
  '�' => '坻',
  '�' => '坳',
  '�' => '坴',
  '�' => '坢',
  '�@' => '坨',
  '�A' => '坽',
  '�B' => '夌',
  '�C' => '奅',
  '�D' => '妵',
  '�E' => '妺',
  '�F' => '姏',
  '�G' => '姎',
  '�H' => '妲',
  '�I' => '姌',
  '�J' => '姁',
  '�K' => '妶',
  '�L' => '妼',
  '�M' => '姃',
  '�N' => '姖',
  '�O' => '妱',
  '�P' => '妽',
  '�Q' => '姀',
  '�R' => '姈',
  '�S' => '妴',
  '�T' => '姇',
  '�U' => '孢',
  '�V' => '孥',
  '�W' => '宓',
  '�X' => '宕',
  '�Y' => '屄',
  '�Z' => '屇',
  '�[' => '岮',
  '�\\' => '岤',
  '�]' => '岠',
  '�^' => '岵',
  '�_' => '岯',
  '�`' => '岨',
  '�a' => '岬',
  '�b' => '岟',
  '�c' => '岣',
  '�d' => '岭',
  '�e' => '岢',
  '�f' => '岪',
  '�g' => '岧',
  '�h' => '岝',
  '�i' => '岥',
  '�j' => '岶',
  '�k' => '岰',
  '�l' => '岦',
  '�m' => '帗',
  '�n' => '帔',
  '�o' => '帙',
  '�p' => '弨',
  '�q' => '弢',
  '�r' => '弣',
  '�s' => '弤',
  '�t' => '彔',
  '�u' => '徂',
  '�v' => '彾',
  '�w' => '彽',
  '�x' => '忞',
  '�y' => '忥',
  '�z' => '怭',
  '�{' => '怦',
  '�|' => '怙',
  '�}' => '怲',
  '�~' => '怋',
  '̡' => '怴',
  '̢' => '怊',
  '̣' => '怗',
  '̤' => '怳',
  '̥' => '怚',
  '̦' => '怞',
  '̧' => '怬',
  '̨' => '怢',
  '̩' => '怍',
  '̪' => '怐',
  '̫' => '怮',
  '̬' => '怓',
  '̭' => '怑',
  '̮' => '怌',
  '̯' => '怉',
  '̰' => '怜',
  '̱' => '戔',
  '̲' => '戽',
  '̳' => '抭',
  '̴' => '抴',
  '̵' => '拑',
  '̶' => '抾',
  '̷' => '抪',
  '̸' => '抶',
  '̹' => '拊',
  '̺' => '抮',
  '̻' => '抳',
  '̼' => '抯',
  '̽' => '抻',
  '̾' => '抩',
  '̿' => '抰',
  '�' => '抸',
  '�' => '攽',
  '��' => '斨',
  '��' => '斻',
  '��' => '昉',
  '��' => '旼',
  '��' => '昄',
  '��' => '昒',
  '��' => '昈',
  '��' => '旻',
  '��' => '昃',
  '��' => '昋',
  '��' => '昍',
  '��' => '昅',
  '��' => '旽',
  '��' => '昑',
  '��' => '昐',
  '��' => '曶',
  '��' => '朊',
  '��' => '枅',
  '��' => '杬',
  '��' => '枎',
  '��' => '枒',
  '��' => '杶',
  '��' => '杻',
  '��' => '枘',
  '��' => '枆',
  '��' => '构',
  '��' => '杴',
  '��' => '枍',
  '��' => '枌',
  '��' => '杺',
  '��' => '枟',
  '��' => '枑',
  '��' => '枙',
  '��' => '枃',
  '��' => '杽',
  '��' => '极',
  '��' => '杸',
  '��' => '杹',
  '��' => '枔',
  '��' => '欥',
  '��' => '殀',
  '��' => '歾',
  '��' => '毞',
  '��' => '氝',
  '��' => '沓',
  '��' => '泬',
  '��' => '泫',
  '��' => '泮',
  '��' => '泙',
  '��' => '沶',
  '��' => '泔',
  '�' => '沭',
  '�' => '泧',
  '�' => '沷',
  '�' => '泐',
  '�' => '泂',
  '�' => '沺',
  '�' => '泃',
  '�' => '泆',
  '�' => '泭',
  '�' => '泲',
  '�@' => '泒',
  '�A' => '泝',
  '�B' => '沴',
  '�C' => '沊',
  '�D' => '沝',
  '�E' => '沀',
  '�F' => '泞',
  '�G' => '泀',
  '�H' => '洰',
  '�I' => '泍',
  '�J' => '泇',
  '�K' => '沰',
  '�L' => '泹',
  '�M' => '泏',
  '�N' => '泩',
  '�O' => '泑',
  '�P' => '炔',
  '�Q' => '炘',
  '�R' => '炅',
  '�S' => '炓',
  '�T' => '炆',
  '�U' => '炄',
  '�V' => '炑',
  '�W' => '炖',
  '�X' => '炂',
  '�Y' => '炚',
  '�Z' => '炃',
  '�[' => '牪',
  '�\\' => '狖',
  '�]' => '狋',
  '�^' => '狘',
  '�_' => '狉',
  '�`' => '狜',
  '�a' => '狒',
  '�b' => '狔',
  '�c' => '狚',
  '�d' => '狌',
  '�e' => '狑',
  '�f' => '玤',
  '�g' => '玡',
  '�h' => '玭',
  '�i' => '玦',
  '�j' => '玢',
  '�k' => '玠',
  '�l' => '玬',
  '�m' => '玝',
  '�n' => '瓝',
  '�o' => '瓨',
  '�p' => '甿',
  '�q' => '畀',
  '�r' => '甾',
  '�s' => '疌',
  '�t' => '疘',
  '�u' => '皯',
  '�v' => '盳',
  '�w' => '盱',
  '�x' => '盰',
  '�y' => '盵',
  '�z' => '矸',
  '�{' => '矼',
  '�|' => '矹',
  '�}' => '矻',
  '�~' => '矺',
  '͡' => '矷',
  '͢' => '祂',
  'ͣ' => '礿',
  'ͤ' => '秅',
  'ͥ' => '穸',
  'ͦ' => '穻',
  'ͧ' => '竻',
  'ͨ' => '籵',
  'ͩ' => '糽',
  'ͪ' => '耵',
  'ͫ' => '肏',
  'ͬ' => '肮',
  'ͭ' => '肣',
  'ͮ' => '肸',
  'ͯ' => '肵',
  'Ͱ' => '肭',
  'ͱ' => '舠',
  'Ͳ' => '芠',
  'ͳ' => '苀',
  'ʹ' => '芫',
  '͵' => '芚',
  'Ͷ' => '芘',
  'ͷ' => '芛',
  '͸' => '芵',
  '͹' => '芧',
  'ͺ' => '芮',
  'ͻ' => '芼',
  'ͼ' => '芞',
  'ͽ' => '芺',
  ';' => '芴',
  'Ϳ' => '芨',
  '�' => '芡',
  '�' => '芩',
  '��' => '苂',
  '��' => '芤',
  '��' => '苃',
  '��' => '芶',
  '��' => '芢',
  '��' => '虰',
  '��' => '虯',
  '��' => '虭',
  '��' => '虮',
  '��' => '豖',
  '��' => '迒',
  '��' => '迋',
  '��' => '迓',
  '��' => '迍',
  '��' => '迖',
  '��' => '迕',
  '��' => '迗',
  '��' => '邲',
  '��' => '邴',
  '��' => '邯',
  '��' => '邳',
  '��' => '邰',
  '��' => '阹',
  '��' => '阽',
  '��' => '阼',
  '��' => '阺',
  '��' => '陃',
  '��' => '俍',
  '��' => '俅',
  '��' => '俓',
  '��' => '侲',
  '��' => '俉',
  '��' => '俋',
  '��' => '俁',
  '��' => '俔',
  '��' => '俜',
  '��' => '俙',
  '��' => '侻',
  '��' => '侳',
  '��' => '俛',
  '��' => '俇',
  '��' => '俖',
  '��' => '侺',
  '��' => '俀',
  '��' => '侹',
  '��' => '俬',
  '��' => '剄',
  '��' => '剉',
  '��' => '勀',
  '��' => '勂',
  '��' => '匽',
  '�' => '卼',
  '�' => '厗',
  '�' => '厖',
  '�' => '厙',
  '�' => '厘',
  '�' => '咺',
  '�' => '咡',
  '�' => '咭',
  '�' => '咥',
  '�' => '哏',
  '�@' => '哃',
  '�A' => '茍',
  '�B' => '咷',
  '�C' => '咮',
  '�D' => '哖',
  '�E' => '咶',
  '�F' => '哅',
  '�G' => '哆',
  '�H' => '咠',
  '�I' => '呰',
  '�J' => '咼',
  '�K' => '咢',
  '�L' => '咾',
  '�M' => '呲',
  '�N' => '哞',
  '�O' => '咰',
  '�P' => '垵',
  '�Q' => '垞',
  '�R' => '垟',
  '�S' => '垤',
  '�T' => '垌',
  '�U' => '垗',
  '�V' => '垝',
  '�W' => '垛',
  '�X' => '垔',
  '�Y' => '垘',
  '�Z' => '垏',
  '�[' => '垙',
  '�\\' => '垥',
  '�]' => '垚',
  '�^' => '垕',
  '�_' => '壴',
  '�`' => '复',
  '�a' => '奓',
  '�b' => '姡',
  '�c' => '姞',
  '�d' => '姮',
  '�e' => '娀',
  '�f' => '姱',
  '�g' => '姝',
  '�h' => '姺',
  '�i' => '姽',
  '�j' => '姼',
  '�k' => '姶',
  '�l' => '姤',
  '�m' => '姲',
  '�n' => '姷',
  '�o' => '姛',
  '�p' => '姩',
  '�q' => '姳',
  '�r' => '姵',
  '�s' => '姠',
  '�t' => '姾',
  '�u' => '姴',
  '�v' => '姭',
  '�w' => '宨',
  '�x' => '屌',
  '�y' => '峐',
  '�z' => '峘',
  '�{' => '峌',
  '�|' => '峗',
  '�}' => '峋',
  '�~' => '峛',
  'Ρ' => '峞',
  '΢' => '峚',
  'Σ' => '峉',
  'Τ' => '峇',
  'Υ' => '峊',
  'Φ' => '峖',
  'Χ' => '峓',
  'Ψ' => '峔',
  'Ω' => '峏',
  'Ϊ' => '峈',
  'Ϋ' => '峆',
  'ά' => '峎',
  'έ' => '峟',
  'ή' => '峸',
  'ί' => '巹',
  'ΰ' => '帡',
  'α' => '帢',
  'β' => '帣',
  'γ' => '帠',
  'δ' => '帤',
  'ε' => '庰',
  'ζ' => '庤',
  'η' => '庢',
  'θ' => '庛',
  'ι' => '庣',
  'κ' => '庥',
  'λ' => '弇',
  'μ' => '弮',
  'ν' => '彖',
  'ξ' => '徆',
  'ο' => '怷',
  '�' => '怹',
  '�' => '恔',
  '��' => '恲',
  '��' => '恞',
  '��' => '恅',
  '��' => '恓',
  '��' => '恇',
  '��' => '恉',
  '��' => '恛',
  '��' => '恌',
  '��' => '恀',
  '��' => '恂',
  '��' => '恟',
  '��' => '怤',
  '��' => '恄',
  '��' => '恘',
  '��' => '恦',
  '��' => '恮',
  '��' => '扂',
  '��' => '扃',
  '��' => '拏',
  '��' => '挍',
  '��' => '挋',
  '��' => '拵',
  '��' => '挎',
  '��' => '挃',
  '��' => '拫',
  '��' => '拹',
  '��' => '挏',
  '��' => '挌',
  '��' => '拸',
  '��' => '拶',
  '��' => '挀',
  '��' => '挓',
  '��' => '挔',
  '��' => '拺',
  '��' => '挕',
  '��' => '拻',
  '��' => '拰',
  '��' => '敁',
  '��' => '敃',
  '��' => '斪',
  '��' => '斿',
  '��' => '昶',
  '��' => '昡',
  '��' => '昲',
  '��' => '昵',
  '��' => '昜',
  '��' => '昦',
  '��' => '昢',
  '��' => '昳',
  '��' => '昫',
  '��' => '昺',
  '�' => '昝',
  '�' => '昴',
  '�' => '昹',
  '�' => '昮',
  '�' => '朏',
  '�' => '朐',
  '�' => '柁',
  '�' => '柲',
  '�' => '柈',
  '�' => '枺',
  '�@' => '柜',
  '�A' => '枻',
  '�B' => '柸',
  '�C' => '柘',
  '�D' => '柀',
  '�E' => '枷',
  '�F' => '柅',
  '�G' => '柫',
  '�H' => '柤',
  '�I' => '柟',
  '�J' => '枵',
  '�K' => '柍',
  '�L' => '枳',
  '�M' => '柷',
  '�N' => '柶',
  '�O' => '柮',
  '�P' => '柣',
  '�Q' => '柂',
  '�R' => '枹',
  '�S' => '柎',
  '�T' => '柧',
  '�U' => '柰',
  '�V' => '枲',
  '�W' => '柼',
  '�X' => '柆',
  '�Y' => '柭',
  '�Z' => '柌',
  '�[' => '枮',
  '�\\' => '柦',
  '�]' => '柛',
  '�^' => '柺',
  '�_' => '柉',
  '�`' => '柊',
  '�a' => '柃',
  '�b' => '柪',
  '�c' => '柋',
  '�d' => '欨',
  '�e' => '殂',
  '�f' => '殄',
  '�g' => '殶',
  '�h' => '毖',
  '�i' => '毘',
  '�j' => '毠',
  '�k' => '氠',
  '�l' => '氡',
  '�m' => '洨',
  '�n' => '洴',
  '�o' => '洭',
  '�p' => '洟',
  '�q' => '洼',
  '�r' => '洿',
  '�s' => '洒',
  '�t' => '洊',
  '�u' => '泚',
  '�v' => '洳',
  '�w' => '洄',
  '�x' => '洙',
  '�y' => '洺',
  '�z' => '洚',
  '�{' => '洑',
  '�|' => '洀',
  '�}' => '洝',
  '�~' => '浂',
  'ϡ' => '洁',
  'Ϣ' => '洘',
  'ϣ' => '洷',
  'Ϥ' => '洃',
  'ϥ' => '洏',
  'Ϧ' => '浀',
  'ϧ' => '洇',
  'Ϩ' => '洠',
  'ϩ' => '洬',
  'Ϫ' => '洈',
  'ϫ' => '洢',
  'Ϭ' => '洉',
  'ϭ' => '洐',
  'Ϯ' => '炷',
  'ϯ' => '炟',
  'ϰ' => '炾',
  'ϱ' => '炱',
  'ϲ' => '炰',
  'ϳ' => '炡',
  'ϴ' => '炴',
  'ϵ' => '炵',
  '϶' => '炩',
  'Ϸ' => '牁',
  'ϸ' => '牉',
  'Ϲ' => '牊',
  'Ϻ' => '牬',
  'ϻ' => '牰',
  'ϼ' => '牳',
  'Ͻ' => '牮',
  'Ͼ' => '狊',
  'Ͽ' => '狤',
  '�' => '狨',
  '�' => '狫',
  '��' => '狟',
  '��' => '狪',
  '��' => '狦',
  '��' => '狣',
  '��' => '玅',
  '��' => '珌',
  '��' => '珂',
  '��' => '珈',
  '��' => '珅',
  '��' => '玹',
  '��' => '玶',
  '��' => '玵',
  '��' => '玴',
  '��' => '珫',
  '��' => '玿',
  '��' => '珇',
  '��' => '玾',
  '��' => '珃',
  '��' => '珆',
  '��' => '玸',
  '��' => '珋',
  '��' => '瓬',
  '��' => '瓮',
  '��' => '甮',
  '��' => '畇',
  '��' => '畈',
  '��' => '疧',
  '��' => '疪',
  '��' => '癹',
  '��' => '盄',
  '��' => '眈',
  '��' => '眃',
  '��' => '眄',
  '��' => '眅',
  '��' => '眊',
  '��' => '盷',
  '��' => '盻',
  '��' => '盺',
  '��' => '矧',
  '��' => '矨',
  '��' => '砆',
  '��' => '砑',
  '��' => '砒',
  '��' => '砅',
  '��' => '砐',
  '��' => '砏',
  '��' => '砎',
  '��' => '砉',
  '��' => '砃',
  '��' => '砓',
  '��' => '祊',
  '�' => '祌',
  '�' => '祋',
  '�' => '祅',
  '�' => '祄',
  '�' => '秕',
  '�' => '种',
  '�' => '秏',
  '�' => '秖',
  '�' => '秎',
  '�' => '窀',
  '�@' => '穾',
  '�A' => '竑',
  '�B' => '笀',
  '�C' => '笁',
  '�D' => '籺',
  '�E' => '籸',
  '�F' => '籹',
  '�G' => '籿',
  '�H' => '粀',
  '�I' => '粁',
  '�J' => '紃',
  '�K' => '紈',
  '�L' => '紁',
  '�M' => '罘',
  '�N' => '羑',
  '�O' => '羍',
  '�P' => '羾',
  '�Q' => '耇',
  '�R' => '耎',
  '�S' => '耏',
  '�T' => '耔',
  '�U' => '耷',
  '�V' => '胘',
  '�W' => '胇',
  '�X' => '胠',
  '�Y' => '胑',
  '�Z' => '胈',
  '�[' => '胂',
  '�\\' => '胐',
  '�]' => '胅',
  '�^' => '胣',
  '�_' => '胙',
  '�`' => '胜',
  '�a' => '胊',
  '�b' => '胕',
  '�c' => '胉',
  '�d' => '胏',
  '�e' => '胗',
  '�f' => '胦',
  '�g' => '胍',
  '�h' => '臿',
  '�i' => '舡',
  '�j' => '芔',
  '�k' => '苙',
  '�l' => '苾',
  '�m' => '苹',
  '�n' => '茇',
  '�o' => '苨',
  '�p' => '茀',
  '�q' => '苕',
  '�r' => '茺',
  '�s' => '苫',
  '�t' => '苖',
  '�u' => '苴',
  '�v' => '苬',
  '�w' => '苡',
  '�x' => '苲',
  '�y' => '苵',
  '�z' => '茌',
  '�{' => '苻',
  '�|' => '苶',
  '�}' => '苰',
  '�~' => '苪',
  'С' => '苤',
  'Т' => '苠',
  'У' => '苺',
  'Ф' => '苳',
  'Х' => '苭',
  'Ц' => '虷',
  'Ч' => '虴',
  'Ш' => '虼',
  'Щ' => '虳',
  'Ъ' => '衁',
  'Ы' => '衎',
  'Ь' => '衧',
  'Э' => '衪',
  'Ю' => '衩',
  'Я' => '觓',
  'а' => '訄',
  'б' => '訇',
  'в' => '赲',
  'г' => '迣',
  'д' => '迡',
  'е' => '迮',
  'ж' => '迠',
  'з' => '郱',
  'и' => '邽',
  'й' => '邿',
  'к' => '郕',
  'л' => '郅',
  'м' => '邾',
  'н' => '郇',
  'о' => '郋',
  'п' => '郈',
  '�' => '釔',
  '�' => '釓',
  '��' => '陔',
  '��' => '陏',
  '��' => '陑',
  '��' => '陓',
  '��' => '陊',
  '��' => '陎',
  '��' => '倞',
  '��' => '倅',
  '��' => '倇',
  '��' => '倓',
  '��' => '倢',
  '��' => '倰',
  '��' => '倛',
  '��' => '俵',
  '��' => '俴',
  '��' => '倳',
  '��' => '倷',
  '��' => '倬',
  '��' => '俶',
  '��' => '俷',
  '��' => '倗',
  '��' => '倜',
  '��' => '倠',
  '��' => '倧',
  '��' => '倵',
  '��' => '倯',
  '��' => '倱',
  '��' => '倎',
  '��' => '党',
  '��' => '冔',
  '��' => '冓',
  '��' => '凊',
  '��' => '凄',
  '��' => '凅',
  '��' => '凈',
  '��' => '凎',
  '��' => '剡',
  '��' => '剚',
  '��' => '剒',
  '��' => '剞',
  '��' => '剟',
  '��' => '剕',
  '��' => '剢',
  '��' => '勍',
  '��' => '匎',
  '��' => '厞',
  '��' => '唦',
  '��' => '哢',
  '��' => '唗',
  '��' => '唒',
  '��' => '哧',
  '�' => '哳',
  '�' => '哤',
  '�' => '唚',
  '�' => '哿',
  '�' => '唄',
  '�' => '唈',
  '�' => '哫',
  '�' => '唑',
  '�' => '唅',
  '�' => '哱',
  '�@' => '唊',
  '�A' => '哻',
  '�B' => '哷',
  '�C' => '哸',
  '�D' => '哠',
  '�E' => '唎',
  '�F' => '唃',
  '�G' => '唋',
  '�H' => '圁',
  '�I' => '圂',
  '�J' => '埌',
  '�K' => '堲',
  '�L' => '埕',
  '�M' => '埒',
  '�N' => '垺',
  '�O' => '埆',
  '�P' => '垽',
  '�Q' => '垼',
  '�R' => '垸',
  '�S' => '垶',
  '�T' => '垿',
  '�U' => '埇',
  '�V' => '埐',
  '�W' => '垹',
  '�X' => '埁',
  '�Y' => '夎',
  '�Z' => '奊',
  '�[' => '娙',
  '�\\' => '娖',
  '�]' => '娭',
  '�^' => '娮',
  '�_' => '娕',
  '�`' => '娏',
  '�a' => '娗',
  '�b' => '娊',
  '�c' => '娞',
  '�d' => '娳',
  '�e' => '孬',
  '�f' => '宧',
  '�g' => '宭',
  '�h' => '宬',
  '�i' => '尃',
  '�j' => '屖',
  '�k' => '屔',
  '�l' => '峬',
  '�m' => '峿',
  '�n' => '峮',
  '�o' => '峱',
  '�p' => '峷',
  '�q' => '崀',
  '�r' => '峹',
  '�s' => '帩',
  '�t' => '帨',
  '�u' => '庨',
  '�v' => '庮',
  '�w' => '庪',
  '�x' => '庬',
  '�y' => '弳',
  '�z' => '弰',
  '�{' => '彧',
  '�|' => '恝',
  '�}' => '恚',
  '�~' => '恧',
  'ѡ' => '恁',
  'Ѣ' => '悢',
  'ѣ' => '悈',
  'Ѥ' => '悀',
  'ѥ' => '悒',
  'Ѧ' => '悁',
  'ѧ' => '悝',
  'Ѩ' => '悃',
  'ѩ' => '悕',
  'Ѫ' => '悛',
  'ѫ' => '悗',
  'Ѭ' => '悇',
  'ѭ' => '悜',
  'Ѯ' => '悎',
  'ѯ' => '戙',
  'Ѱ' => '扆',
  'ѱ' => '拲',
  'Ѳ' => '挐',
  'ѳ' => '捖',
  'Ѵ' => '挬',
  'ѵ' => '捄',
  'Ѷ' => '捅',
  'ѷ' => '挶',
  'Ѹ' => '捃',
  'ѹ' => '揤',
  'Ѻ' => '挹',
  'ѻ' => '捋',
  'Ѽ' => '捊',
  'ѽ' => '挼',
  'Ѿ' => '挩',
  'ѿ' => '捁',
  '�' => '挴',
  '�' => '捘',
  '��' => '捔',
  '��' => '捙',
  '��' => '挭',
  '��' => '捇',
  '��' => '挳',
  '��' => '捚',
  '��' => '捑',
  '��' => '挸',
  '��' => '捗',
  '��' => '捀',
  '��' => '捈',
  '��' => '敊',
  '��' => '敆',
  '��' => '旆',
  '��' => '旃',
  '��' => '旄',
  '��' => '旂',
  '��' => '晊',
  '��' => '晟',
  '��' => '晇',
  '��' => '晑',
  '��' => '朒',
  '��' => '朓',
  '��' => '栟',
  '��' => '栚',
  '��' => '桉',
  '��' => '栲',
  '��' => '栳',
  '��' => '栻',
  '��' => '桋',
  '��' => '桏',
  '��' => '栖',
  '��' => '栱',
  '��' => '栜',
  '��' => '栵',
  '��' => '栫',
  '��' => '栭',
  '��' => '栯',
  '��' => '桎',
  '��' => '桄',
  '��' => '栴',
  '��' => '栝',
  '��' => '栒',
  '��' => '栔',
  '��' => '栦',
  '��' => '栨',
  '��' => '栮',
  '��' => '桍',
  '��' => '栺',
  '��' => '栥',
  '��' => '栠',
  '�' => '欬',
  '�' => '欯',
  '�' => '欭',
  '�' => '欱',
  '�' => '欴',
  '�' => '歭',
  '�' => '肂',
  '�' => '殈',
  '�' => '毦',
  '�' => '毤',
  '�@' => '毨',
  '�A' => '毣',
  '�B' => '毢',
  '�C' => '毧',
  '�D' => '氥',
  '�E' => '浺',
  '�F' => '浣',
  '�G' => '浤',
  '�H' => '浶',
  '�I' => '洍',
  '�J' => '浡',
  '�K' => '涒',
  '�L' => '浘',
  '�M' => '浢',
  '�N' => '浭',
  '�O' => '浯',
  '�P' => '涑',
  '�Q' => '涍',
  '�R' => '淯',
  '�S' => '浿',
  '�T' => '涆',
  '�U' => '浞',
  '�V' => '浧',
  '�W' => '浠',
  '�X' => '涗',
  '�Y' => '浰',
  '�Z' => '浼',
  '�[' => '浟',
  '�\\' => '涂',
  '�]' => '涘',
  '�^' => '洯',
  '�_' => '浨',
  '�`' => '涋',
  '�a' => '浾',
  '�b' => '涀',
  '�c' => '涄',
  '�d' => '洖',
  '�e' => '涃',
  '�f' => '浻',
  '�g' => '浽',
  '�h' => '浵',
  '�i' => '涐',
  '�j' => '烜',
  '�k' => '烓',
  '�l' => '烑',
  '�m' => '烝',
  '�n' => '烋',
  '�o' => '缹',
  '�p' => '烢',
  '�q' => '烗',
  '�r' => '烒',
  '�s' => '烞',
  '�t' => '烠',
  '�u' => '烔',
  '�v' => '烍',
  '�w' => '烅',
  '�x' => '烆',
  '�y' => '烇',
  '�z' => '烚',
  '�{' => '烎',
  '�|' => '烡',
  '�}' => '牂',
  '�~' => '牸',
  'ҡ' => '牷',
  'Ң' => '牶',
  'ң' => '猀',
  'Ҥ' => '狺',
  'ҥ' => '狴',
  'Ҧ' => '狾',
  'ҧ' => '狶',
  'Ҩ' => '狳',
  'ҩ' => '狻',
  'Ҫ' => '猁',
  'ҫ' => '珓',
  'Ҭ' => '珙',
  'ҭ' => '珥',
  'Ү' => '珖',
  'ү' => '玼',
  'Ұ' => '珧',
  'ұ' => '珣',
  'Ҳ' => '珩',
  'ҳ' => '珜',
  'Ҵ' => '珒',
  'ҵ' => '珛',
  'Ҷ' => '珔',
  'ҷ' => '珝',
  'Ҹ' => '珚',
  'ҹ' => '珗',
  'Һ' => '珘',
  'һ' => '珨',
  'Ҽ' => '瓞',
  'ҽ' => '瓟',
  'Ҿ' => '瓴',
  'ҿ' => '瓵',
  '�' => '甡',
  '�' => '畛',
  '��' => '畟',
  '��' => '疰',
  '��' => '痁',
  '��' => '疻',
  '��' => '痄',
  '��' => '痀',
  '��' => '疿',
  '��' => '疶',
  '��' => '疺',
  '��' => '皊',
  '��' => '盉',
  '��' => '眝',
  '��' => '眛',
  '��' => '眐',
  '��' => '眓',
  '��' => '眒',
  '��' => '眣',
  '��' => '眑',
  '��' => '眕',
  '��' => '眙',
  '��' => '眚',
  '��' => '眢',
  '��' => '眧',
  '��' => '砣',
  '��' => '砬',
  '��' => '砢',
  '��' => '砵',
  '��' => '砯',
  '��' => '砨',
  '��' => '砮',
  '��' => '砫',
  '��' => '砡',
  '��' => '砩',
  '��' => '砳',
  '��' => '砪',
  '��' => '砱',
  '��' => '祔',
  '��' => '祛',
  '��' => '祏',
  '��' => '祜',
  '��' => '祓',
  '��' => '祒',
  '��' => '祑',
  '��' => '秫',
  '��' => '秬',
  '��' => '秠',
  '��' => '秮',
  '��' => '秭',
  '��' => '秪',
  '��' => '秜',
  '��' => '秞',
  '�' => '秝',
  '�' => '窆',
  '�' => '窉',
  '�' => '窅',
  '�' => '窋',
  '�' => '窌',
  '�' => '窊',
  '�' => '窇',
  '�' => '竘',
  '�' => '笐',
  '�@' => '笄',
  '�A' => '笓',
  '�B' => '笅',
  '�C' => '笏',
  '�D' => '笈',
  '�E' => '笊',
  '�F' => '笎',
  '�G' => '笉',
  '�H' => '笒',
  '�I' => '粄',
  '�J' => '粑',
  '�K' => '粊',
  '�L' => '粌',
  '�M' => '粈',
  '�N' => '粍',
  '�O' => '粅',
  '�P' => '紞',
  '�Q' => '紝',
  '�R' => '紑',
  '�S' => '紎',
  '�T' => '紘',
  '�U' => '紖',
  '�V' => '紓',
  '�W' => '紟',
  '�X' => '紒',
  '�Y' => '紏',
  '�Z' => '紌',
  '�[' => '罜',
  '�\\' => '罡',
  '�]' => '罞',
  '�^' => '罠',
  '�_' => '罝',
  '�`' => '罛',
  '�a' => '羖',
  '�b' => '羒',
  '�c' => '翃',
  '�d' => '翂',
  '�e' => '翀',
  '�f' => '耖',
  '�g' => '耾',
  '�h' => '耹',
  '�i' => '胺',
  '�j' => '胲',
  '�k' => '胹',
  '�l' => '胵',
  '�m' => '脁',
  '�n' => '胻',
  '�o' => '脀',
  '�p' => '舁',
  '�q' => '舯',
  '�r' => '舥',
  '�s' => '茳',
  '�t' => '茭',
  '�u' => '荄',
  '�v' => '茙',
  '�w' => '荑',
  '�x' => '茥',
  '�y' => '荖',
  '�z' => '茿',
  '�{' => '荁',
  '�|' => '茦',
  '�}' => '茜',
  '�~' => '茢',
  'ӡ' => '荂',
  'Ӣ' => '荎',
  'ӣ' => '茛',
  'Ӥ' => '茪',
  'ӥ' => '茈',
  'Ӧ' => '茼',
  'ӧ' => '荍',
  'Ө' => '茖',
  'ө' => '茤',
  'Ӫ' => '茠',
  'ӫ' => '茷',
  'Ӭ' => '茯',
  'ӭ' => '茩',
  'Ӯ' => '荇',
  'ӯ' => '荅',
  'Ӱ' => '荌',
  'ӱ' => '荓',
  'Ӳ' => '茞',
  'ӳ' => '茬',
  'Ӵ' => '荋',
  'ӵ' => '茧',
  'Ӷ' => '荈',
  'ӷ' => '虓',
  'Ӹ' => '虒',
  'ӹ' => '蚢',
  'Ӻ' => '蚨',
  'ӻ' => '蚖',
  'Ӽ' => '蚍',
  'ӽ' => '蚑',
  'Ӿ' => '蚞',
  'ӿ' => '蚇',
  '�' => '蚗',
  '�' => '蚆',
  '��' => '蚋',
  '��' => '蚚',
  '��' => '蚅',
  '��' => '蚥',
  '��' => '蚙',
  '��' => '蚡',
  '��' => '蚧',
  '��' => '蚕',
  '��' => '蚘',
  '��' => '蚎',
  '��' => '蚝',
  '��' => '蚐',
  '��' => '蚔',
  '��' => '衃',
  '��' => '衄',
  '��' => '衭',
  '��' => '衵',
  '��' => '衶',
  '��' => '衲',
  '��' => '袀',
  '��' => '衱',
  '��' => '衿',
  '��' => '衯',
  '��' => '袃',
  '��' => '衾',
  '��' => '衴',
  '��' => '衼',
  '��' => '訒',
  '��' => '豇',
  '��' => '豗',
  '��' => '豻',
  '��' => '貤',
  '��' => '貣',
  '��' => '赶',
  '��' => '赸',
  '��' => '趵',
  '��' => '趷',
  '��' => '趶',
  '��' => '軑',
  '��' => '軓',
  '��' => '迾',
  '��' => '迵',
  '��' => '适',
  '��' => '迿',
  '��' => '迻',
  '��' => '逄',
  '��' => '迼',
  '��' => '迶',
  '��' => '郖',
  '��' => '郠',
  '��' => '郙',
  '�' => '郚',
  '�' => '郣',
  '�' => '郟',
  '�' => '郥',
  '�' => '郘',
  '�' => '郛',
  '�' => '郗',
  '�' => '郜',
  '�' => '郤',
  '�' => '酐',
  '�@' => '酎',
  '�A' => '酏',
  '�B' => '釕',
  '�C' => '釢',
  '�D' => '釚',
  '�E' => '陜',
  '�F' => '陟',
  '�G' => '隼',
  '�H' => '飣',
  '�I' => '髟',
  '�J' => '鬯',
  '�K' => '乿',
  '�L' => '偰',
  '�M' => '偪',
  '�N' => '偡',
  '�O' => '偞',
  '�P' => '偠',
  '�Q' => '偓',
  '�R' => '偋',
  '�S' => '偝',
  '�T' => '偲',
  '�U' => '偈',
  '�V' => '偍',
  '�W' => '偁',
  '�X' => '偛',
  '�Y' => '偊',
  '�Z' => '偢',
  '�[' => '倕',
  '�\\' => '偅',
  '�]' => '偟',
  '�^' => '偩',
  '�_' => '偫',
  '�`' => '偣',
  '�a' => '偤',
  '�b' => '偆',
  '�c' => '偀',
  '�d' => '偮',
  '�e' => '偳',
  '�f' => '偗',
  '�g' => '偑',
  '�h' => '凐',
  '�i' => '剫',
  '�j' => '剭',
  '�k' => '剬',
  '�l' => '剮',
  '�m' => '勖',
  '�n' => '勓',
  '�o' => '匭',
  '�p' => '厜',
  '�q' => '啵',
  '�r' => '啶',
  '�s' => '唼',
  '�t' => '啍',
  '�u' => '啐',
  '�v' => '唴',
  '�w' => '唪',
  '�x' => '啑',
  '�y' => '啢',
  '�z' => '唶',
  '�{' => '唵',
  '�|' => '唰',
  '�}' => '啒',
  '�~' => '啅',
  'ԡ' => '唌',
  'Ԣ' => '唲',
  'ԣ' => '啥',
  'Ԥ' => '啎',
  'ԥ' => '唹',
  'Ԧ' => '啈',
  'ԧ' => '唭',
  'Ԩ' => '唻',
  'ԩ' => '啀',
  'Ԫ' => '啋',
  'ԫ' => '圊',
  'Ԭ' => '圇',
  'ԭ' => '埻',
  'Ԯ' => '堔',
  'ԯ' => '埢',
  '԰' => '埶',
  'Ա' => '埜',
  'Բ' => '埴',
  'Գ' => '堀',
  'Դ' => '埭',
  'Ե' => '埽',
  'Զ' => '堈',
  'Է' => '埸',
  'Ը' => '堋',
  'Թ' => '埳',
  'Ժ' => '埏',
  'Ի' => '堇',
  'Լ' => '埮',
  'Խ' => '埣',
  'Ծ' => '埲',
  'Կ' => '埥',
  '�' => '埬',
  '�' => '埡',
  '��' => '堎',
  '��' => '埼',
  '��' => '堐',
  '��' => '埧',
  '��' => '堁',
  '��' => '堌',
  '��' => '埱',
  '��' => '埩',
  '��' => '埰',
  '��' => '堍',
  '��' => '堄',
  '��' => '奜',
  '��' => '婠',
  '��' => '婘',
  '��' => '婕',
  '��' => '婧',
  '��' => '婞',
  '��' => '娸',
  '��' => '娵',
  '��' => '婭',
  '��' => '婐',
  '��' => '婟',
  '��' => '婥',
  '��' => '婬',
  '��' => '婓',
  '��' => '婤',
  '��' => '婗',
  '��' => '婃',
  '��' => '婝',
  '��' => '婒',
  '��' => '婄',
  '��' => '婛',
  '��' => '婈',
  '��' => '媎',
  '��' => '娾',
  '��' => '婍',
  '��' => '娹',
  '��' => '婌',
  '��' => '婰',
  '��' => '婩',
  '��' => '婇',
  '��' => '婑',
  '��' => '婖',
  '��' => '婂',
  '��' => '婜',
  '��' => '孲',
  '��' => '孮',
  '��' => '寁',
  '��' => '寀',
  '��' => '屙',
  '��' => '崞',
  '�' => '崋',
  '�' => '崝',
  '�' => '崚',
  '�' => '崠',
  '�' => '崌',
  '�' => '崨',
  '�' => '崍',
  '�' => '崦',
  '�' => '崥',
  '�' => '崏',
  '�@' => '崰',
  '�A' => '崒',
  '�B' => '崣',
  '�C' => '崟',
  '�D' => '崮',
  '�E' => '帾',
  '�F' => '帴',
  '�G' => '庱',
  '�H' => '庴',
  '�I' => '庹',
  '�J' => '庲',
  '�K' => '庳',
  '�L' => '弶',
  '�M' => '弸',
  '�N' => '徛',
  '�O' => '徖',
  '�P' => '徟',
  '�Q' => '悊',
  '�R' => '悐',
  '�S' => '悆',
  '�T' => '悾',
  '�U' => '悰',
  '�V' => '悺',
  '�W' => '惓',
  '�X' => '惔',
  '�Y' => '惏',
  '�Z' => '惤',
  '�[' => '惙',
  '�\\' => '惝',
  '�]' => '惈',
  '�^' => '悱',
  '�_' => '惛',
  '�`' => '悷',
  '�a' => '惊',
  '�b' => '悿',
  '�c' => '惃',
  '�d' => '惍',
  '�e' => '惀',
  '�f' => '挲',
  '�g' => '捥',
  '�h' => '掊',
  '�i' => '掂',
  '�j' => '捽',
  '�k' => '掽',
  '�l' => '掞',
  '�m' => '掭',
  '�n' => '掝',
  '�o' => '掗',
  '�p' => '掫',
  '�q' => '掎',
  '�r' => '捯',
  '�s' => '掇',
  '�t' => '掐',
  '�u' => '据',
  '�v' => '掯',
  '�w' => '捵',
  '�x' => '掜',
  '�y' => '捭',
  '�z' => '掮',
  '�{' => '捼',
  '�|' => '掤',
  '�}' => '挻',
  '�~' => '掟',
  'ա' => '捸',
  'բ' => '掅',
  'գ' => '掁',
  'դ' => '掑',
  'ե' => '掍',
  'զ' => '捰',
  'է' => '敓',
  'ը' => '旍',
  'թ' => '晥',
  'ժ' => '晡',
  'ի' => '晛',
  'լ' => '晙',
  'խ' => '晜',
  'ծ' => '晢',
  'կ' => '朘',
  'հ' => '桹',
  'ձ' => '梇',
  'ղ' => '梐',
  'ճ' => '梜',
  'մ' => '桭',
  'յ' => '桮',
  'ն' => '梮',
  'շ' => '梫',
  'ո' => '楖',
  'չ' => '桯',
  'պ' => '梣',
  'ջ' => '梬',
  'ռ' => '梩',
  'ս' => '桵',
  'վ' => '桴',
  'տ' => '梲',
  '�' => '梏',
  '�' => '桷',
  '��' => '梒',
  '��' => '桼',
  '��' => '桫',
  '��' => '桲',
  '��' => '梪',
  '��' => '梀',
  '��' => '桱',
  '��' => '桾',
  '��' => '梛',
  '��' => '梖',
  '��' => '梋',
  '��' => '梠',
  '��' => '梉',
  '��' => '梤',
  '��' => '桸',
  '��' => '桻',
  '��' => '梑',
  '��' => '梌',
  '��' => '梊',
  '��' => '桽',
  '��' => '欶',
  '��' => '欳',
  '��' => '欷',
  '��' => '欸',
  '��' => '殑',
  '��' => '殏',
  '��' => '殍',
  '��' => '殎',
  '��' => '殌',
  '��' => '氪',
  '��' => '淀',
  '��' => '涫',
  '��' => '涴',
  '��' => '涳',
  '��' => '湴',
  '��' => '涬',
  '��' => '淩',
  '��' => '淢',
  '��' => '涷',
  '��' => '淶',
  '��' => '淔',
  '��' => '渀',
  '��' => '淈',
  '��' => '淠',
  '��' => '淟',
  '��' => '淖',
  '��' => '涾',
  '��' => '淥',
  '��' => '淜',
  '��' => '淝',
  '��' => '淛',
  '�' => '淴',
  '�' => '淊',
  '�' => '涽',
  '�' => '淭',
  '�' => '淰',
  '�' => '涺',
  '�' => '淕',
  '�' => '淂',
  '�' => '淏',
  '�' => '淉',
  '�@' => '淐',
  '�A' => '淲',
  '�B' => '淓',
  '�C' => '淽',
  '�D' => '淗',
  '�E' => '淍',
  '�F' => '淣',
  '�G' => '涻',
  '�H' => '烺',
  '�I' => '焍',
  '�J' => '烷',
  '�K' => '焗',
  '�L' => '烴',
  '�M' => '焌',
  '�N' => '烰',
  '�O' => '焄',
  '�P' => '烳',
  '�Q' => '焐',
  '�R' => '烼',
  '�S' => '烿',
  '�T' => '焆',
  '�U' => '焓',
  '�V' => '焀',
  '�W' => '烸',
  '�X' => '烶',
  '�Y' => '焋',
  '�Z' => '焂',
  '�[' => '焎',
  '�\\' => '牾',
  '�]' => '牻',
  '�^' => '牼',
  '�_' => '牿',
  '�`' => '猝',
  '�a' => '猗',
  '�b' => '猇',
  '�c' => '猑',
  '�d' => '猘',
  '�e' => '猊',
  '�f' => '猈',
  '�g' => '狿',
  '�h' => '猏',
  '�i' => '猞',
  '�j' => '玈',
  '�k' => '珶',
  '�l' => '珸',
  '�m' => '珵',
  '�n' => '琄',
  '�o' => '琁',
  '�p' => '珽',
  '�q' => '琇',
  '�r' => '琀',
  '�s' => '珺',
  '�t' => '珼',
  '�u' => '珿',
  '�v' => '琌',
  '�w' => '琋',
  '�x' => '珴',
  '�y' => '琈',
  '�z' => '畤',
  '�{' => '畣',
  '�|' => '痎',
  '�}' => '痒',
  '�~' => '痏',
  '֡' => '痋',
  '֢' => '痌',
  '֣' => '痑',
  '֤' => '痐',
  '֥' => '皏',
  '֦' => '皉',
  '֧' => '盓',
  '֨' => '眹',
  '֩' => '眯',
  '֪' => '眭',
  '֫' => '眱',
  '֬' => '眲',
  '֭' => '眴',
  '֮' => '眳',
  '֯' => '眽',
  'ְ' => '眥',
  'ֱ' => '眻',
  'ֲ' => '眵',
  'ֳ' => '硈',
  'ִ' => '硒',
  'ֵ' => '硉',
  'ֶ' => '硍',
  'ַ' => '硊',
  'ָ' => '硌',
  'ֹ' => '砦',
  'ֺ' => '硅',
  'ֻ' => '硐',
  'ּ' => '祤',
  'ֽ' => '祧',
  '־' => '祩',
  'ֿ' => '祪',
  '�' => '祣',
  '�' => '祫',
  '��' => '祡',
  '��' => '离',
  '��' => '秺',
  '��' => '秸',
  '��' => '秶',
  '��' => '秷',
  '��' => '窏',
  '��' => '窔',
  '��' => '窐',
  '��' => '笵',
  '��' => '筇',
  '��' => '笴',
  '��' => '笥',
  '��' => '笰',
  '��' => '笢',
  '��' => '笤',
  '��' => '笳',
  '��' => '笘',
  '��' => '笪',
  '��' => '笝',
  '��' => '笱',
  '��' => '笫',
  '��' => '笭',
  '��' => '笯',
  '��' => '笲',
  '��' => '笸',
  '��' => '笚',
  '��' => '笣',
  '��' => '粔',
  '��' => '粘',
  '��' => '粖',
  '��' => '粣',
  '��' => '紵',
  '��' => '紽',
  '��' => '紸',
  '��' => '紶',
  '��' => '紺',
  '��' => '絅',
  '��' => '紬',
  '��' => '紩',
  '��' => '絁',
  '��' => '絇',
  '��' => '紾',
  '��' => '紿',
  '��' => '絊',
  '��' => '紻',
  '��' => '紨',
  '��' => '罣',
  '��' => '羕',
  '��' => '羜',
  '��' => '羝',
  '�' => '羛',
  '�' => '翊',
  '�' => '翋',
  '�' => '翍',
  '�' => '翐',
  '�' => '翑',
  '�' => '翇',
  '�' => '翏',
  '�' => '翉',
  '�' => '耟',
  '�@' => '耞',
  '�A' => '耛',
  '�B' => '聇',
  '�C' => '聃',
  '�D' => '聈',
  '�E' => '脘',
  '�F' => '脥',
  '�G' => '脙',
  '�H' => '脛',
  '�I' => '脭',
  '�J' => '脟',
  '�K' => '脬',
  '�L' => '脞',
  '�M' => '脡',
  '�N' => '脕',
  '�O' => '脧',
  '�P' => '脝',
  '�Q' => '脢',
  '�R' => '舑',
  '�S' => '舸',
  '�T' => '舳',
  '�U' => '舺',
  '�V' => '舴',
  '�W' => '舲',
  '�X' => '艴',
  '�Y' => '莐',
  '�Z' => '莣',
  '�[' => '莨',
  '�\\' => '莍',
  '�]' => '荺',
  '�^' => '荳',
  '�_' => '莤',
  '�`' => '荴',
  '�a' => '莏',
  '�b' => '莁',
  '�c' => '莕',
  '�d' => '莙',
  '�e' => '荵',
  '�f' => '莔',
  '�g' => '莩',
  '�h' => '荽',
  '�i' => '莃',
  '�j' => '莌',
  '�k' => '莝',
  '�l' => '莛',
  '�m' => '莪',
  '�n' => '莋',
  '�o' => '荾',
  '�p' => '莥',
  '�q' => '莯',
  '�r' => '莈',
  '�s' => '莗',
  '�t' => '莰',
  '�u' => '荿',
  '�v' => '莦',
  '�w' => '莇',
  '�x' => '莮',
  '�y' => '荶',
  '�z' => '莚',
  '�{' => '虙',
  '�|' => '虖',
  '�}' => '蚿',
  '�~' => '蚷',
  'ס' => '蛂',
  'ע' => '蛁',
  'ף' => '蛅',
  'פ' => '蚺',
  'ץ' => '蚰',
  'צ' => '蛈',
  'ק' => '蚹',
  'ר' => '蚳',
  'ש' => '蚸',
  'ת' => '蛌',
  '׫' => '蚴',
  '׬' => '蚻',
  '׭' => '蚼',
  '׮' => '蛃',
  'ׯ' => '蚽',
  'װ' => '蚾',
  'ױ' => '衒',
  'ײ' => '袉',
  '׳' => '袕',
  '״' => '袨',
  '׵' => '袢',
  '׶' => '袪',
  '׷' => '袚',
  '׸' => '袑',
  '׹' => '袡',
  '׺' => '袟',
  '׻' => '袘',
  '׼' => '袧',
  '׽' => '袙',
  '׾' => '袛',
  '׿' => '袗',
  '�' => '袤',
  '�' => '袬',
  '��' => '袌',
  '��' => '袓',
  '��' => '袎',
  '��' => '覂',
  '��' => '觖',
  '��' => '觙',
  '��' => '觕',
  '��' => '訰',
  '��' => '訧',
  '��' => '訬',
  '��' => '訞',
  '��' => '谹',
  '��' => '谻',
  '��' => '豜',
  '��' => '豝',
  '��' => '豽',
  '��' => '貥',
  '��' => '赽',
  '��' => '赻',
  '��' => '赹',
  '��' => '趼',
  '��' => '跂',
  '��' => '趹',
  '��' => '趿',
  '��' => '跁',
  '��' => '軘',
  '��' => '軞',
  '��' => '軝',
  '��' => '軜',
  '��' => '軗',
  '��' => '軠',
  '��' => '軡',
  '��' => '逤',
  '��' => '逋',
  '��' => '逑',
  '��' => '逜',
  '��' => '逌',
  '��' => '逡',
  '��' => '郯',
  '��' => '郪',
  '��' => '郰',
  '��' => '郴',
  '��' => '郲',
  '��' => '郳',
  '��' => '郔',
  '��' => '郫',
  '��' => '郬',
  '��' => '郩',
  '��' => '酖',
  '��' => '酘',
  '��' => '酚',
  '�' => '酓',
  '�' => '酕',
  '�' => '釬',
  '�' => '釴',
  '�' => '釱',
  '�' => '釳',
  '�' => '釸',
  '�' => '釤',
  '�' => '釹',
  '�' => '釪',
  '�@' => '釫',
  '�A' => '釷',
  '�B' => '釨',
  '�C' => '釮',
  '�D' => '镺',
  '�E' => '閆',
  '�F' => '閈',
  '�G' => '陼',
  '�H' => '陭',
  '�I' => '陫',
  '�J' => '陱',
  '�K' => '陯',
  '�L' => '隿',
  '�M' => '靪',
  '�N' => '頄',
  '�O' => '飥',
  '�P' => '馗',
  '�Q' => '傛',
  '�R' => '傕',
  '�S' => '傔',
  '�T' => '傞',
  '�U' => '傋',
  '�V' => '傣',
  '�W' => '傃',
  '�X' => '傌',
  '�Y' => '傎',
  '�Z' => '傝',
  '�[' => '偨',
  '�\\' => '傜',
  '�]' => '傒',
  '�^' => '傂',
  '�_' => '傇',
  '�`' => '兟',
  '�a' => '凔',
  '�b' => '匒',
  '�c' => '匑',
  '�d' => '厤',
  '�e' => '厧',
  '�f' => '喑',
  '�g' => '喨',
  '�h' => '喥',
  '�i' => '喭',
  '�j' => '啷',
  '�k' => '噅',
  '�l' => '喢',
  '�m' => '喓',
  '�n' => '喈',
  '�o' => '喏',
  '�p' => '喵',
  '�q' => '喁',
  '�r' => '喣',
  '�s' => '喒',
  '�t' => '喤',
  '�u' => '啽',
  '�v' => '喌',
  '�w' => '喦',
  '�x' => '啿',
  '�y' => '喕',
  '�z' => '喡',
  '�{' => '喎',
  '�|' => '圌',
  '�}' => '堩',
  '�~' => '堷',
  'ء' => '堙',
  'آ' => '堞',
  'أ' => '堧',
  'ؤ' => '堣',
  'إ' => '堨',
  'ئ' => '埵',
  'ا' => '塈',
  'ب' => '堥',
  'ة' => '堜',
  'ت' => '堛',
  'ث' => '堳',
  'ج' => '堿',
  'ح' => '堶',
  'خ' => '堮',
  'د' => '堹',
  'ذ' => '堸',
  'ر' => '堭',
  'ز' => '堬',
  'س' => '堻',
  'ش' => '奡',
  'ص' => '媯',
  'ض' => '媔',
  'ط' => '媟',
  'ظ' => '婺',
  'ع' => '媢',
  'غ' => '媞',
  'ػ' => '婸',
  'ؼ' => '媦',
  'ؽ' => '婼',
  'ؾ' => '媥',
  'ؿ' => '媬',
  '�' => '媕',
  '�' => '媮',
  '��' => '娷',
  '��' => '媄',
  '��' => '媊',
  '��' => '媗',
  '��' => '媃',
  '��' => '媋',
  '��' => '媩',
  '��' => '婻',
  '��' => '婽',
  '��' => '媌',
  '��' => '媜',
  '��' => '媏',
  '��' => '媓',
  '��' => '媝',
  '��' => '寪',
  '��' => '寍',
  '��' => '寋',
  '��' => '寔',
  '��' => '寑',
  '��' => '寊',
  '��' => '寎',
  '��' => '尌',
  '��' => '尰',
  '��' => '崷',
  '��' => '嵃',
  '��' => '嵫',
  '��' => '嵁',
  '��' => '嵋',
  '��' => '崿',
  '��' => '崵',
  '��' => '嵑',
  '��' => '嵎',
  '��' => '嵕',
  '��' => '崳',
  '��' => '崺',
  '��' => '嵒',
  '��' => '崽',
  '��' => '崱',
  '��' => '嵙',
  '��' => '嵂',
  '��' => '崹',
  '��' => '嵉',
  '��' => '崸',
  '��' => '崼',
  '��' => '崲',
  '��' => '崶',
  '��' => '嵀',
  '��' => '嵅',
  '��' => '幄',
  '��' => '幁',
  '��' => '彘',
  '�' => '徦',
  '�' => '徥',
  '�' => '徫',
  '�' => '惉',
  '�' => '悹',
  '�' => '惌',
  '�' => '惢',
  '�' => '惎',
  '�' => '惄',
  '�' => '愔',
  '�@' => '惲',
  '�A' => '愊',
  '�B' => '愖',
  '�C' => '愅',
  '�D' => '惵',
  '�E' => '愓',
  '�F' => '惸',
  '�G' => '惼',
  '�H' => '惾',
  '�I' => '惁',
  '�J' => '愃',
  '�K' => '愘',
  '�L' => '愝',
  '�M' => '愐',
  '�N' => '惿',
  '�O' => '愄',
  '�P' => '愋',
  '�Q' => '扊',
  '�R' => '掔',
  '�S' => '掱',
  '�T' => '掰',
  '�U' => '揎',
  '�V' => '揥',
  '�W' => '揨',
  '�X' => '揯',
  '�Y' => '揃',
  '�Z' => '撝',
  '�[' => '揳',
  '�\\' => '揊',
  '�]' => '揠',
  '�^' => '揶',
  '�_' => '揕',
  '�`' => '揲',
  '�a' => '揵',
  '�b' => '摡',
  '�c' => '揟',
  '�d' => '掾',
  '�e' => '揝',
  '�f' => '揜',
  '�g' => '揄',
  '�h' => '揘',
  '�i' => '揓',
  '�j' => '揂',
  '�k' => '揇',
  '�l' => '揌',
  '�m' => '揋',
  '�n' => '揈',
  '�o' => '揰',
  '�p' => '揗',
  '�q' => '揙',
  '�r' => '攲',
  '�s' => '敧',
  '�t' => '敪',
  '�u' => '敤',
  '�v' => '敜',
  '�w' => '敨',
  '�x' => '敥',
  '�y' => '斌',
  '�z' => '斝',
  '�{' => '斞',
  '�|' => '斮',
  '�}' => '旐',
  '�~' => '旒',
  '١' => '晼',
  '٢' => '晬',
  '٣' => '晻',
  '٤' => '暀',
  '٥' => '晱',
  '٦' => '晹',
  '٧' => '晪',
  '٨' => '晲',
  '٩' => '朁',
  '٪' => '椌',
  '٫' => '棓',
  '٬' => '椄',
  '٭' => '棜',
  'ٮ' => '椪',
  'ٯ' => '棬',
  'ٰ' => '棪',
  'ٱ' => '棱',
  'ٲ' => '椏',
  'ٳ' => '棖',
  'ٴ' => '棷',
  'ٵ' => '棫',
  'ٶ' => '棤',
  'ٷ' => '棶',
  'ٸ' => '椓',
  'ٹ' => '椐',
  'ٺ' => '棳',
  'ٻ' => '棡',
  'ټ' => '椇',
  'ٽ' => '棌',
  'پ' => '椈',
  'ٿ' => '楰',
  '�' => '梴',
  '�' => '椑',
  '��' => '棯',
  '��' => '棆',
  '��' => '椔',
  '��' => '棸',
  '��' => '棐',
  '��' => '棽',
  '��' => '棼',
  '��' => '棨',
  '��' => '椋',
  '��' => '椊',
  '��' => '椗',
  '��' => '棎',
  '��' => '棈',
  '��' => '棝',
  '��' => '棞',
  '��' => '棦',
  '��' => '棴',
  '��' => '棑',
  '��' => '椆',
  '��' => '棔',
  '��' => '棩',
  '��' => '椕',
  '��' => '椥',
  '��' => '棇',
  '��' => '欹',
  '��' => '欻',
  '��' => '欿',
  '��' => '欼',
  '��' => '殔',
  '��' => '殗',
  '��' => '殙',
  '��' => '殕',
  '��' => '殽',
  '��' => '毰',
  '��' => '毲',
  '��' => '毳',
  '��' => '氰',
  '��' => '淼',
  '��' => '湆',
  '��' => '湇',
  '��' => '渟',
  '��' => '湉',
  '��' => '溈',
  '��' => '渼',
  '��' => '渽',
  '��' => '湅',
  '��' => '湢',
  '��' => '渫',
  '��' => '渿',
  '��' => '湁',
  '��' => '湝',
  '�' => '湳',
  '�' => '渜',
  '�' => '渳',
  '�' => '湋',
  '�' => '湀',
  '�' => '湑',
  '�' => '渻',
  '�' => '渃',
  '�' => '渮',
  '�' => '湞',
  '�@' => '湨',
  '�A' => '湜',
  '�B' => '湡',
  '�C' => '渱',
  '�D' => '渨',
  '�E' => '湠',
  '�F' => '湱',
  '�G' => '湫',
  '�H' => '渹',
  '�I' => '渢',
  '�J' => '渰',
  '�K' => '湓',
  '�L' => '湥',
  '�M' => '渧',
  '�N' => '湸',
  '�O' => '湤',
  '�P' => '湷',
  '�Q' => '湕',
  '�R' => '湹',
  '�S' => '湒',
  '�T' => '湦',
  '�U' => '渵',
  '�V' => '渶',
  '�W' => '湚',
  '�X' => '焠',
  '�Y' => '焞',
  '�Z' => '焯',
  '�[' => '烻',
  '�\\' => '焮',
  '�]' => '焱',
  '�^' => '焣',
  '�_' => '焥',
  '�`' => '焢',
  '�a' => '焲',
  '�b' => '焟',
  '�c' => '焨',
  '�d' => '焺',
  '�e' => '焛',
  '�f' => '牋',
  '�g' => '牚',
  '�h' => '犈',
  '�i' => '犉',
  '�j' => '犆',
  '�k' => '犅',
  '�l' => '犋',
  '�m' => '猒',
  '�n' => '猋',
  '�o' => '猰',
  '�p' => '猢',
  '�q' => '猱',
  '�r' => '猳',
  '�s' => '猧',
  '�t' => '猲',
  '�u' => '猭',
  '�v' => '猦',
  '�w' => '猣',
  '�x' => '猵',
  '�y' => '猌',
  '�z' => '琮',
  '�{' => '琬',
  '�|' => '琰',
  '�}' => '琫',
  '�~' => '琖',
  'ڡ' => '琚',
  'ڢ' => '琡',
  'ڣ' => '琭',
  'ڤ' => '琱',
  'ڥ' => '琤',
  'ڦ' => '琣',
  'ڧ' => '琝',
  'ڨ' => '琩',
  'ک' => '琠',
  'ڪ' => '琲',
  'ګ' => '瓻',
  'ڬ' => '甯',
  'ڭ' => '畯',
  'ڮ' => '畬',
  'گ' => '痧',
  'ڰ' => '痚',
  'ڱ' => '痡',
  'ڲ' => '痦',
  'ڳ' => '痝',
  'ڴ' => '痟',
  'ڵ' => '痤',
  'ڶ' => '痗',
  'ڷ' => '皕',
  'ڸ' => '皒',
  'ڹ' => '盚',
  'ں' => '睆',
  'ڻ' => '睇',
  'ڼ' => '睄',
  'ڽ' => '睍',
  'ھ' => '睅',
  'ڿ' => '睊',
  '�' => '睎',
  '�' => '睋',
  '��' => '睌',
  '��' => '矞',
  '��' => '矬',
  '��' => '硠',
  '��' => '硤',
  '��' => '硥',
  '��' => '硜',
  '��' => '硭',
  '��' => '硱',
  '��' => '硪',
  '��' => '确',
  '��' => '硰',
  '��' => '硩',
  '��' => '硨',
  '��' => '硞',
  '��' => '硢',
  '��' => '祴',
  '��' => '祳',
  '��' => '祲',
  '��' => '祰',
  '��' => '稂',
  '��' => '稊',
  '��' => '稃',
  '��' => '稌',
  '��' => '稄',
  '��' => '窙',
  '��' => '竦',
  '��' => '竤',
  '��' => '筊',
  '��' => '笻',
  '��' => '筄',
  '��' => '筈',
  '��' => '筌',
  '��' => '筎',
  '��' => '筀',
  '��' => '筘',
  '��' => '筅',
  '��' => '粢',
  '��' => '粞',
  '��' => '粨',
  '��' => '粡',
  '��' => '絘',
  '��' => '絯',
  '��' => '絣',
  '��' => '絓',
  '��' => '絖',
  '��' => '絧',
  '��' => '絪',
  '��' => '絏',
  '��' => '絭',
  '��' => '絜',
  '�' => '絫',
  '�' => '絒',
  '�' => '絔',
  '�' => '絩',
  '�' => '絑',
  '�' => '絟',
  '�' => '絎',
  '�' => '缾',
  '�' => '缿',
  '�' => '罥',
  '�@' => '罦',
  '�A' => '羢',
  '�B' => '羠',
  '�C' => '羡',
  '�D' => '翗',
  '�E' => '聑',
  '�F' => '聏',
  '�G' => '聐',
  '�H' => '胾',
  '�I' => '胔',
  '�J' => '腃',
  '�K' => '腊',
  '�L' => '腒',
  '�M' => '腏',
  '�N' => '腇',
  '�O' => '脽',
  '�P' => '腍',
  '�Q' => '脺',
  '�R' => '臦',
  '�S' => '臮',
  '�T' => '臷',
  '�U' => '臸',
  '�V' => '臹',
  '�W' => '舄',
  '�X' => '舼',
  '�Y' => '舽',
  '�Z' => '舿',
  '�[' => '艵',
  '�\\' => '茻',
  '�]' => '菏',
  '�^' => '菹',
  '�_' => '萣',
  '�`' => '菀',
  '�a' => '菨',
  '�b' => '萒',
  '�c' => '菧',
  '�d' => '菤',
  '�e' => '菼',
  '�f' => '菶',
  '�g' => '萐',
  '�h' => '菆',
  '�i' => '菈',
  '�j' => '菫',
  '�k' => '菣',
  '�l' => '莿',
  '�m' => '萁',
  '�n' => '菝',
  '�o' => '菥',
  '�p' => '菘',
  '�q' => '菿',
  '�r' => '菡',
  '�s' => '菋',
  '�t' => '菎',
  '�u' => '菖',
  '�v' => '菵',
  '�w' => '菉',
  '�x' => '萉',
  '�y' => '萏',
  '�z' => '菞',
  '�{' => '萑',
  '�|' => '萆',
  '�}' => '菂',
  '�~' => '菳',
  'ۡ' => '菕',
  'ۢ' => '菺',
  'ۣ' => '菇',
  'ۤ' => '菑',
  'ۥ' => '菪',
  'ۦ' => '萓',
  'ۧ' => '菃',
  'ۨ' => '菬',
  '۩' => '菮',
  '۪' => '菄',
  '۫' => '菻',
  '۬' => '菗',
  'ۭ' => '菢',
  'ۮ' => '萛',
  'ۯ' => '菛',
  '۰' => '菾',
  '۱' => '蛘',
  '۲' => '蛢',
  '۳' => '蛦',
  '۴' => '蛓',
  '۵' => '蛣',
  '۶' => '蛚',
  '۷' => '蛪',
  '۸' => '蛝',
  '۹' => '蛫',
  'ۺ' => '蛜',
  'ۻ' => '蛬',
  'ۼ' => '蛩',
  '۽' => '蛗',
  '۾' => '蛨',
  'ۿ' => '蛑',
  '�' => '衈',
  '�' => '衖',
  '��' => '衕',
  '��' => '袺',
  '��' => '裗',
  '��' => '袹',
  '��' => '袸',
  '��' => '裀',
  '��' => '袾',
  '��' => '袶',
  '��' => '袼',
  '��' => '袷',
  '��' => '袽',
  '��' => '袲',
  '��' => '褁',
  '��' => '裉',
  '��' => '覕',
  '��' => '覘',
  '��' => '覗',
  '��' => '觝',
  '��' => '觚',
  '��' => '觛',
  '��' => '詎',
  '��' => '詍',
  '��' => '訹',
  '��' => '詙',
  '��' => '詀',
  '��' => '詗',
  '��' => '詘',
  '��' => '詄',
  '��' => '詅',
  '��' => '詒',
  '��' => '詈',
  '��' => '詑',
  '��' => '詊',
  '��' => '詌',
  '��' => '詏',
  '��' => '豟',
  '��' => '貁',
  '��' => '貀',
  '��' => '貺',
  '��' => '貾',
  '��' => '貰',
  '��' => '貹',
  '��' => '貵',
  '��' => '趄',
  '��' => '趀',
  '��' => '趉',
  '��' => '跘',
  '��' => '跓',
  '��' => '跍',
  '��' => '跇',
  '��' => '跖',
  '�' => '跜',
  '�' => '跏',
  '�' => '跕',
  '�' => '跙',
  '�' => '跈',
  '�' => '跗',
  '�' => '跅',
  '�' => '軯',
  '�' => '軷',
  '�' => '軺',
  '�@' => '軹',
  '�A' => '軦',
  '�B' => '軮',
  '�C' => '軥',
  '�D' => '軵',
  '�E' => '軧',
  '�F' => '軨',
  '�G' => '軶',
  '�H' => '軫',
  '�I' => '軱',
  '�J' => '軬',
  '�K' => '軴',
  '�L' => '軩',
  '�M' => '逭',
  '�N' => '逴',
  '�O' => '逯',
  '�P' => '鄆',
  '�Q' => '鄬',
  '�R' => '鄄',
  '�S' => '郿',
  '�T' => '郼',
  '�U' => '鄈',
  '�V' => '郹',
  '�W' => '郻',
  '�X' => '鄁',
  '�Y' => '鄀',
  '�Z' => '鄇',
  '�[' => '鄅',
  '�\\' => '鄃',
  '�]' => '酡',
  '�^' => '酤',
  '�_' => '酟',
  '�`' => '酢',
  '�a' => '酠',
  '�b' => '鈁',
  '�c' => '鈊',
  '�d' => '鈥',
  '�e' => '鈃',
  '�f' => '鈚',
  '�g' => '鈦',
  '�h' => '鈏',
  '�i' => '鈌',
  '�j' => '鈀',
  '�k' => '鈒',
  '�l' => '釿',
  '�m' => '釽',
  '�n' => '鈆',
  '�o' => '鈄',
  '�p' => '鈧',
  '�q' => '鈂',
  '�r' => '鈜',
  '�s' => '鈤',
  '�t' => '鈙',
  '�u' => '鈗',
  '�v' => '鈅',
  '�w' => '鈖',
  '�x' => '镻',
  '�y' => '閍',
  '�z' => '閌',
  '�{' => '閐',
  '�|' => '隇',
  '�}' => '陾',
  '�~' => '隈',
  'ܡ' => '隉',
  'ܢ' => '隃',
  'ܣ' => '隀',
  'ܤ' => '雂',
  'ܥ' => '雈',
  'ܦ' => '雃',
  'ܧ' => '雱',
  'ܨ' => '雰',
  'ܩ' => '靬',
  'ܪ' => '靰',
  'ܫ' => '靮',
  'ܬ' => '頇',
  'ܭ' => '颩',
  'ܮ' => '飫',
  'ܯ' => '鳦',
  'ܰ' => '黹',
  'ܱ' => '亃',
  'ܲ' => '亄',
  'ܳ' => '亶',
  'ܴ' => '傽',
  'ܵ' => '傿',
  'ܶ' => '僆',
  'ܷ' => '傮',
  'ܸ' => '僄',
  'ܹ' => '僊',
  'ܺ' => '傴',
  'ܻ' => '僈',
  'ܼ' => '僂',
  'ܽ' => '傰',
  'ܾ' => '僁',
  'ܿ' => '傺',
  '�' => '傱',
  '�' => '僋',
  '��' => '僉',
  '��' => '傶',
  '��' => '傸',
  '��' => '凗',
  '��' => '剺',
  '��' => '剸',
  '��' => '剻',
  '��' => '剼',
  '��' => '嗃',
  '��' => '嗛',
  '��' => '嗌',
  '��' => '嗐',
  '��' => '嗋',
  '��' => '嗊',
  '��' => '嗝',
  '��' => '嗀',
  '��' => '嗔',
  '��' => '嗄',
  '��' => '嗩',
  '��' => '喿',
  '��' => '嗒',
  '��' => '喍',
  '��' => '嗏',
  '��' => '嗕',
  '��' => '嗢',
  '��' => '嗖',
  '��' => '嗈',
  '��' => '嗲',
  '��' => '嗍',
  '��' => '嗙',
  '��' => '嗂',
  '��' => '圔',
  '��' => '塓',
  '��' => '塨',
  '��' => '塤',
  '��' => '塏',
  '��' => '塍',
  '��' => '塉',
  '��' => '塯',
  '��' => '塕',
  '��' => '塎',
  '��' => '塝',
  '��' => '塙',
  '��' => '塥',
  '��' => '塛',
  '��' => '堽',
  '��' => '塣',
  '��' => '塱',
  '��' => '壼',
  '��' => '嫇',
  '��' => '嫄',
  '�' => '嫋',
  '�' => '媺',
  '�' => '媸',
  '�' => '媱',
  '�' => '媵',
  '�' => '媰',
  '�' => '媿',
  '�' => '嫈',
  '�' => '媻',
  '�' => '嫆',
  '�@' => '媷',
  '�A' => '嫀',
  '�B' => '嫊',
  '�C' => '媴',
  '�D' => '媶',
  '�E' => '嫍',
  '�F' => '媹',
  '�G' => '媐',
  '�H' => '寖',
  '�I' => '寘',
  '�J' => '寙',
  '�K' => '尟',
  '�L' => '尳',
  '�M' => '嵱',
  '�N' => '嵣',
  '�O' => '嵊',
  '�P' => '嵥',
  '�Q' => '嵲',
  '�R' => '嵬',
  '�S' => '嵞',
  '�T' => '嵨',
  '�U' => '嵧',
  '�V' => '嵢',
  '�W' => '巰',
  '�X' => '幏',
  '�Y' => '幎',
  '�Z' => '幊',
  '�[' => '幍',
  '�\\' => '幋',
  '�]' => '廅',
  '�^' => '廌',
  '�_' => '廆',
  '�`' => '廋',
  '�a' => '廇',
  '�b' => '彀',
  '�c' => '徯',
  '�d' => '徭',
  '�e' => '惷',
  '�f' => '慉',
  '�g' => '慊',
  '�h' => '愫',
  '�i' => '慅',
  '�j' => '愶',
  '�k' => '愲',
  '�l' => '愮',
  '�m' => '慆',
  '�n' => '愯',
  '�o' => '慏',
  '�p' => '愩',
  '�q' => '慀',
  '�r' => '戠',
  '�s' => '酨',
  '�t' => '戣',
  '�u' => '戥',
  '�v' => '戤',
  '�w' => '揅',
  '�x' => '揱',
  '�y' => '揫',
  '�z' => '搐',
  '�{' => '搒',
  '�|' => '搉',
  '�}' => '搠',
  '�~' => '搤',
  'ݡ' => '搳',
  'ݢ' => '摃',
  'ݣ' => '搟',
  'ݤ' => '搕',
  'ݥ' => '搘',
  'ݦ' => '搹',
  'ݧ' => '搷',
  'ݨ' => '搢',
  'ݩ' => '搣',
  'ݪ' => '搌',
  'ݫ' => '搦',
  'ݬ' => '搰',
  'ݭ' => '搨',
  'ݮ' => '摁',
  'ݯ' => '搵',
  'ݰ' => '搯',
  'ݱ' => '搊',
  'ݲ' => '搚',
  'ݳ' => '摀',
  'ݴ' => '搥',
  'ݵ' => '搧',
  'ݶ' => '搋',
  'ݷ' => '揧',
  'ݸ' => '搛',
  'ݹ' => '搮',
  'ݺ' => '搡',
  'ݻ' => '搎',
  'ݼ' => '敯',
  'ݽ' => '斒',
  'ݾ' => '旓',
  'ݿ' => '暆',
  '�' => '暌',
  '�' => '暕',
  '��' => '暐',
  '��' => '暋',
  '��' => '暊',
  '��' => '暙',
  '��' => '暔',
  '��' => '晸',
  '��' => '朠',
  '��' => '楦',
  '��' => '楟',
  '��' => '椸',
  '��' => '楎',
  '��' => '楢',
  '��' => '楱',
  '��' => '椿',
  '��' => '楅',
  '��' => '楪',
  '��' => '椹',
  '��' => '楂',
  '��' => '楗',
  '��' => '楙',
  '��' => '楺',
  '��' => '楈',
  '��' => '楉',
  '��' => '椵',
  '��' => '楬',
  '��' => '椳',
  '��' => '椽',
  '��' => '楥',
  '��' => '棰',
  '��' => '楸',
  '��' => '椴',
  '��' => '楩',
  '��' => '楀',
  '��' => '楯',
  '��' => '楄',
  '��' => '楶',
  '��' => '楘',
  '��' => '楁',
  '��' => '楴',
  '��' => '楌',
  '��' => '椻',
  '��' => '楋',
  '��' => '椷',
  '��' => '楜',
  '��' => '楏',
  '��' => '楑',
  '��' => '椲',
  '��' => '楒',
  '��' => '椯',
  '��' => '楻',
  '��' => '椼',
  '�' => '歆',
  '�' => '歅',
  '�' => '歃',
  '�' => '歂',
  '�' => '歈',
  '�' => '歁',
  '�' => '殛',
  '�' => '嗀',
  '�' => '毻',
  '�' => '毼',
  '�@' => '毹',
  '�A' => '毷',
  '�B' => '毸',
  '�C' => '溛',
  '�D' => '滖',
  '�E' => '滈',
  '�F' => '溏',
  '�G' => '滀',
  '�H' => '溟',
  '�I' => '溓',
  '�J' => '溔',
  '�K' => '溠',
  '�L' => '溱',
  '�M' => '溹',
  '�N' => '滆',
  '�O' => '滒',
  '�P' => '溽',
  '�Q' => '滁',
  '�R' => '溞',
  '�S' => '滉',
  '�T' => '溷',
  '�U' => '溰',
  '�V' => '滍',
  '�W' => '溦',
  '�X' => '滏',
  '�Y' => '溲',
  '�Z' => '溾',
  '�[' => '滃',
  '�\\' => '滜',
  '�]' => '滘',
  '�^' => '溙',
  '�_' => '溒',
  '�`' => '溎',
  '�a' => '溍',
  '�b' => '溤',
  '�c' => '溡',
  '�d' => '溿',
  '�e' => '溳',
  '�f' => '滐',
  '�g' => '滊',
  '�h' => '溗',
  '�i' => '溮',
  '�j' => '溣',
  '�k' => '煇',
  '�l' => '煔',
  '�m' => '煒',
  '�n' => '煣',
  '�o' => '煠',
  '�p' => '煁',
  '�q' => '煝',
  '�r' => '煢',
  '�s' => '煲',
  '�t' => '煸',
  '�u' => '煪',
  '�v' => '煡',
  '�w' => '煂',
  '�x' => '煘',
  '�y' => '煃',
  '�z' => '煋',
  '�{' => '煰',
  '�|' => '煟',
  '�}' => '煐',
  '�~' => '煓',
  'ޡ' => '煄',
  'ޢ' => '煍',
  'ޣ' => '煚',
  'ޤ' => '牏',
  'ޥ' => '犍',
  'ަ' => '犌',
  'ާ' => '犑',
  'ި' => '犐',
  'ީ' => '犎',
  'ު' => '猼',
  'ޫ' => '獂',
  'ެ' => '猻',
  'ޭ' => '猺',
  'ޮ' => '獀',
  'ޯ' => '獊',
  'ް' => '獉',
  'ޱ' => '瑄',
  '޲' => '瑊',
  '޳' => '瑋',
  '޴' => '瑒',
  '޵' => '瑑',
  '޶' => '瑗',
  '޷' => '瑀',
  '޸' => '瑏',
  '޹' => '瑐',
  '޺' => '瑎',
  '޻' => '瑂',
  '޼' => '瑆',
  '޽' => '瑍',
  '޾' => '瑔',
  '޿' => '瓡',
  '�' => '瓿',
  '�' => '瓾',
  '��' => '瓽',
  '��' => '甝',
  '��' => '畹',
  '��' => '畷',
  '��' => '榃',
  '��' => '痯',
  '��' => '瘏',
  '��' => '瘃',
  '��' => '痷',
  '��' => '痾',
  '��' => '痼',
  '��' => '痹',
  '��' => '痸',
  '��' => '瘐',
  '��' => '痻',
  '��' => '痶',
  '��' => '痭',
  '��' => '痵',
  '��' => '痽',
  '��' => '皙',
  '��' => '皵',
  '��' => '盝',
  '��' => '睕',
  '��' => '睟',
  '��' => '睠',
  '��' => '睒',
  '��' => '睖',
  '��' => '睚',
  '��' => '睩',
  '��' => '睧',
  '��' => '睔',
  '��' => '睙',
  '��' => '睭',
  '��' => '矠',
  '��' => '碇',
  '��' => '碚',
  '��' => '碔',
  '��' => '碏',
  '��' => '碄',
  '��' => '碕',
  '��' => '碅',
  '��' => '碆',
  '��' => '碡',
  '��' => '碃',
  '��' => '硹',
  '��' => '碙',
  '��' => '碀',
  '��' => '碖',
  '��' => '硻',
  '��' => '祼',
  '��' => '禂',
  '�' => '祽',
  '�' => '祹',
  '�' => '稑',
  '�' => '稘',
  '�' => '稙',
  '�' => '稒',
  '�' => '稗',
  '�' => '稕',
  '�' => '稢',
  '�' => '稓',
  '�@' => '稛',
  '�A' => '稐',
  '�B' => '窣',
  '�C' => '窢',
  '�D' => '窞',
  '�E' => '竫',
  '�F' => '筦',
  '�G' => '筤',
  '�H' => '筭',
  '�I' => '筴',
  '�J' => '筩',
  '�K' => '筲',
  '�L' => '筥',
  '�M' => '筳',
  '�N' => '筱',
  '�O' => '筰',
  '�P' => '筡',
  '�Q' => '筸',
  '�R' => '筶',
  '�S' => '筣',
  '�T' => '粲',
  '�U' => '粴',
  '�V' => '粯',
  '�W' => '綈',
  '�X' => '綆',
  '�Y' => '綀',
  '�Z' => '綍',
  '�[' => '絿',
  '�\\' => '綅',
  '�]' => '絺',
  '�^' => '綎',
  '�_' => '絻',
  '�`' => '綃',
  '�a' => '絼',
  '�b' => '綌',
  '�c' => '綔',
  '�d' => '綄',
  '�e' => '絽',
  '�f' => '綒',
  '�g' => '罭',
  '�h' => '罫',
  '�i' => '罧',
  '�j' => '罨',
  '�k' => '罬',
  '�l' => '羦',
  '�m' => '羥',
  '�n' => '羧',
  '�o' => '翛',
  '�p' => '翜',
  '�q' => '耡',
  '�r' => '腤',
  '�s' => '腠',
  '�t' => '腷',
  '�u' => '腜',
  '�v' => '腩',
  '�w' => '腛',
  '�x' => '腢',
  '�y' => '腲',
  '�z' => '朡',
  '�{' => '腞',
  '�|' => '腶',
  '�}' => '腧',
  '�~' => '腯',
  'ߡ' => '腄',
  'ߢ' => '腡',
  'ߣ' => '舝',
  'ߤ' => '艉',
  'ߥ' => '艄',
  'ߦ' => '艀',
  'ߧ' => '艂',
  'ߨ' => '艅',
  'ߩ' => '蓱',
  'ߪ' => '萿',
  '߫' => '葖',
  '߬' => '葶',
  '߭' => '葹',
  '߮' => '蒏',
  '߯' => '蒍',
  '߰' => '葥',
  '߱' => '葑',
  '߲' => '葀',
  '߳' => '蒆',
  'ߴ' => '葧',
  'ߵ' => '萰',
  '߶' => '葍',
  '߷' => '葽',
  '߸' => '葚',
  '߹' => '葙',
  'ߺ' => '葴',
  '߻' => '葳',
  '߼' => '葝',
  '߽' => '蔇',
  '߾' => '葞',
  '߿' => '萷',
  '�' => '萺',
  '�' => '萴',
  '��' => '葺',
  '��' => '葃',
  '��' => '葸',
  '��' => '萲',
  '��' => '葅',
  '��' => '萩',
  '��' => '菙',
  '��' => '葋',
  '��' => '萯',
  '��' => '葂',
  '��' => '萭',
  '��' => '葟',
  '��' => '葰',
  '��' => '萹',
  '��' => '葎',
  '��' => '葌',
  '��' => '葒',
  '��' => '葯',
  '��' => '蓅',
  '��' => '蒎',
  '��' => '萻',
  '��' => '葇',
  '��' => '萶',
  '��' => '萳',
  '��' => '葨',
  '��' => '葾',
  '��' => '葄',
  '��' => '萫',
  '��' => '葠',
  '��' => '葔',
  '��' => '葮',
  '��' => '葐',
  '��' => '蜋',
  '��' => '蜄',
  '��' => '蛷',
  '��' => '蜌',
  '��' => '蛺',
  '��' => '蛖',
  '��' => '蛵',
  '��' => '蝍',
  '��' => '蛸',
  '��' => '蜎',
  '��' => '蜉',
  '��' => '蜁',
  '��' => '蛶',
  '��' => '蜍',
  '��' => '蜅',
  '��' => '裖',
  '��' => '裋',
  '��' => '裍',
  '��' => '裎',
  '�' => '裞',
  '�' => '裛',
  '�' => '裚',
  '�' => '裌',
  '�' => '裐',
  '�' => '覅',
  '�' => '覛',
  '�' => '觟',
  '�' => '觥',
  '�' => '觤',
  '�@' => '觡',
  '�A' => '觠',
  '�B' => '觢',
  '�C' => '觜',
  '�D' => '触',
  '�E' => '詶',
  '�F' => '誆',
  '�G' => '詿',
  '�H' => '詡',
  '�I' => '訿',
  '�J' => '詷',
  '�K' => '誂',
  '�L' => '誄',
  '�M' => '詵',
  '�N' => '誃',
  '�O' => '誁',
  '�P' => '詴',
  '�Q' => '詺',
  '�R' => '谼',
  '�S' => '豋',
  '�T' => '豊',
  '�U' => '豥',
  '�V' => '豤',
  '�W' => '豦',
  '�X' => '貆',
  '�Y' => '貄',
  '�Z' => '貅',
  '�[' => '賌',
  '�\\' => '赨',
  '�]' => '赩',
  '�^' => '趑',
  '�_' => '趌',
  '�`' => '趎',
  '�a' => '趏',
  '�b' => '趍',
  '�c' => '趓',
  '�d' => '趔',
  '�e' => '趐',
  '�f' => '趒',
  '�g' => '跰',
  '�h' => '跠',
  '�i' => '跬',
  '�j' => '跱',
  '�k' => '跮',
  '�l' => '跐',
  '�m' => '跩',
  '�n' => '跣',
  '�o' => '跢',
  '�p' => '跧',
  '�q' => '跲',
  '�r' => '跫',
  '�s' => '跴',
  '�t' => '輆',
  '�u' => '軿',
  '�v' => '輁',
  '�w' => '輀',
  '�x' => '輅',
  '�y' => '輇',
  '�z' => '輈',
  '�{' => '輂',
  '�|' => '輋',
  '�}' => '遒',
  '�~' => '逿',
  '�' => '遄',
  '�' => '遉',
  '�' => '逽',
  '�' => '鄐',
  '�' => '鄍',
  '�' => '鄏',
  '�' => '鄑',
  '�' => '鄖',
  '�' => '鄔',
  '�' => '鄋',
  '�' => '鄎',
  '�' => '酮',
  '�' => '酯',
  '�' => '鉈',
  '�' => '鉒',
  '�' => '鈰',
  '�' => '鈺',
  '�' => '鉦',
  '�' => '鈳',
  '�' => '鉥',
  '�' => '鉞',
  '�' => '銃',
  '�' => '鈮',
  '�' => '鉊',
  '�' => '鉆',
  '�' => '鉭',
  '�' => '鉬',
  '�' => '鉏',
  '�' => '鉠',
  '�' => '鉧',
  '�' => '鉯',
  '�' => '鈶',
  '�' => '鉡',
  '��' => '鉰',
  '��' => '鈱',
  '��' => '鉔',
  '��' => '鉣',
  '��' => '鉐',
  '��' => '鉲',
  '��' => '鉎',
  '��' => '鉓',
  '��' => '鉌',
  '��' => '鉖',
  '��' => '鈲',
  '��' => '閟',
  '��' => '閜',
  '��' => '閞',
  '��' => '閛',
  '��' => '隒',
  '��' => '隓',
  '��' => '隑',
  '��' => '隗',
  '��' => '雎',
  '��' => '雺',
  '��' => '雽',
  '��' => '雸',
  '��' => '雵',
  '��' => '靳',
  '��' => '靷',
  '��' => '靸',
  '��' => '靲',
  '��' => '頏',
  '��' => '頍',
  '��' => '頎',
  '��' => '颬',
  '��' => '飶',
  '��' => '飹',
  '��' => '馯',
  '��' => '馲',
  '��' => '馰',
  '��' => '馵',
  '��' => '骭',
  '��' => '骫',
  '��' => '魛',
  '��' => '鳪',
  '��' => '鳭',
  '��' => '鳧',
  '��' => '麀',
  '��' => '黽',
  '��' => '僦',
  '��' => '僔',
  '��' => '僗',
  '��' => '僨',
  '��' => '僳',
  '�' => '僛',
  '�' => '僪',
  '�' => '僝',
  '�' => '僤',
  '�' => '僓',
  '�' => '僬',
  '�' => '僰',
  '�' => '僯',
  '�' => '僣',
  '�' => '僠',
  '�@' => '凘',
  '�A' => '劀',
  '�B' => '劁',
  '�C' => '勩',
  '�D' => '勫',
  '�E' => '匰',
  '�F' => '厬',
  '�G' => '嘧',
  '�H' => '嘕',
  '�I' => '嘌',
  '�J' => '嘒',
  '�K' => '嗼',
  '�L' => '嘏',
  '�M' => '嘜',
  '�N' => '嘁',
  '�O' => '嘓',
  '�P' => '嘂',
  '�Q' => '嗺',
  '�R' => '嘝',
  '�S' => '嘄',
  '�T' => '嗿',
  '�U' => '嗹',
  '�V' => '墉',
  '�W' => '塼',
  '�X' => '墐',
  '�Y' => '墘',
  '�Z' => '墆',
  '�[' => '墁',
  '�\\' => '塿',
  '�]' => '塴',
  '�^' => '墋',
  '�_' => '塺',
  '�`' => '墇',
  '�a' => '墑',
  '�b' => '墎',
  '�c' => '塶',
  '�d' => '墂',
  '�e' => '墈',
  '�f' => '塻',
  '�g' => '墔',
  '�h' => '墏',
  '�i' => '壾',
  '�j' => '奫',
  '�k' => '嫜',
  '�l' => '嫮',
  '�m' => '嫥',
  '�n' => '嫕',
  '�o' => '嫪',
  '�p' => '嫚',
  '�q' => '嫭',
  '�r' => '嫫',
  '�s' => '嫳',
  '�t' => '嫢',
  '�u' => '嫠',
  '�v' => '嫛',
  '�w' => '嫬',
  '�x' => '嫞',
  '�y' => '嫝',
  '�z' => '嫙',
  '�{' => '嫨',
  '�|' => '嫟',
  '�}' => '孷',
  '�~' => '寠',
  '�' => '寣',
  '�' => '屣',
  '�' => '嶂',
  '�' => '嶀',
  '�' => '嵽',
  '�' => '嶆',
  '�' => '嵺',
  '�' => '嶁',
  '�' => '嵷',
  '�' => '嶊',
  '�' => '嶉',
  '�' => '嶈',
  '�' => '嵾',
  '�' => '嵼',
  '�' => '嶍',
  '�' => '嵹',
  '�' => '嵿',
  '�' => '幘',
  '�' => '幙',
  '�' => '幓',
  '�' => '廘',
  '�' => '廑',
  '�' => '廗',
  '�' => '廎',
  '�' => '廜',
  '�' => '廕',
  '�' => '廙',
  '�' => '廒',
  '�' => '廔',
  '�' => '彄',
  '�' => '彃',
  '�' => '彯',
  '�' => '徶',
  '��' => '愬',
  '��' => '愨',
  '��' => '慁',
  '��' => '慞',
  '��' => '慱',
  '��' => '慳',
  '��' => '慒',
  '��' => '慓',
  '��' => '慲',
  '��' => '慬',
  '��' => '憀',
  '��' => '慴',
  '��' => '慔',
  '��' => '慺',
  '��' => '慛',
  '��' => '慥',
  '��' => '愻',
  '��' => '慪',
  '��' => '慡',
  '��' => '慖',
  '��' => '戩',
  '��' => '戧',
  '��' => '戫',
  '��' => '搫',
  '��' => '摍',
  '��' => '摛',
  '��' => '摝',
  '��' => '摴',
  '��' => '摶',
  '��' => '摲',
  '��' => '摳',
  '��' => '摽',
  '��' => '摵',
  '��' => '摦',
  '��' => '撦',
  '��' => '摎',
  '��' => '撂',
  '��' => '摞',
  '��' => '摜',
  '��' => '摋',
  '��' => '摓',
  '��' => '摠',
  '��' => '摐',
  '��' => '摿',
  '��' => '搿',
  '��' => '摬',
  '��' => '摫',
  '��' => '摙',
  '��' => '摥',
  '��' => '摷',
  '��' => '敳',
  '�' => '斠',
  '�' => '暡',
  '�' => '暠',
  '�' => '暟',
  '�' => '朅',
  '�' => '朄',
  '�' => '朢',
  '�' => '榱',
  '�' => '榶',
  '�' => '槉',
  '�@' => '榠',
  '�A' => '槎',
  '�B' => '榖',
  '�C' => '榰',
  '�D' => '榬',
  '�E' => '榼',
  '�F' => '榑',
  '�G' => '榙',
  '�H' => '榎',
  '�I' => '榧',
  '�J' => '榍',
  '�K' => '榩',
  '�L' => '榾',
  '�M' => '榯',
  '�N' => '榿',
  '�O' => '槄',
  '�P' => '榽',
  '�Q' => '榤',
  '�R' => '槔',
  '�S' => '榹',
  '�T' => '槊',
  '�U' => '榚',
  '�V' => '槏',
  '�W' => '榳',
  '�X' => '榓',
  '�Y' => '榪',
  '�Z' => '榡',
  '�[' => '榞',
  '�\\' => '槙',
  '�]' => '榗',
  '�^' => '榐',
  '�_' => '槂',
  '�`' => '榵',
  '�a' => '榥',
  '�b' => '槆',
  '�c' => '歊',
  '�d' => '歍',
  '�e' => '歋',
  '�f' => '殞',
  '�g' => '殟',
  '�h' => '殠',
  '�i' => '毃',
  '�j' => '毄',
  '�k' => '毾',
  '�l' => '滎',
  '�m' => '滵',
  '�n' => '滱',
  '�o' => '漃',
  '�p' => '漥',
  '�q' => '滸',
  '�r' => '漷',
  '�s' => '滻',
  '�t' => '漮',
  '�u' => '漉',
  '�v' => '潎',
  '�w' => '漙',
  '�x' => '漚',
  '�y' => '漧',
  '�z' => '漘',
  '�{' => '漻',
  '�|' => '漒',
  '�}' => '滭',
  '�~' => '漊',
  '�' => '漶',
  '�' => '潳',
  '�' => '滹',
  '�' => '滮',
  '�' => '漭',
  '�' => '潀',
  '�' => '漰',
  '�' => '漼',
  '�' => '漵',
  '�' => '滫',
  '�' => '漇',
  '�' => '漎',
  '�' => '潃',
  '�' => '漅',
  '�' => '滽',
  '�' => '滶',
  '�' => '漹',
  '�' => '漜',
  '�' => '滼',
  '�' => '漺',
  '�' => '漟',
  '�' => '漍',
  '�' => '漞',
  '�' => '漈',
  '�' => '漡',
  '�' => '熇',
  '�' => '熐',
  '�' => '熉',
  '�' => '熀',
  '�' => '熅',
  '�' => '熂',
  '�' => '熏',
  '�' => '煻',
  '��' => '熆',
  '��' => '熁',
  '��' => '熗',
  '��' => '牄',
  '��' => '牓',
  '��' => '犗',
  '��' => '犕',
  '��' => '犓',
  '��' => '獃',
  '��' => '獍',
  '��' => '獑',
  '��' => '獌',
  '��' => '瑢',
  '��' => '瑳',
  '��' => '瑱',
  '��' => '瑵',
  '��' => '瑲',
  '��' => '瑧',
  '��' => '瑮',
  '��' => '甀',
  '��' => '甂',
  '��' => '甃',
  '��' => '畽',
  '��' => '疐',
  '��' => '瘖',
  '��' => '瘈',
  '��' => '瘌',
  '��' => '瘕',
  '��' => '瘑',
  '��' => '瘊',
  '��' => '瘔',
  '��' => '皸',
  '��' => '瞁',
  '��' => '睼',
  '��' => '瞅',
  '��' => '瞂',
  '��' => '睮',
  '��' => '瞀',
  '��' => '睯',
  '��' => '睾',
  '��' => '瞃',
  '��' => '碲',
  '��' => '碪',
  '��' => '碴',
  '��' => '碭',
  '��' => '碨',
  '��' => '硾',
  '��' => '碫',
  '��' => '碞',
  '��' => '碥',
  '��' => '碠',
  '�' => '碬',
  '�' => '碢',
  '�' => '碤',
  '�' => '禘',
  '�' => '禊',
  '�' => '禋',
  '�' => '禖',
  '�' => '禕',
  '�' => '禔',
  '�' => '禓',
  '�@' => '禗',
  '�A' => '禈',
  '�B' => '禒',
  '�C' => '禐',
  '�D' => '稫',
  '�E' => '穊',
  '�F' => '稰',
  '�G' => '稯',
  '�H' => '稨',
  '�I' => '稦',
  '�J' => '窨',
  '�K' => '窫',
  '�L' => '窬',
  '�M' => '竮',
  '�N' => '箈',
  '�O' => '箜',
  '�P' => '箊',
  '�Q' => '箑',
  '�R' => '箐',
  '�S' => '箖',
  '�T' => '箍',
  '�U' => '箌',
  '�V' => '箛',
  '�W' => '箎',
  '�X' => '箅',
  '�Y' => '箘',
  '�Z' => '劄',
  '�[' => '箙',
  '�\\' => '箤',
  '�]' => '箂',
  '�^' => '粻',
  '�_' => '粿',
  '�`' => '粼',
  '�a' => '粺',
  '�b' => '綧',
  '�c' => '綷',
  '�d' => '緂',
  '�e' => '綣',
  '�f' => '綪',
  '�g' => '緁',
  '�h' => '緀',
  '�i' => '緅',
  '�j' => '綝',
  '�k' => '緎',
  '�l' => '緄',
  '�m' => '緆',
  '�n' => '緋',
  '�o' => '緌',
  '�p' => '綯',
  '�q' => '綹',
  '�r' => '綖',
  '�s' => '綼',
  '�t' => '綟',
  '�u' => '綦',
  '�v' => '綮',
  '�w' => '綩',
  '�x' => '綡',
  '�y' => '緉',
  '�z' => '罳',
  '�{' => '翢',
  '�|' => '翣',
  '�}' => '翥',
  '�~' => '翞',
  '�' => '耤',
  '�' => '聝',
  '�' => '聜',
  '�' => '膉',
  '�' => '膆',
  '�' => '膃',
  '�' => '膇',
  '�' => '膍',
  '�' => '膌',
  '�' => '膋',
  '�' => '舕',
  '�' => '蒗',
  '�' => '蒤',
  '�' => '蒡',
  '�' => '蒟',
  '�' => '蒺',
  '�' => '蓎',
  '�' => '蓂',
  '�' => '蒬',
  '�' => '蒮',
  '�' => '蒫',
  '�' => '蒹',
  '�' => '蒴',
  '�' => '蓁',
  '�' => '蓍',
  '�' => '蒪',
  '�' => '蒚',
  '�' => '蒱',
  '�' => '蓐',
  '�' => '蒝',
  '�' => '蒧',
  '�' => '蒻',
  '�' => '蒢',
  '��' => '蒔',
  '��' => '蓇',
  '��' => '蓌',
  '��' => '蒛',
  '��' => '蒩',
  '��' => '蒯',
  '��' => '蒨',
  '��' => '蓖',
  '��' => '蒘',
  '��' => '蒶',
  '��' => '蓏',
  '��' => '蒠',
  '��' => '蓗',
  '��' => '蓔',
  '��' => '蓒',
  '��' => '蓛',
  '��' => '蒰',
  '��' => '蒑',
  '��' => '虡',
  '��' => '蜳',
  '��' => '蜣',
  '��' => '蜨',
  '��' => '蝫',
  '��' => '蝀',
  '��' => '蜮',
  '��' => '蜞',
  '��' => '蜡',
  '��' => '蜙',
  '��' => '蜛',
  '��' => '蝃',
  '��' => '蜬',
  '��' => '蝁',
  '��' => '蜾',
  '��' => '蝆',
  '��' => '蜠',
  '��' => '蜲',
  '��' => '蜪',
  '��' => '蜭',
  '��' => '蜼',
  '��' => '蜒',
  '��' => '蜺',
  '��' => '蜱',
  '��' => '蜵',
  '��' => '蝂',
  '��' => '蜦',
  '��' => '蜧',
  '��' => '蜸',
  '��' => '蜤',
  '��' => '蜚',
  '��' => '蜰',
  '��' => '蜑',
  '�' => '裷',
  '�' => '裧',
  '�' => '裱',
  '�' => '裲',
  '�' => '裺',
  '�' => '裾',
  '�' => '裮',
  '�' => '裼',
  '�' => '裶',
  '�' => '裻',
  '�@' => '裰',
  '�A' => '裬',
  '�B' => '裫',
  '�C' => '覝',
  '�D' => '覡',
  '�E' => '覟',
  '�F' => '覞',
  '�G' => '觩',
  '�H' => '觫',
  '�I' => '觨',
  '�J' => '誫',
  '�K' => '誙',
  '�L' => '誋',
  '�M' => '誒',
  '�N' => '誏',
  '�O' => '誖',
  '�P' => '谽',
  '�Q' => '豨',
  '�R' => '豩',
  '�S' => '賕',
  '�T' => '賏',
  '�U' => '賗',
  '�V' => '趖',
  '�W' => '踉',
  '�X' => '踂',
  '�Y' => '跿',
  '�Z' => '踍',
  '�[' => '跽',
  '�\\' => '踊',
  '�]' => '踃',
  '�^' => '踇',
  '�_' => '踆',
  '�`' => '踅',
  '�a' => '跾',
  '�b' => '踀',
  '�c' => '踄',
  '�d' => '輐',
  '�e' => '輑',
  '�f' => '輎',
  '�g' => '輍',
  '�h' => '鄣',
  '�i' => '鄜',
  '�j' => '鄠',
  '�k' => '鄢',
  '�l' => '鄟',
  '�m' => '鄝',
  '�n' => '鄚',
  '�o' => '鄤',
  '�p' => '鄡',
  '�q' => '鄛',
  '�r' => '酺',
  '�s' => '酲',
  '�t' => '酹',
  '�u' => '酳',
  '�v' => '銥',
  '�w' => '銤',
  '�x' => '鉶',
  '�y' => '銛',
  '�z' => '鉺',
  '�{' => '銠',
  '�|' => '銔',
  '�}' => '銪',
  '�~' => '銍',
  '�' => '銦',
  '�' => '銚',
  '�' => '銫',
  '�' => '鉹',
  '�' => '銗',
  '�' => '鉿',
  '�' => '銣',
  '�' => '鋮',
  '�' => '銎',
  '�' => '銂',
  '�' => '銕',
  '�' => '銢',
  '�' => '鉽',
  '�' => '銈',
  '�' => '銡',
  '�' => '銊',
  '�' => '銆',
  '�' => '銌',
  '�' => '銙',
  '�' => '銧',
  '�' => '鉾',
  '�' => '銇',
  '�' => '銩',
  '�' => '銝',
  '�' => '銋',
  '�' => '鈭',
  '�' => '隞',
  '�' => '隡',
  '�' => '雿',
  '�' => '靘',
  '�' => '靽',
  '�' => '靺',
  '�' => '靾',
  '��' => '鞃',
  '��' => '鞀',
  '��' => '鞂',
  '��' => '靻',
  '��' => '鞄',
  '��' => '鞁',
  '��' => '靿',
  '��' => '韎',
  '��' => '韍',
  '��' => '頖',
  '��' => '颭',
  '��' => '颮',
  '��' => '餂',
  '��' => '餀',
  '��' => '餇',
  '��' => '馝',
  '��' => '馜',
  '��' => '駃',
  '��' => '馹',
  '��' => '馻',
  '��' => '馺',
  '��' => '駂',
  '��' => '馽',
  '��' => '駇',
  '��' => '骱',
  '��' => '髣',
  '��' => '髧',
  '��' => '鬾',
  '��' => '鬿',
  '��' => '魠',
  '��' => '魡',
  '��' => '魟',
  '��' => '鳱',
  '��' => '鳲',
  '��' => '鳵',
  '��' => '麧',
  '��' => '僿',
  '��' => '儃',
  '��' => '儰',
  '��' => '僸',
  '��' => '儆',
  '��' => '儇',
  '��' => '僶',
  '��' => '僾',
  '��' => '儋',
  '��' => '儌',
  '��' => '僽',
  '��' => '儊',
  '��' => '劋',
  '��' => '劌',
  '��' => '勱',
  '�' => '勯',
  '�' => '噈',
  '�' => '噂',
  '�' => '噌',
  '�' => '嘵',
  '�' => '噁',
  '�' => '噊',
  '�' => '噉',
  '�' => '噆',
  '�' => '噘',
  '�@' => '噚',
  '�A' => '噀',
  '�B' => '嘳',
  '�C' => '嘽',
  '�D' => '嘬',
  '�E' => '嘾',
  '�F' => '嘸',
  '�G' => '嘪',
  '�H' => '嘺',
  '�I' => '圚',
  '�J' => '墫',
  '�K' => '墝',
  '�L' => '墱',
  '�M' => '墠',
  '�N' => '墣',
  '�O' => '墯',
  '�P' => '墬',
  '�Q' => '墥',
  '�R' => '墡',
  '�S' => '壿',
  '�T' => '嫿',
  '�U' => '嫴',
  '�V' => '嫽',
  '�W' => '嫷',
  '�X' => '嫶',
  '�Y' => '嬃',
  '�Z' => '嫸',
  '�[' => '嬂',
  '�\\' => '嫹',
  '�]' => '嬁',
  '�^' => '嬇',
  '�_' => '嬅',
  '�`' => '嬏',
  '�a' => '屧',
  '�b' => '嶙',
  '�c' => '嶗',
  '�d' => '嶟',
  '�e' => '嶒',
  '�f' => '嶢',
  '�g' => '嶓',
  '�h' => '嶕',
  '�i' => '嶠',
  '�j' => '嶜',
  '�k' => '嶡',
  '�l' => '嶚',
  '�m' => '嶞',
  '�n' => '幩',
  '�o' => '幝',
  '�p' => '幠',
  '�q' => '幜',
  '�r' => '緳',
  '�s' => '廛',
  '�t' => '廞',
  '�u' => '廡',
  '�v' => '彉',
  '�w' => '徲',
  '�x' => '憋',
  '�y' => '憃',
  '�z' => '慹',
  '�{' => '憱',
  '�|' => '憰',
  '�}' => '憢',
  '�~' => '憉',
  '�' => '憛',
  '�' => '憓',
  '�' => '憯',
  '�' => '憭',
  '�' => '憟',
  '�' => '憒',
  '�' => '憪',
  '�' => '憡',
  '�' => '憍',
  '�' => '慦',
  '�' => '憳',
  '�' => '戭',
  '�' => '摮',
  '�' => '摰',
  '�' => '撖',
  '�' => '撠',
  '�' => '撅',
  '�' => '撗',
  '�' => '撜',
  '�' => '撏',
  '�' => '撋',
  '�' => '撊',
  '�' => '撌',
  '�' => '撣',
  '�' => '撟',
  '�' => '摨',
  '�' => '撱',
  '�' => '撘',
  '�' => '敶',
  '�' => '敺',
  '�' => '敹',
  '�' => '敻',
  '�' => '斲',
  '��' => '斳',
  '��' => '暵',
  '��' => '暰',
  '��' => '暩',
  '��' => '暲',
  '��' => '暷',
  '��' => '暪',
  '��' => '暯',
  '��' => '樀',
  '��' => '樆',
  '��' => '樗',
  '��' => '槥',
  '��' => '槸',
  '��' => '樕',
  '��' => '槱',
  '��' => '槤',
  '��' => '樠',
  '��' => '槿',
  '��' => '槬',
  '��' => '槢',
  '��' => '樛',
  '��' => '樝',
  '��' => '槾',
  '��' => '樧',
  '��' => '槲',
  '��' => '槮',
  '��' => '樔',
  '��' => '槷',
  '��' => '槧',
  '��' => '橀',
  '��' => '樈',
  '��' => '槦',
  '��' => '槻',
  '��' => '樍',
  '��' => '槼',
  '��' => '槫',
  '��' => '樉',
  '��' => '樄',
  '��' => '樘',
  '��' => '樥',
  '��' => '樏',
  '��' => '槶',
  '��' => '樦',
  '��' => '樇',
  '��' => '槴',
  '��' => '樖',
  '��' => '歑',
  '��' => '殥',
  '��' => '殣',
  '��' => '殢',
  '��' => '殦',
  '�' => '氁',
  '�' => '氀',
  '�' => '毿',
  '�' => '氂',
  '�' => '潁',
  '�' => '漦',
  '�' => '潾',
  '�' => '澇',
  '�' => '濆',
  '�' => '澒',
  '�@' => '澍',
  '�A' => '澉',
  '�B' => '澌',
  '�C' => '潢',
  '�D' => '潏',
  '�E' => '澅',
  '�F' => '潚',
  '�G' => '澖',
  '�H' => '潶',
  '�I' => '潬',
  '�J' => '澂',
  '�K' => '潕',
  '�L' => '潲',
  '�M' => '潒',
  '�N' => '潐',
  '�O' => '潗',
  '�P' => '澔',
  '�Q' => '澓',
  '�R' => '潝',
  '�S' => '漀',
  '�T' => '潡',
  '�U' => '潫',
  '�V' => '潽',
  '�W' => '潧',
  '�X' => '澐',
  '�Y' => '潓',
  '�Z' => '澋',
  '�[' => '潩',
  '�\\' => '潿',
  '�]' => '澕',
  '�^' => '潣',
  '�_' => '潷',
  '�`' => '潪',
  '�a' => '潻',
  '�b' => '熲',
  '�c' => '熯',
  '�d' => '熛',
  '�e' => '熰',
  '�f' => '熠',
  '�g' => '熚',
  '�h' => '熩',
  '�i' => '熵',
  '�j' => '熝',
  '�k' => '熥',
  '�l' => '熞',
  '�m' => '熤',
  '�n' => '熡',
  '�o' => '熪',
  '�p' => '熜',
  '�q' => '熧',
  '�r' => '熳',
  '�s' => '犘',
  '�t' => '犚',
  '�u' => '獘',
  '�v' => '獒',
  '�w' => '獞',
  '�x' => '獟',
  '�y' => '獠',
  '�z' => '獝',
  '�{' => '獛',
  '�|' => '獡',
  '�}' => '獚',
  '�~' => '獙',
  '�' => '獢',
  '�' => '璇',
  '�' => '璉',
  '�' => '璊',
  '�' => '璆',
  '�' => '璁',
  '�' => '瑽',
  '�' => '璅',
  '�' => '璈',
  '�' => '瑼',
  '�' => '瑹',
  '�' => '甈',
  '�' => '甇',
  '�' => '畾',
  '�' => '瘥',
  '�' => '瘞',
  '�' => '瘙',
  '�' => '瘝',
  '�' => '瘜',
  '�' => '瘣',
  '�' => '瘚',
  '�' => '瘨',
  '�' => '瘛',
  '�' => '皜',
  '�' => '皝',
  '�' => '皞',
  '�' => '皛',
  '�' => '瞍',
  '�' => '瞏',
  '�' => '瞉',
  '�' => '瞈',
  '�' => '磍',
  '�' => '碻',
  '��' => '磏',
  '��' => '磌',
  '��' => '磑',
  '��' => '磎',
  '��' => '磔',
  '��' => '磈',
  '��' => '磃',
  '��' => '磄',
  '��' => '磉',
  '��' => '禚',
  '��' => '禡',
  '��' => '禠',
  '��' => '禜',
  '��' => '禢',
  '��' => '禛',
  '��' => '歶',
  '��' => '稹',
  '��' => '窲',
  '��' => '窴',
  '��' => '窳',
  '��' => '箷',
  '��' => '篋',
  '��' => '箾',
  '��' => '箬',
  '��' => '篎',
  '��' => '箯',
  '��' => '箹',
  '��' => '篊',
  '��' => '箵',
  '��' => '糅',
  '��' => '糈',
  '��' => '糌',
  '��' => '糋',
  '��' => '緷',
  '��' => '緛',
  '��' => '緪',
  '��' => '緧',
  '��' => '緗',
  '��' => '緡',
  '��' => '縃',
  '��' => '緺',
  '��' => '緦',
  '��' => '緶',
  '��' => '緱',
  '��' => '緰',
  '��' => '緮',
  '��' => '緟',
  '��' => '罶',
  '��' => '羬',
  '��' => '羰',
  '��' => '羭',
  '�' => '翭',
  '�' => '翫',
  '�' => '翪',
  '�' => '翬',
  '�' => '翦',
  '�' => '翨',
  '�' => '聤',
  '�' => '聧',
  '�' => '膣',
  '�' => '膟',
  '�@' => '膞',
  '�A' => '膕',
  '�B' => '膢',
  '�C' => '膙',
  '�D' => '膗',
  '�E' => '舖',
  '�F' => '艏',
  '�G' => '艓',
  '�H' => '艒',
  '�I' => '艐',
  '�J' => '艎',
  '�K' => '艑',
  '�L' => '蔤',
  '�M' => '蔻',
  '�N' => '蔏',
  '�O' => '蔀',
  '�P' => '蔩',
  '�Q' => '蔎',
  '�R' => '蔉',
  '�S' => '蔍',
  '�T' => '蔟',
  '�U' => '蔊',
  '�V' => '蔧',
  '�W' => '蔜',
  '�X' => '蓻',
  '�Y' => '蔫',
  '�Z' => '蓺',
  '�[' => '蔈',
  '�\\' => '蔌',
  '�]' => '蓴',
  '�^' => '蔪',
  '�_' => '蓲',
  '�`' => '蔕',
  '�a' => '蓷',
  '�b' => '蓫',
  '�c' => '蓳',
  '�d' => '蓼',
  '�e' => '蔒',
  '�f' => '蓪',
  '�g' => '蓩',
  '�h' => '蔖',
  '�i' => '蓾',
  '�j' => '蔨',
  '�k' => '蔝',
  '�l' => '蔮',
  '�m' => '蔂',
  '�n' => '蓽',
  '�o' => '蔞',
  '�p' => '蓶',
  '�q' => '蔱',
  '�r' => '蔦',
  '�s' => '蓧',
  '�t' => '蓨',
  '�u' => '蓰',
  '�v' => '蓯',
  '�w' => '蓹',
  '�x' => '蔘',
  '�y' => '蔠',
  '�z' => '蔰',
  '�{' => '蔋',
  '�|' => '蔙',
  '�}' => '蔯',
  '�~' => '虢',
  '�' => '蝖',
  '�' => '蝣',
  '�' => '蝤',
  '�' => '蝷',
  '�' => '蟡',
  '�' => '蝳',
  '�' => '蝘',
  '�' => '蝔',
  '�' => '蝛',
  '�' => '蝒',
  '�' => '蝡',
  '�' => '蝚',
  '�' => '蝑',
  '�' => '蝞',
  '�' => '蝭',
  '�' => '蝪',
  '�' => '蝐',
  '�' => '蝎',
  '�' => '蝟',
  '�' => '蝝',
  '�' => '蝯',
  '�' => '蝬',
  '�' => '蝺',
  '�' => '蝮',
  '�' => '蝜',
  '�' => '蝥',
  '�' => '蝏',
  '�' => '蝻',
  '�' => '蝵',
  '�' => '蝢',
  '�' => '蝧',
  '�' => '蝩',
  '�' => '衚',
  '��' => '褅',
  '��' => '褌',
  '��' => '褔',
  '��' => '褋',
  '��' => '褗',
  '��' => '褘',
  '��' => '褙',
  '��' => '褆',
  '��' => '褖',
  '��' => '褑',
  '��' => '褎',
  '��' => '褉',
  '��' => '覢',
  '��' => '覤',
  '��' => '覣',
  '��' => '觭',
  '��' => '觰',
  '��' => '觬',
  '��' => '諏',
  '��' => '諆',
  '��' => '誸',
  '��' => '諓',
  '��' => '諑',
  '��' => '諔',
  '��' => '諕',
  '��' => '誻',
  '��' => '諗',
  '��' => '誾',
  '��' => '諀',
  '��' => '諅',
  '��' => '諘',
  '��' => '諃',
  '��' => '誺',
  '��' => '誽',
  '��' => '諙',
  '��' => '谾',
  '��' => '豍',
  '��' => '貏',
  '��' => '賥',
  '��' => '賟',
  '��' => '賙',
  '��' => '賨',
  '��' => '賚',
  '��' => '賝',
  '��' => '賧',
  '��' => '趠',
  '��' => '趜',
  '��' => '趡',
  '��' => '趛',
  '��' => '踠',
  '��' => '踣',
  '�' => '踥',
  '�' => '踤',
  '�' => '踮',
  '�' => '踕',
  '�' => '踛',
  '�' => '踖',
  '�' => '踑',
  '�' => '踙',
  '�' => '踦',
  '�' => '踧',
  '�@' => '踔',
  '�A' => '踒',
  '�B' => '踘',
  '�C' => '踓',
  '�D' => '踜',
  '�E' => '踗',
  '�F' => '踚',
  '�G' => '輬',
  '�H' => '輤',
  '�I' => '輘',
  '�J' => '輚',
  '�K' => '輠',
  '�L' => '輣',
  '�M' => '輖',
  '�N' => '輗',
  '�O' => '遳',
  '�P' => '遰',
  '�Q' => '遯',
  '�R' => '遧',
  '�S' => '遫',
  '�T' => '鄯',
  '�U' => '鄫',
  '�V' => '鄩',
  '�W' => '鄪',
  '�X' => '鄲',
  '�Y' => '鄦',
  '�Z' => '鄮',
  '�[' => '醅',
  '�\\' => '醆',
  '�]' => '醊',
  '�^' => '醁',
  '�_' => '醂',
  '�`' => '醄',
  '�a' => '醀',
  '�b' => '鋐',
  '�c' => '鋃',
  '�d' => '鋄',
  '�e' => '鋀',
  '�f' => '鋙',
  '�g' => '銶',
  '�h' => '鋏',
  '�i' => '鋱',
  '�j' => '鋟',
  '�k' => '鋘',
  '�l' => '鋩',
  '�m' => '鋗',
  '�n' => '鋝',
  '�o' => '鋌',
  '�p' => '鋯',
  '�q' => '鋂',
  '�r' => '鋨',
  '�s' => '鋊',
  '�t' => '鋈',
  '�u' => '鋎',
  '�v' => '鋦',
  '�w' => '鋍',
  '�x' => '鋕',
  '�y' => '鋉',
  '�z' => '鋠',
  '�{' => '鋞',
  '�|' => '鋧',
  '�}' => '鋑',
  '�~' => '鋓',
  '�' => '銵',
  '�' => '鋡',
  '�' => '鋆',
  '�' => '銴',
  '�' => '镼',
  '�' => '閬',
  '�' => '閫',
  '�' => '閮',
  '�' => '閰',
  '�' => '隤',
  '�' => '隢',
  '�' => '雓',
  '�' => '霅',
  '�' => '霈',
  '�' => '霂',
  '�' => '靚',
  '�' => '鞊',
  '�' => '鞎',
  '�' => '鞈',
  '�' => '韐',
  '�' => '韏',
  '�' => '頞',
  '�' => '頝',
  '�' => '頦',
  '�' => '頩',
  '�' => '頨',
  '�' => '頠',
  '�' => '頛',
  '�' => '頧',
  '�' => '颲',
  '�' => '餈',
  '�' => '飺',
  '�' => '餑',
  '��' => '餔',
  '��' => '餖',
  '��' => '餗',
  '��' => '餕',
  '��' => '駜',
  '��' => '駍',
  '��' => '駏',
  '��' => '駓',
  '��' => '駔',
  '��' => '駎',
  '��' => '駉',
  '��' => '駖',
  '��' => '駘',
  '��' => '駋',
  '��' => '駗',
  '��' => '駌',
  '��' => '骳',
  '��' => '髬',
  '��' => '髫',
  '��' => '髳',
  '��' => '髲',
  '��' => '髱',
  '��' => '魆',
  '��' => '魃',
  '��' => '魧',
  '��' => '魴',
  '��' => '魱',
  '��' => '魦',
  '��' => '魶',
  '��' => '魵',
  '��' => '魰',
  '��' => '魨',
  '��' => '魤',
  '��' => '魬',
  '��' => '鳼',
  '��' => '鳺',
  '��' => '鳽',
  '��' => '鳿',
  '��' => '鳷',
  '��' => '鴇',
  '��' => '鴀',
  '��' => '鳹',
  '��' => '鳻',
  '��' => '鴈',
  '��' => '鴅',
  '��' => '鴄',
  '��' => '麃',
  '��' => '黓',
  '��' => '鼏',
  '��' => '鼐',
  '��' => '儜',
  '�' => '儓',
  '�' => '儗',
  '�' => '儚',
  '�' => '儑',
  '�' => '凞',
  '�' => '匴',
  '�' => '叡',
  '�' => '噰',
  '�' => '噠',
  '�' => '噮',
  '�@' => '噳',
  '�A' => '噦',
  '�B' => '噣',
  '�C' => '噭',
  '�D' => '噲',
  '�E' => '噞',
  '�F' => '噷',
  '�G' => '圜',
  '�H' => '圛',
  '�I' => '壈',
  '�J' => '墽',
  '�K' => '壉',
  '�L' => '墿',
  '�M' => '墺',
  '�N' => '壂',
  '�O' => '墼',
  '�P' => '壆',
  '�Q' => '嬗',
  '�R' => '嬙',
  '�S' => '嬛',
  '�T' => '嬡',
  '�U' => '嬔',
  '�V' => '嬓',
  '�W' => '嬐',
  '�X' => '嬖',
  '�Y' => '嬨',
  '�Z' => '嬚',
  '�[' => '嬠',
  '�\\' => '嬞',
  '�]' => '寯',
  '�^' => '嶬',
  '�_' => '嶱',
  '�`' => '嶩',
  '�a' => '嶧',
  '�b' => '嶵',
  '�c' => '嶰',
  '�d' => '嶮',
  '�e' => '嶪',
  '�f' => '嶨',
  '�g' => '嶲',
  '�h' => '嶭',
  '�i' => '嶯',
  '�j' => '嶴',
  '�k' => '幧',
  '�l' => '幨',
  '�m' => '幦',
  '�n' => '幯',
  '�o' => '廩',
  '�p' => '廧',
  '�q' => '廦',
  '�r' => '廨',
  '�s' => '廥',
  '�t' => '彋',
  '�u' => '徼',
  '�v' => '憝',
  '�w' => '憨',
  '�x' => '憖',
  '�y' => '懅',
  '�z' => '憴',
  '�{' => '懆',
  '�|' => '懁',
  '�}' => '懌',
  '�~' => '憺',
  '�' => '憿',
  '�' => '憸',
  '�' => '憌',
  '�' => '擗',
  '�' => '擖',
  '�' => '擐',
  '�' => '擏',
  '�' => '擉',
  '�' => '撽',
  '�' => '撉',
  '�' => '擃',
  '�' => '擛',
  '�' => '擳',
  '�' => '擙',
  '�' => '攳',
  '�' => '敿',
  '�' => '敼',
  '�' => '斢',
  '�' => '曈',
  '�' => '暾',
  '�' => '曀',
  '�' => '曊',
  '�' => '曋',
  '�' => '曏',
  '�' => '暽',
  '�' => '暻',
  '�' => '暺',
  '�' => '曌',
  '�' => '朣',
  '�' => '樴',
  '�' => '橦',
  '�' => '橉',
  '�' => '橧',
  '��' => '樲',
  '��' => '橨',
  '��' => '樾',
  '��' => '橝',
  '��' => '橭',
  '��' => '橶',
  '��' => '橛',
  '��' => '橑',
  '��' => '樨',
  '��' => '橚',
  '��' => '樻',
  '��' => '樿',
  '��' => '橁',
  '��' => '橪',
  '��' => '橤',
  '��' => '橐',
  '��' => '橏',
  '��' => '橔',
  '��' => '橯',
  '��' => '橩',
  '��' => '橠',
  '��' => '樼',
  '��' => '橞',
  '��' => '橖',
  '��' => '橕',
  '��' => '橍',
  '��' => '橎',
  '��' => '橆',
  '��' => '歕',
  '��' => '歔',
  '��' => '歖',
  '��' => '殧',
  '��' => '殪',
  '��' => '殫',
  '��' => '毈',
  '��' => '毇',
  '��' => '氄',
  '��' => '氃',
  '��' => '氆',
  '��' => '澭',
  '��' => '濋',
  '��' => '澣',
  '��' => '濇',
  '��' => '澼',
  '��' => '濎',
  '��' => '濈',
  '��' => '潞',
  '��' => '濄',
  '��' => '澽',
  '��' => '澞',
  '��' => '濊',
  '�' => '澨',
  '�' => '瀄',
  '�' => '澥',
  '�' => '澮',
  '�' => '澺',
  '�' => '澬',
  '�' => '澪',
  '�' => '濏',
  '�' => '澿',
  '�' => '澸',
  '�@' => '澢',
  '�A' => '濉',
  '�B' => '澫',
  '�C' => '濍',
  '�D' => '澯',
  '�E' => '澲',
  '�F' => '澰',
  '�G' => '燅',
  '�H' => '燂',
  '�I' => '熿',
  '�J' => '熸',
  '�K' => '燖',
  '�L' => '燀',
  '�M' => '燁',
  '�N' => '燋',
  '�O' => '燔',
  '�P' => '燊',
  '�Q' => '燇',
  '�R' => '燏',
  '�S' => '熽',
  '�T' => '燘',
  '�U' => '熼',
  '�V' => '燆',
  '�W' => '燚',
  '�X' => '燛',
  '�Y' => '犝',
  '�Z' => '犞',
  '�[' => '獩',
  '�\\' => '獦',
  '�]' => '獧',
  '�^' => '獬',
  '�_' => '獥',
  '�`' => '獫',
  '�a' => '獪',
  '�b' => '瑿',
  '�c' => '璚',
  '�d' => '璠',
  '�e' => '璔',
  '�f' => '璒',
  '�g' => '璕',
  '�h' => '璡',
  '�i' => '甋',
  '�j' => '疀',
  '�k' => '瘯',
  '�l' => '瘭',
  '�m' => '瘱',
  '�n' => '瘽',
  '�o' => '瘳',
  '�p' => '瘼',
  '�q' => '瘵',
  '�r' => '瘲',
  '�s' => '瘰',
  '�t' => '皻',
  '�u' => '盦',
  '�v' => '瞚',
  '�w' => '瞝',
  '�x' => '瞡',
  '�y' => '瞜',
  '�z' => '瞛',
  '�{' => '瞢',
  '�|' => '瞣',
  '�}' => '瞕',
  '�~' => '瞙',
  '�' => '瞗',
  '�' => '磝',
  '�' => '磩',
  '�' => '磥',
  '�' => '磪',
  '�' => '磞',
  '�' => '磣',
  '�' => '磛',
  '�' => '磡',
  '�' => '磢',
  '�' => '磭',
  '�' => '磟',
  '�' => '磠',
  '�' => '禤',
  '�' => '穄',
  '�' => '穈',
  '�' => '穇',
  '�' => '窶',
  '�' => '窸',
  '�' => '窵',
  '�' => '窱',
  '�' => '窷',
  '�' => '篞',
  '�' => '篣',
  '�' => '篧',
  '�' => '篝',
  '�' => '篕',
  '�' => '篥',
  '�' => '篚',
  '�' => '篨',
  '�' => '篹',
  '�' => '篔',
  '�' => '篪',
  '��' => '篢',
  '��' => '篜',
  '��' => '篫',
  '��' => '篘',
  '��' => '篟',
  '��' => '糒',
  '��' => '糔',
  '��' => '糗',
  '��' => '糐',
  '��' => '糑',
  '��' => '縒',
  '��' => '縡',
  '��' => '縗',
  '��' => '縌',
  '��' => '縟',
  '��' => '縠',
  '��' => '縓',
  '��' => '縎',
  '��' => '縜',
  '��' => '縕',
  '��' => '縚',
  '��' => '縢',
  '��' => '縋',
  '��' => '縏',
  '��' => '縖',
  '��' => '縍',
  '��' => '縔',
  '��' => '縥',
  '��' => '縤',
  '��' => '罃',
  '��' => '罻',
  '��' => '罼',
  '��' => '罺',
  '��' => '羱',
  '��' => '翯',
  '��' => '耪',
  '��' => '耩',
  '��' => '聬',
  '��' => '膱',
  '��' => '膦',
  '��' => '膮',
  '��' => '膹',
  '��' => '膵',
  '��' => '膫',
  '��' => '膰',
  '��' => '膬',
  '��' => '膴',
  '��' => '膲',
  '��' => '膷',
  '��' => '膧',
  '��' => '臲',
  '�' => '艕',
  '�' => '艖',
  '�' => '艗',
  '�' => '蕖',
  '�' => '蕅',
  '�' => '蕫',
  '�' => '蕍',
  '�' => '蕓',
  '�' => '蕡',
  '�' => '蕘',
  '�@' => '蕀',
  '�A' => '蕆',
  '�B' => '蕤',
  '�C' => '蕁',
  '�D' => '蕢',
  '�E' => '蕄',
  '�F' => '蕑',
  '�G' => '蕇',
  '�H' => '蕣',
  '�I' => '蔾',
  '�J' => '蕛',
  '�K' => '蕱',
  '�L' => '蕎',
  '�M' => '蕮',
  '�N' => '蕵',
  '�O' => '蕕',
  '�P' => '蕧',
  '�Q' => '蕠',
  '�R' => '薌',
  '�S' => '蕦',
  '�T' => '蕝',
  '�U' => '蕔',
  '�V' => '蕥',
  '�W' => '蕬',
  '�X' => '虣',
  '�Y' => '虥',
  '�Z' => '虤',
  '�[' => '螛',
  '�\\' => '螏',
  '�]' => '螗',
  '�^' => '螓',
  '�_' => '螒',
  '�`' => '螈',
  '�a' => '螁',
  '�b' => '螖',
  '�c' => '螘',
  '�d' => '蝹',
  '�e' => '螇',
  '�f' => '螣',
  '�g' => '螅',
  '�h' => '螐',
  '�i' => '螑',
  '�j' => '螝',
  '�k' => '螄',
  '�l' => '螔',
  '�m' => '螜',
  '�n' => '螚',
  '�o' => '螉',
  '�p' => '褞',
  '�q' => '褦',
  '�r' => '褰',
  '�s' => '褭',
  '�t' => '褮',
  '�u' => '褧',
  '�v' => '褱',
  '�w' => '褢',
  '�x' => '褩',
  '�y' => '褣',
  '�z' => '褯',
  '�{' => '褬',
  '�|' => '褟',
  '�}' => '觱',
  '�~' => '諠',
  '�' => '諢',
  '�' => '諲',
  '�' => '諴',
  '�' => '諵',
  '�' => '諝',
  '�' => '謔',
  '�' => '諤',
  '�' => '諟',
  '�' => '諰',
  '�' => '諈',
  '�' => '諞',
  '�' => '諡',
  '�' => '諨',
  '�' => '諿',
  '�' => '諯',
  '�' => '諻',
  '�' => '貑',
  '�' => '貒',
  '�' => '貐',
  '�' => '賵',
  '�' => '賮',
  '�' => '賱',
  '�' => '賰',
  '�' => '賳',
  '�' => '赬',
  '�' => '赮',
  '�' => '趥',
  '�' => '趧',
  '�' => '踳',
  '�' => '踾',
  '�' => '踸',
  '�' => '蹀',
  '�' => '蹅',
  '��' => '踶',
  '��' => '踼',
  '��' => '踽',
  '��' => '蹁',
  '��' => '踰',
  '��' => '踿',
  '��' => '躽',
  '��' => '輶',
  '��' => '輮',
  '��' => '輵',
  '��' => '輲',
  '��' => '輹',
  '��' => '輷',
  '��' => '輴',
  '��' => '遶',
  '��' => '遹',
  '��' => '遻',
  '��' => '邆',
  '��' => '郺',
  '��' => '鄳',
  '��' => '鄵',
  '��' => '鄶',
  '��' => '醓',
  '��' => '醐',
  '��' => '醑',
  '��' => '醍',
  '��' => '醏',
  '��' => '錧',
  '��' => '錞',
  '��' => '錈',
  '��' => '錟',
  '��' => '錆',
  '��' => '錏',
  '��' => '鍺',
  '��' => '錸',
  '��' => '錼',
  '��' => '錛',
  '��' => '錣',
  '��' => '錒',
  '��' => '錁',
  '��' => '鍆',
  '��' => '錭',
  '��' => '錎',
  '��' => '錍',
  '��' => '鋋',
  '��' => '錝',
  '��' => '鋺',
  '��' => '錥',
  '��' => '錓',
  '��' => '鋹',
  '��' => '鋷',
  '�' => '錴',
  '�' => '錂',
  '�' => '錤',
  '�' => '鋿',
  '�' => '錩',
  '�' => '錹',
  '�' => '錵',
  '�' => '錪',
  '�' => '錔',
  '�' => '錌',
  '�@' => '錋',
  '�A' => '鋾',
  '�B' => '錉',
  '�C' => '錀',
  '�D' => '鋻',
  '�E' => '錖',
  '�F' => '閼',
  '�G' => '闍',
  '�H' => '閾',
  '�I' => '閹',
  '�J' => '閺',
  '�K' => '閶',
  '�L' => '閿',
  '�M' => '閵',
  '�N' => '閽',
  '�O' => '隩',
  '�P' => '雔',
  '�Q' => '霋',
  '�R' => '霒',
  '�S' => '霐',
  '�T' => '鞙',
  '�U' => '鞗',
  '�V' => '鞔',
  '�W' => '韰',
  '�X' => '韸',
  '�Y' => '頵',
  '�Z' => '頯',
  '�[' => '頲',
  '�\\' => '餤',
  '�]' => '餟',
  '�^' => '餧',
  '�_' => '餩',
  '�`' => '馞',
  '�a' => '駮',
  '�b' => '駬',
  '�c' => '駥',
  '�d' => '駤',
  '�e' => '駰',
  '�f' => '駣',
  '�g' => '駪',
  '�h' => '駩',
  '�i' => '駧',
  '�j' => '骹',
  '�k' => '骿',
  '�l' => '骴',
  '�m' => '骻',
  '�n' => '髶',
  '�o' => '髺',
  '�p' => '髹',
  '�q' => '髷',
  '�r' => '鬳',
  '�s' => '鮀',
  '�t' => '鮅',
  '�u' => '鮇',
  '�v' => '魼',
  '�w' => '魾',
  '�x' => '魻',
  '�y' => '鮂',
  '�z' => '鮓',
  '�{' => '鮒',
  '�|' => '鮐',
  '�}' => '魺',
  '�~' => '鮕',
  '�' => '魽',
  '�' => '鮈',
  '�' => '鴥',
  '�' => '鴗',
  '�' => '鴠',
  '�' => '鴞',
  '�' => '鴔',
  '�' => '鴩',
  '�' => '鴝',
  '�' => '鴘',
  '�' => '鴢',
  '�' => '鴐',
  '�' => '鴙',
  '�' => '鴟',
  '�' => '麈',
  '�' => '麆',
  '�' => '麇',
  '�' => '麮',
  '�' => '麭',
  '�' => '黕',
  '�' => '黖',
  '�' => '黺',
  '�' => '鼒',
  '�' => '鼽',
  '�' => '儦',
  '�' => '儥',
  '�' => '儢',
  '�' => '儤',
  '�' => '儠',
  '�' => '儩',
  '�' => '勴',
  '�' => '嚓',
  '�' => '嚌',
  '��' => '嚍',
  '��' => '嚆',
  '��' => '嚄',
  '��' => '嚃',
  '��' => '噾',
  '��' => '嚂',
  '��' => '噿',
  '��' => '嚁',
  '��' => '壖',
  '��' => '壔',
  '��' => '壏',
  '��' => '壒',
  '��' => '嬭',
  '��' => '嬥',
  '��' => '嬲',
  '��' => '嬣',
  '��' => '嬬',
  '��' => '嬧',
  '��' => '嬦',
  '��' => '嬯',
  '��' => '嬮',
  '��' => '孻',
  '��' => '寱',
  '��' => '寲',
  '��' => '嶷',
  '��' => '幬',
  '��' => '幪',
  '��' => '徾',
  '��' => '徻',
  '��' => '懃',
  '��' => '憵',
  '��' => '憼',
  '��' => '懧',
  '��' => '懠',
  '��' => '懥',
  '��' => '懤',
  '��' => '懨',
  '��' => '懞',
  '��' => '擯',
  '��' => '擩',
  '��' => '擣',
  '��' => '擫',
  '��' => '擤',
  '��' => '擨',
  '��' => '斁',
  '��' => '斀',
  '��' => '斶',
  '��' => '旚',
  '��' => '曒',
  '��' => '檍',
  '��' => '檖',
  '�' => '檁',
  '�' => '檥',
  '�' => '檉',
  '�' => '檟',
  '�' => '檛',
  '�' => '檡',
  '�' => '檞',
  '�' => '檇',
  '�' => '檓',
  '�' => '檎',
  '�@' => '檕',
  '�A' => '檃',
  '�B' => '檨',
  '�C' => '檤',
  '�D' => '檑',
  '�E' => '橿',
  '�F' => '檦',
  '�G' => '檚',
  '�H' => '檅',
  '�I' => '檌',
  '�J' => '檒',
  '�K' => '歛',
  '�L' => '殭',
  '�M' => '氉',
  '�N' => '濌',
  '�O' => '澩',
  '�P' => '濴',
  '�Q' => '濔',
  '�R' => '濣',
  '�S' => '濜',
  '�T' => '濭',
  '�U' => '濧',
  '�V' => '濦',
  '�W' => '濞',
  '�X' => '濲',
  '�Y' => '濝',
  '�Z' => '濢',
  '�[' => '濨',
  '�\\' => '燡',
  '�]' => '燱',
  '�^' => '燨',
  '�_' => '燲',
  '�`' => '燤',
  '�a' => '燰',
  '�b' => '燢',
  '�c' => '獳',
  '�d' => '獮',
  '�e' => '獯',
  '�f' => '璗',
  '�g' => '璲',
  '�h' => '璫',
  '�i' => '璐',
  '�j' => '璪',
  '�k' => '璭',
  '�l' => '璱',
  '�m' => '璥',
  '�n' => '璯',
  '�o' => '甐',
  '�p' => '甑',
  '�q' => '甒',
  '�r' => '甏',
  '�s' => '疄',
  '�t' => '癃',
  '�u' => '癈',
  '�v' => '癉',
  '�w' => '癇',
  '�x' => '皤',
  '�y' => '盩',
  '�z' => '瞵',
  '�{' => '瞫',
  '�|' => '瞲',
  '�}' => '瞷',
  '�~' => '瞶',
  '�' => '瞴',
  '�' => '瞱',
  '�' => '瞨',
  '�' => '矰',
  '�' => '磳',
  '�' => '磽',
  '�' => '礂',
  '�' => '磻',
  '�' => '磼',
  '�' => '磲',
  '�' => '礅',
  '�' => '磹',
  '�' => '磾',
  '�' => '礄',
  '�' => '禫',
  '�' => '禨',
  '�' => '穜',
  '�' => '穛',
  '�' => '穖',
  '�' => '穘',
  '�' => '穔',
  '�' => '穚',
  '�' => '窾',
  '�' => '竀',
  '�' => '竁',
  '�' => '簅',
  '�' => '簏',
  '�' => '篲',
  '�' => '簀',
  '�' => '篿',
  '�' => '篻',
  '�' => '簎',
  '�' => '篴',
  '��' => '簋',
  '��' => '篳',
  '��' => '簂',
  '��' => '簉',
  '��' => '簃',
  '��' => '簁',
  '��' => '篸',
  '��' => '篽',
  '��' => '簆',
  '��' => '篰',
  '��' => '篱',
  '��' => '簐',
  '��' => '簊',
  '��' => '糨',
  '��' => '縭',
  '��' => '縼',
  '��' => '繂',
  '��' => '縳',
  '��' => '顈',
  '��' => '縸',
  '��' => '縪',
  '��' => '繉',
  '��' => '繀',
  '��' => '繇',
  '��' => '縩',
  '��' => '繌',
  '��' => '縰',
  '��' => '縻',
  '��' => '縶',
  '��' => '繄',
  '��' => '縺',
  '��' => '罅',
  '��' => '罿',
  '��' => '罾',
  '��' => '罽',
  '��' => '翴',
  '��' => '翲',
  '��' => '耬',
  '��' => '膻',
  '��' => '臄',
  '��' => '臌',
  '��' => '臊',
  '��' => '臅',
  '��' => '臇',
  '��' => '膼',
  '��' => '臩',
  '��' => '艛',
  '��' => '艚',
  '��' => '艜',
  '��' => '薃',
  '��' => '薀',
  '�' => '薏',
  '�' => '薧',
  '�' => '薕',
  '�' => '薠',
  '�' => '薋',
  '�' => '薣',
  '�' => '蕻',
  '�' => '薤',
  '�' => '薚',
  '�' => '薞',
  '�@' => '蕷',
  '�A' => '蕼',
  '�B' => '薉',
  '�C' => '薡',
  '�D' => '蕺',
  '�E' => '蕸',
  '�F' => '蕗',
  '�G' => '薎',
  '�H' => '薖',
  '�I' => '薆',
  '�J' => '薍',
  '�K' => '薙',
  '�L' => '薝',
  '�M' => '薁',
  '�N' => '薢',
  '�O' => '薂',
  '�P' => '薈',
  '�Q' => '薅',
  '�R' => '蕹',
  '�S' => '蕶',
  '�T' => '薘',
  '�U' => '薐',
  '�V' => '薟',
  '�W' => '虨',
  '�X' => '螾',
  '�Y' => '螪',
  '�Z' => '螭',
  '�[' => '蟅',
  '�\\' => '螰',
  '�]' => '螬',
  '�^' => '螹',
  '�_' => '螵',
  '�`' => '螼',
  '�a' => '螮',
  '�b' => '蟉',
  '�c' => '蟃',
  '�d' => '蟂',
  '�e' => '蟌',
  '�f' => '螷',
  '�g' => '螯',
  '�h' => '蟄',
  '�i' => '蟊',
  '�j' => '螴',
  '�k' => '螶',
  '�l' => '螿',
  '�m' => '螸',
  '�n' => '螽',
  '�o' => '蟞',
  '�p' => '螲',
  '�q' => '褵',
  '�r' => '褳',
  '�s' => '褼',
  '�t' => '褾',
  '�u' => '襁',
  '�v' => '襒',
  '�w' => '褷',
  '�x' => '襂',
  '�y' => '覭',
  '�z' => '覯',
  '�{' => '覮',
  '�|' => '觲',
  '�}' => '觳',
  '�~' => '謞',
  '�' => '謘',
  '�' => '謖',
  '�' => '謑',
  '�' => '謅',
  '�' => '謋',
  '�' => '謢',
  '�' => '謏',
  '�' => '謒',
  '�' => '謕',
  '�' => '謇',
  '�' => '謍',
  '�' => '謈',
  '�' => '謆',
  '�' => '謜',
  '�' => '謓',
  '�' => '謚',
  '�' => '豏',
  '�' => '豰',
  '�' => '豲',
  '�' => '豱',
  '�' => '豯',
  '�' => '貕',
  '�' => '貔',
  '�' => '賹',
  '�' => '赯',
  '�' => '蹎',
  '�' => '蹍',
  '�' => '蹓',
  '�' => '蹐',
  '�' => '蹌',
  '�' => '蹇',
  '�' => '轃',
  '�' => '轀',
  '��' => '邅',
  '��' => '遾',
  '��' => '鄸',
  '��' => '醚',
  '��' => '醢',
  '��' => '醛',
  '��' => '醙',
  '��' => '醟',
  '��' => '醡',
  '��' => '醝',
  '��' => '醠',
  '��' => '鎡',
  '��' => '鎃',
  '��' => '鎯',
  '��' => '鍤',
  '��' => '鍖',
  '��' => '鍇',
  '��' => '鍼',
  '��' => '鍘',
  '��' => '鍜',
  '��' => '鍶',
  '��' => '鍉',
  '��' => '鍐',
  '��' => '鍑',
  '��' => '鍠',
  '��' => '鍭',
  '��' => '鎏',
  '��' => '鍌',
  '��' => '鍪',
  '��' => '鍹',
  '��' => '鍗',
  '��' => '鍕',
  '��' => '鍒',
  '��' => '鍏',
  '��' => '鍱',
  '��' => '鍷',
  '��' => '鍻',
  '��' => '鍡',
  '��' => '鍞',
  '��' => '鍣',
  '��' => '鍧',
  '��' => '鎀',
  '��' => '鍎',
  '��' => '鍙',
  '��' => '闇',
  '��' => '闀',
  '��' => '闉',
  '��' => '闃',
  '��' => '闅',
  '��' => '閷',
  '��' => '隮',
  '�' => '隰',
  '�' => '隬',
  '�' => '霠',
  '�' => '霟',
  '�' => '霘',
  '�' => '霝',
  '�' => '霙',
  '�' => '鞚',
  '�' => '鞡',
  '�' => '鞜',
  '�@' => '鞞',
  '�A' => '鞝',
  '�B' => '韕',
  '�C' => '韔',
  '�D' => '韱',
  '�E' => '顁',
  '�F' => '顄',
  '�G' => '顊',
  '�H' => '顉',
  '�I' => '顅',
  '�J' => '顃',
  '�K' => '餥',
  '�L' => '餫',
  '�M' => '餬',
  '�N' => '餪',
  '�O' => '餳',
  '�P' => '餲',
  '�Q' => '餯',
  '�R' => '餭',
  '�S' => '餱',
  '�T' => '餰',
  '�U' => '馘',
  '�V' => '馣',
  '�W' => '馡',
  '�X' => '騂',
  '�Y' => '駺',
  '�Z' => '駴',
  '�[' => '駷',
  '�\\' => '駹',
  '�]' => '駸',
  '�^' => '駶',
  '�_' => '駻',
  '�`' => '駽',
  '�a' => '駾',
  '�b' => '駼',
  '�c' => '騃',
  '�d' => '骾',
  '�e' => '髾',
  '�f' => '髽',
  '�g' => '鬁',
  '�h' => '髼',
  '�i' => '魈',
  '�j' => '鮚',
  '�k' => '鮨',
  '�l' => '鮞',
  '�m' => '鮛',
  '�n' => '鮦',
  '�o' => '鮡',
  '�p' => '鮥',
  '�q' => '鮤',
  '�r' => '鮆',
  '�s' => '鮢',
  '�t' => '鮠',
  '�u' => '鮯',
  '�v' => '鴳',
  '�w' => '鵁',
  '�x' => '鵧',
  '�y' => '鴶',
  '�z' => '鴮',
  '�{' => '鴯',
  '�|' => '鴱',
  '�}' => '鴸',
  '�~' => '鴰',
  '�' => '鵅',
  '�' => '鵂',
  '�' => '鵃',
  '�' => '鴾',
  '�' => '鴷',
  '�' => '鵀',
  '�' => '鴽',
  '�' => '翵',
  '�' => '鴭',
  '�' => '麊',
  '�' => '麉',
  '�' => '麍',
  '�' => '麰',
  '�' => '黈',
  '�' => '黚',
  '�' => '黻',
  '�' => '黿',
  '�' => '鼤',
  '�' => '鼣',
  '�' => '鼢',
  '�' => '齔',
  '�' => '龠',
  '�' => '儱',
  '�' => '儭',
  '�' => '儮',
  '�' => '嚘',
  '�' => '嚜',
  '�' => '嚗',
  '�' => '嚚',
  '�' => '嚝',
  '�' => '嚙',
  '�' => '奰',
  '�' => '嬼',
  '��' => '屩',
  '��' => '屪',
  '��' => '巀',
  '��' => '幭',
  '��' => '幮',
  '��' => '懘',
  '��' => '懟',
  '��' => '懭',
  '��' => '懮',
  '��' => '懱',
  '��' => '懪',
  '��' => '懰',
  '��' => '懫',
  '��' => '懖',
  '��' => '懩',
  '��' => '擿',
  '��' => '攄',
  '��' => '擽',
  '��' => '擸',
  '��' => '攁',
  '��' => '攃',
  '��' => '擼',
  '��' => '斔',
  '��' => '旛',
  '��' => '曚',
  '��' => '曛',
  '��' => '曘',
  '��' => '櫅',
  '��' => '檹',
  '��' => '檽',
  '��' => '櫡',
  '��' => '櫆',
  '��' => '檺',
  '��' => '檶',
  '��' => '檷',
  '��' => '櫇',
  '��' => '檴',
  '��' => '檭',
  '��' => '歞',
  '��' => '毉',
  '��' => '氋',
  '��' => '瀇',
  '��' => '瀌',
  '��' => '瀍',
  '��' => '瀁',
  '��' => '瀅',
  '��' => '瀔',
  '��' => '瀎',
  '��' => '濿',
  '��' => '瀀',
  '��' => '濻',
  '�' => '瀦',
  '�' => '濼',
  '�' => '濷',
  '�' => '瀊',
  '�' => '爁',
  '�' => '燿',
  '�' => '燹',
  '�' => '爃',
  '�' => '燽',
  '�' => '獶',
  '�@' => '璸',
  '�A' => '瓀',
  '�B' => '璵',
  '�C' => '瓁',
  '�D' => '璾',
  '�E' => '璶',
  '�F' => '璻',
  '�G' => '瓂',
  '�H' => '甔',
  '�I' => '甓',
  '�J' => '癜',
  '�K' => '癤',
  '�L' => '癙',
  '�M' => '癐',
  '�N' => '癓',
  '�O' => '癗',
  '�P' => '癚',
  '�Q' => '皦',
  '�R' => '皽',
  '�S' => '盬',
  '�T' => '矂',
  '�U' => '瞺',
  '�V' => '磿',
  '�W' => '礌',
  '�X' => '礓',
  '�Y' => '礔',
  '�Z' => '礉',
  '�[' => '礐',
  '�\\' => '礒',
  '�]' => '礑',
  '�^' => '禭',
  '�_' => '禬',
  '�`' => '穟',
  '�a' => '簜',
  '�b' => '簩',
  '�c' => '簙',
  '�d' => '簠',
  '�e' => '簟',
  '�f' => '簭',
  '�g' => '簝',
  '�h' => '簦',
  '�i' => '簨',
  '�j' => '簢',
  '�k' => '簥',
  '�l' => '簰',
  '�m' => '繜',
  '�n' => '繐',
  '�o' => '繖',
  '�p' => '繣',
  '�q' => '繘',
  '�r' => '繢',
  '�s' => '繟',
  '�t' => '繑',
  '�u' => '繠',
  '�v' => '繗',
  '�w' => '繓',
  '�x' => '羵',
  '�y' => '羳',
  '�z' => '翷',
  '�{' => '翸',
  '�|' => '聵',
  '�}' => '臑',
  '�~' => '臒',
  '�' => '臐',
  '�' => '艟',
  '�' => '艞',
  '�' => '薴',
  '�' => '藆',
  '�' => '藀',
  '�' => '藃',
  '�' => '藂',
  '�' => '薳',
  '�' => '薵',
  '�' => '薽',
  '�' => '藇',
  '�' => '藄',
  '�' => '薿',
  '�' => '藋',
  '�' => '藎',
  '�' => '藈',
  '�' => '藅',
  '�' => '薱',
  '�' => '薶',
  '�' => '藒',
  '�' => '蘤',
  '�' => '薸',
  '�' => '薷',
  '�' => '薾',
  '�' => '虩',
  '�' => '蟧',
  '�' => '蟦',
  '�' => '蟢',
  '�' => '蟛',
  '�' => '蟫',
  '�' => '蟪',
  '�' => '蟥',
  '��' => '蟟',
  '��' => '蟳',
  '��' => '蟤',
  '��' => '蟔',
  '��' => '蟜',
  '��' => '蟓',
  '��' => '蟭',
  '��' => '蟘',
  '��' => '蟣',
  '��' => '螤',
  '��' => '蟗',
  '��' => '蟙',
  '��' => '蠁',
  '��' => '蟴',
  '��' => '蟨',
  '��' => '蟝',
  '��' => '襓',
  '��' => '襋',
  '��' => '襏',
  '��' => '襌',
  '��' => '襆',
  '��' => '襐',
  '��' => '襑',
  '��' => '襉',
  '��' => '謪',
  '��' => '謧',
  '��' => '謣',
  '��' => '謳',
  '��' => '謰',
  '��' => '謵',
  '��' => '譇',
  '��' => '謯',
  '��' => '謼',
  '��' => '謾',
  '��' => '謱',
  '��' => '謥',
  '��' => '謷',
  '��' => '謦',
  '��' => '謶',
  '��' => '謮',
  '��' => '謤',
  '��' => '謻',
  '��' => '謽',
  '��' => '謺',
  '��' => '豂',
  '��' => '豵',
  '��' => '貙',
  '��' => '貘',
  '��' => '貗',
  '��' => '賾',
  '��' => '贄',
  '�' => '贂',
  '�' => '贀',
  '�' => '蹜',
  '�' => '蹢',
  '�' => '蹠',
  '�' => '蹗',
  '�' => '蹖',
  '�' => '蹞',
  '�' => '蹥',
  '�' => '蹧',
  '�@' => '蹛',
  '�A' => '蹚',
  '�B' => '蹡',
  '�C' => '蹝',
  '�D' => '蹩',
  '�E' => '蹔',
  '�F' => '轆',
  '�G' => '轇',
  '�H' => '轈',
  '�I' => '轋',
  '�J' => '鄨',
  '�K' => '鄺',
  '�L' => '鄻',
  '�M' => '鄾',
  '�N' => '醨',
  '�O' => '醥',
  '�P' => '醧',
  '�Q' => '醯',
  '�R' => '醪',
  '�S' => '鎵',
  '�T' => '鎌',
  '�U' => '鎒',
  '�V' => '鎷',
  '�W' => '鎛',
  '�X' => '鎝',
  '�Y' => '鎉',
  '�Z' => '鎧',
  '�[' => '鎎',
  '�\\' => '鎪',
  '�]' => '鎞',
  '�^' => '鎦',
  '�_' => '鎕',
  '�`' => '鎈',
  '�a' => '鎙',
  '�b' => '鎟',
  '�c' => '鎍',
  '�d' => '鎱',
  '�e' => '鎑',
  '�f' => '鎲',
  '�g' => '鎤',
  '�h' => '鎨',
  '�i' => '鎴',
  '�j' => '鎣',
  '�k' => '鎥',
  '�l' => '闒',
  '�m' => '闓',
  '�n' => '闑',
  '�o' => '隳',
  '�p' => '雗',
  '�q' => '雚',
  '�r' => '巂',
  '�s' => '雟',
  '�t' => '雘',
  '�u' => '雝',
  '�v' => '霣',
  '�w' => '霢',
  '�x' => '霥',
  '�y' => '鞬',
  '�z' => '鞮',
  '�{' => '鞨',
  '�|' => '鞫',
  '�}' => '鞤',
  '�~' => '鞪',
  '�' => '鞢',
  '�' => '鞥',
  '�' => '韗',
  '�' => '韙',
  '�' => '韖',
  '�' => '韘',
  '�' => '韺',
  '�' => '顐',
  '�' => '顑',
  '�' => '顒',
  '�' => '颸',
  '�' => '饁',
  '�' => '餼',
  '�' => '餺',
  '�' => '騏',
  '�' => '騋',
  '�' => '騉',
  '�' => '騍',
  '�' => '騄',
  '�' => '騑',
  '�' => '騊',
  '�' => '騅',
  '�' => '騇',
  '�' => '騆',
  '�' => '髀',
  '�' => '髜',
  '�' => '鬈',
  '�' => '鬄',
  '�' => '鬅',
  '�' => '鬩',
  '�' => '鬵',
  '�' => '魊',
  '�' => '魌',
  '��' => '魋',
  '��' => '鯇',
  '��' => '鯆',
  '��' => '鯃',
  '��' => '鮿',
  '��' => '鯁',
  '��' => '鮵',
  '��' => '鮸',
  '��' => '鯓',
  '��' => '鮶',
  '��' => '鯄',
  '��' => '鮹',
  '��' => '鮽',
  '��' => '鵜',
  '��' => '鵓',
  '��' => '鵏',
  '��' => '鵊',
  '��' => '鵛',
  '��' => '鵋',
  '��' => '鵙',
  '��' => '鵖',
  '��' => '鵌',
  '��' => '鵗',
  '��' => '鵒',
  '��' => '鵔',
  '��' => '鵟',
  '��' => '鵘',
  '��' => '鵚',
  '��' => '麎',
  '��' => '麌',
  '��' => '黟',
  '��' => '鼁',
  '��' => '鼀',
  '��' => '鼖',
  '��' => '鼥',
  '��' => '鼫',
  '��' => '鼪',
  '��' => '鼩',
  '��' => '鼨',
  '��' => '齌',
  '��' => '齕',
  '��' => '儴',
  '��' => '儵',
  '��' => '劖',
  '��' => '勷',
  '��' => '厴',
  '��' => '嚫',
  '��' => '嚭',
  '��' => '嚦',
  '��' => '嚧',
  '��' => '嚪',
  '�' => '嚬',
  '�' => '壚',
  '�' => '壝',
  '�' => '壛',
  '�' => '夒',
  '�' => '嬽',
  '�' => '嬾',
  '�' => '嬿',
  '�' => '巃',
  '�' => '幰',
  '�@' => '徿',
  '�A' => '懻',
  '�B' => '攇',
  '�C' => '攐',
  '�D' => '攍',
  '�E' => '攉',
  '�F' => '攌',
  '�G' => '攎',
  '�H' => '斄',
  '�I' => '旞',
  '�J' => '旝',
  '�K' => '曞',
  '�L' => '櫧',
  '�M' => '櫠',
  '�N' => '櫌',
  '�O' => '櫑',
  '�P' => '櫙',
  '�Q' => '櫋',
  '�R' => '櫟',
  '�S' => '櫜',
  '�T' => '櫐',
  '�U' => '櫫',
  '�V' => '櫏',
  '�W' => '櫍',
  '�X' => '櫞',
  '�Y' => '歠',
  '�Z' => '殰',
  '�[' => '氌',
  '�\\' => '瀙',
  '�]' => '瀧',
  '�^' => '瀠',
  '�_' => '瀖',
  '�`' => '瀫',
  '�a' => '瀡',
  '�b' => '瀢',
  '�c' => '瀣',
  '�d' => '瀩',
  '�e' => '瀗',
  '�f' => '瀤',
  '�g' => '瀜',
  '�h' => '瀪',
  '�i' => '爌',
  '�j' => '爊',
  '�k' => '爇',
  '�l' => '爂',
  '�m' => '爅',
  '�n' => '犥',
  '�o' => '犦',
  '�p' => '犤',
  '�q' => '犣',
  '�r' => '犡',
  '�s' => '瓋',
  '�t' => '瓅',
  '�u' => '璷',
  '�v' => '瓃',
  '�w' => '甖',
  '�x' => '癠',
  '�y' => '矉',
  '�z' => '矊',
  '�{' => '矄',
  '�|' => '矱',
  '�}' => '礝',
  '�~' => '礛',
  '�' => '礡',
  '�' => '礜',
  '�' => '礗',
  '�' => '礞',
  '�' => '禰',
  '�' => '穧',
  '�' => '穨',
  '�' => '簳',
  '�' => '簼',
  '�' => '簹',
  '�' => '簬',
  '�' => '簻',
  '�' => '糬',
  '�' => '糪',
  '�' => '繶',
  '�' => '繵',
  '�' => '繸',
  '�' => '繰',
  '�' => '繷',
  '�' => '繯',
  '�' => '繺',
  '�' => '繲',
  '�' => '繴',
  '�' => '繨',
  '�' => '罋',
  '�' => '罊',
  '�' => '羃',
  '�' => '羆',
  '�' => '羷',
  '�' => '翽',
  '�' => '翾',
  '�' => '聸',
  '�' => '臗',
  '��' => '臕',
  '��' => '艤',
  '��' => '艡',
  '��' => '艣',
  '��' => '藫',
  '��' => '藱',
  '��' => '藭',
  '��' => '藙',
  '��' => '藡',
  '��' => '藨',
  '��' => '藚',
  '��' => '藗',
  '��' => '藬',
  '��' => '藲',
  '��' => '藸',
  '��' => '藘',
  '��' => '藟',
  '��' => '藣',
  '��' => '藜',
  '��' => '藑',
  '��' => '藰',
  '��' => '藦',
  '��' => '藯',
  '��' => '藞',
  '��' => '藢',
  '��' => '蠀',
  '��' => '蟺',
  '��' => '蠃',
  '��' => '蟶',
  '��' => '蟷',
  '��' => '蠉',
  '��' => '蠌',
  '��' => '蠋',
  '��' => '蠆',
  '��' => '蟼',
  '��' => '蠈',
  '��' => '蟿',
  '��' => '蠊',
  '��' => '蠂',
  '��' => '襢',
  '��' => '襚',
  '��' => '襛',
  '��' => '襗',
  '��' => '襡',
  '��' => '襜',
  '��' => '襘',
  '��' => '襝',
  '��' => '襙',
  '��' => '覈',
  '��' => '覷',
  '��' => '覶',
  '�' => '觶',
  '�' => '譐',
  '�' => '譈',
  '�' => '譊',
  '�' => '譀',
  '�' => '譓',
  '�' => '譖',
  '�' => '譔',
  '�' => '譋',
  '�' => '譕',
  '�@' => '譑',
  '�A' => '譂',
  '�B' => '譒',
  '�C' => '譗',
  '�D' => '豃',
  '�E' => '豷',
  '�F' => '豶',
  '�G' => '貚',
  '�H' => '贆',
  '�I' => '贇',
  '�J' => '贉',
  '�K' => '趬',
  '�L' => '趪',
  '�M' => '趭',
  '�N' => '趫',
  '�O' => '蹭',
  '�P' => '蹸',
  '�Q' => '蹳',
  '�R' => '蹪',
  '�S' => '蹯',
  '�T' => '蹻',
  '�U' => '軂',
  '�V' => '轒',
  '�W' => '轑',
  '�X' => '轏',
  '�Y' => '轐',
  '�Z' => '轓',
  '�[' => '辴',
  '�\\' => '酀',
  '�]' => '鄿',
  '�^' => '醰',
  '�_' => '醭',
  '�`' => '鏞',
  '�a' => '鏇',
  '�b' => '鏏',
  '�c' => '鏂',
  '�d' => '鏚',
  '�e' => '鏐',
  '�f' => '鏹',
  '�g' => '鏬',
  '�h' => '鏌',
  '�i' => '鏙',
  '�j' => '鎩',
  '�k' => '鏦',
  '�l' => '鏊',
  '�m' => '鏔',
  '�n' => '鏮',
  '�o' => '鏣',
  '�p' => '鏕',
  '�q' => '鏄',
  '�r' => '鏎',
  '�s' => '鏀',
  '�t' => '鏒',
  '�u' => '鏧',
  '�v' => '镽',
  '�w' => '闚',
  '�x' => '闛',
  '�y' => '雡',
  '�z' => '霩',
  '�{' => '霫',
  '�|' => '霬',
  '�}' => '霨',
  '�~' => '霦',
  '�' => '鞳',
  '�' => '鞷',
  '�' => '鞶',
  '�' => '韝',
  '�' => '韞',
  '�' => '韟',
  '�' => '顜',
  '�' => '顙',
  '�' => '顝',
  '�' => '顗',
  '�' => '颿',
  '�' => '颽',
  '�' => '颻',
  '�' => '颾',
  '�' => '饈',
  '�' => '饇',
  '�' => '饃',
  '�' => '馦',
  '�' => '馧',
  '�' => '騚',
  '�' => '騕',
  '�' => '騥',
  '�' => '騝',
  '�' => '騤',
  '�' => '騛',
  '�' => '騢',
  '�' => '騠',
  '�' => '騧',
  '�' => '騣',
  '�' => '騞',
  '�' => '騜',
  '�' => '騔',
  '�' => '髂',
  '��' => '鬋',
  '��' => '鬊',
  '��' => '鬎',
  '��' => '鬌',
  '��' => '鬷',
  '��' => '鯪',
  '��' => '鯫',
  '��' => '鯠',
  '��' => '鯞',
  '��' => '鯤',
  '��' => '鯦',
  '��' => '鯢',
  '��' => '鯰',
  '��' => '鯔',
  '��' => '鯗',
  '��' => '鯬',
  '��' => '鯜',
  '��' => '鯙',
  '��' => '鯥',
  '��' => '鯕',
  '��' => '鯡',
  '��' => '鯚',
  '��' => '鵷',
  '��' => '鶁',
  '��' => '鶊',
  '��' => '鶄',
  '��' => '鶈',
  '��' => '鵱',
  '��' => '鶀',
  '��' => '鵸',
  '��' => '鶆',
  '��' => '鶋',
  '��' => '鶌',
  '��' => '鵽',
  '��' => '鵫',
  '��' => '鵴',
  '��' => '鵵',
  '��' => '鵰',
  '��' => '鵩',
  '��' => '鶅',
  '��' => '鵳',
  '��' => '鵻',
  '��' => '鶂',
  '��' => '鵯',
  '��' => '鵹',
  '��' => '鵿',
  '��' => '鶇',
  '��' => '鵨',
  '��' => '麔',
  '��' => '麑',
  '��' => '黀',
  '�' => '黼',
  '�' => '鼭',
  '�' => '齀',
  '�' => '齁',
  '�' => '齍',
  '�' => '齖',
  '�' => '齗',
  '�' => '齘',
  '�' => '匷',
  '�' => '嚲',
  '�@' => '嚵',
  '�A' => '嚳',
  '�B' => '壣',
  '�C' => '孅',
  '�D' => '巆',
  '�E' => '巇',
  '�F' => '廮',
  '�G' => '廯',
  '�H' => '忀',
  '�I' => '忁',
  '�J' => '懹',
  '�K' => '攗',
  '�L' => '攖',
  '�M' => '攕',
  '�N' => '攓',
  '�O' => '旟',
  '�P' => '曨',
  '�Q' => '曣',
  '�R' => '曤',
  '�S' => '櫳',
  '�T' => '櫰',
  '�U' => '櫪',
  '�V' => '櫨',
  '�W' => '櫹',
  '�X' => '櫱',
  '�Y' => '櫮',
  '�Z' => '櫯',
  '�[' => '瀼',
  '�\\' => '瀵',
  '�]' => '瀯',
  '�^' => '瀷',
  '�_' => '瀴',
  '�`' => '瀱',
  '�a' => '灂',
  '�b' => '瀸',
  '�c' => '瀿',
  '�d' => '瀺',
  '�e' => '瀹',
  '�f' => '灀',
  '�g' => '瀻',
  '�h' => '瀳',
  '�i' => '灁',
  '�j' => '爓',
  '�k' => '爔',
  '�l' => '犨',
  '�m' => '獽',
  '�n' => '獼',
  '�o' => '璺',
  '�p' => '皫',
  '�q' => '皪',
  '�r' => '皾',
  '�s' => '盭',
  '�t' => '矌',
  '�u' => '矎',
  '�v' => '矏',
  '�w' => '矍',
  '�x' => '矲',
  '�y' => '礥',
  '�z' => '礣',
  '�{' => '礧',
  '�|' => '礨',
  '�}' => '礤',
  '�~' => '礩',
  '�' => '禲',
  '�' => '穮',
  '�' => '穬',
  '�' => '穭',
  '�' => '竷',
  '�' => '籉',
  '�' => '籈',
  '�' => '籊',
  '�' => '籇',
  '�' => '籅',
  '�' => '糮',
  '�' => '繻',
  '�' => '繾',
  '�' => '纁',
  '�' => '纀',
  '�' => '羺',
  '�' => '翿',
  '�' => '聹',
  '�' => '臛',
  '�' => '臙',
  '�' => '舋',
  '�' => '艨',
  '�' => '艩',
  '�' => '蘢',
  '�' => '藿',
  '�' => '蘁',
  '�' => '藾',
  '�' => '蘛',
  '�' => '蘀',
  '�' => '藶',
  '�' => '蘄',
  '�' => '蘉',
  '�' => '蘅',
  '��' => '蘌',
  '��' => '藽',
  '��' => '蠙',
  '��' => '蠐',
  '��' => '蠑',
  '��' => '蠗',
  '��' => '蠓',
  '��' => '蠖',
  '��' => '襣',
  '��' => '襦',
  '��' => '覹',
  '��' => '觷',
  '��' => '譠',
  '��' => '譪',
  '��' => '譝',
  '��' => '譨',
  '��' => '譣',
  '��' => '譥',
  '��' => '譧',
  '��' => '譭',
  '��' => '趮',
  '��' => '躆',
  '��' => '躈',
  '��' => '躄',
  '��' => '轙',
  '��' => '轖',
  '��' => '轗',
  '��' => '轕',
  '��' => '轘',
  '��' => '轚',
  '��' => '邍',
  '��' => '酃',
  '��' => '酁',
  '��' => '醷',
  '��' => '醵',
  '��' => '醲',
  '��' => '醳',
  '��' => '鐋',
  '��' => '鐓',
  '��' => '鏻',
  '��' => '鐠',
  '��' => '鐏',
  '��' => '鐔',
  '��' => '鏾',
  '��' => '鐕',
  '��' => '鐐',
  '��' => '鐨',
  '��' => '鐙',
  '��' => '鐍',
  '��' => '鏵',
  '��' => '鐀',
  '�' => '鏷',
  '�' => '鐇',
  '�' => '鐎',
  '�' => '鐖',
  '�' => '鐒',
  '�' => '鏺',
  '�' => '鐉',
  '�' => '鏸',
  '�' => '鐊',
  '�' => '鏿',
  '�@' => '鏼',
  '�A' => '鐌',
  '�B' => '鏶',
  '�C' => '鐑',
  '�D' => '鐆',
  '�E' => '闞',
  '�F' => '闠',
  '�G' => '闟',
  '�H' => '霮',
  '�I' => '霯',
  '�J' => '鞹',
  '�K' => '鞻',
  '�L' => '韽',
  '�M' => '韾',
  '�N' => '顠',
  '�O' => '顢',
  '�P' => '顣',
  '�Q' => '顟',
  '�R' => '飁',
  '�S' => '飂',
  '�T' => '饐',
  '�U' => '饎',
  '�V' => '饙',
  '�W' => '饌',
  '�X' => '饋',
  '�Y' => '饓',
  '�Z' => '騲',
  '�[' => '騴',
  '�\\' => '騱',
  '�]' => '騬',
  '�^' => '騪',
  '�_' => '騶',
  '�`' => '騩',
  '�a' => '騮',
  '�b' => '騸',
  '�c' => '騭',
  '�d' => '髇',
  '�e' => '髊',
  '�f' => '髆',
  '�g' => '鬐',
  '�h' => '鬒',
  '�i' => '鬑',
  '�j' => '鰋',
  '�k' => '鰈',
  '�l' => '鯷',
  '�m' => '鰅',
  '�n' => '鰒',
  '�o' => '鯸',
  '�p' => '鱀',
  '�q' => '鰇',
  '�r' => '鰎',
  '�s' => '鰆',
  '�t' => '鰗',
  '�u' => '鰔',
  '�v' => '鰉',
  '�w' => '鶟',
  '�x' => '鶙',
  '�y' => '鶤',
  '�z' => '鶝',
  '�{' => '鶒',
  '�|' => '鶘',
  '�}' => '鶐',
  '�~' => '鶛',
  '��' => '鶠',
  '��' => '鶔',
  '��' => '鶜',
  '��' => '鶪',
  '��' => '鶗',
  '��' => '鶡',
  '��' => '鶚',
  '��' => '鶢',
  '��' => '鶨',
  '��' => '鶞',
  '��' => '鶣',
  '��' => '鶿',
  '��' => '鶩',
  '��' => '鶖',
  '��' => '鶦',
  '��' => '鶧',
  '��' => '麙',
  '��' => '麛',
  '��' => '麚',
  '��' => '黥',
  '��' => '黤',
  '��' => '黧',
  '��' => '黦',
  '��' => '鼰',
  '��' => '鼮',
  '��' => '齛',
  '��' => '齠',
  '��' => '齞',
  '��' => '齝',
  '��' => '齙',
  '��' => '龑',
  '��' => '儺',
  '��' => '儹',
  '��' => '劘',
  '��' => '劗',
  '��' => '囃',
  '��' => '嚽',
  '��' => '嚾',
  '��' => '孈',
  '��' => '孇',
  '��' => '巋',
  '��' => '巏',
  '��' => '廱',
  '��' => '懽',
  '��' => '攛',
  '��' => '欂',
  '��' => '櫼',
  '��' => '欃',
  '��' => '櫸',
  '��' => '欀',
  '��' => '灃',
  '��' => '灄',
  '��' => '灊',
  '��' => '灈',
  '��' => '灉',
  '��' => '灅',
  '��' => '灆',
  '��' => '爝',
  '��' => '爚',
  '��' => '爙',
  '��' => '獾',
  '��' => '甗',
  '��' => '癪',
  '��' => '矐',
  '��' => '礭',
  '��' => '礱',
  '��' => '礯',
  '��' => '籔',
  '��' => '籓',
  '��' => '糲',
  '��' => '纊',
  '��' => '纇',
  '��' => '纈',
  '��' => '纋',
  '��' => '纆',
  '��' => '纍',
  '��' => '罍',
  '��' => '羻',
  '��' => '耰',
  '��' => '臝',
  '��' => '蘘',
  '��' => '蘪',
  '��' => '蘦',
  '��' => '蘟',
  '��' => '蘣',
  '��' => '蘜',
  '��' => '蘙',
  '��' => '蘧',
  '��' => '蘮',
  '��' => '蘡',
  '��' => '蘠',
  '��' => '蘩',
  '��' => '蘞',
  '��' => '蘥',
  '�@' => '蠩',
  '�A' => '蠝',
  '�B' => '蠛',
  '�C' => '蠠',
  '�D' => '蠤',
  '�E' => '蠜',
  '�F' => '蠫',
  '�G' => '衊',
  '�H' => '襭',
  '�I' => '襩',
  '�J' => '襮',
  '�K' => '襫',
  '�L' => '觺',
  '�M' => '譹',
  '�N' => '譸',
  '�O' => '譅',
  '�P' => '譺',
  '�Q' => '譻',
  '�R' => '贐',
  '�S' => '贔',
  '�T' => '趯',
  '�U' => '躎',
  '�V' => '躌',
  '�W' => '轞',
  '�X' => '轛',
  '�Y' => '轝',
  '�Z' => '酆',
  '�[' => '酄',
  '�\\' => '酅',
  '�]' => '醹',
  '�^' => '鐿',
  '�_' => '鐻',
  '�`' => '鐶',
  '�a' => '鐩',
  '�b' => '鐽',
  '�c' => '鐼',
  '�d' => '鐰',
  '�e' => '鐹',
  '�f' => '鐪',
  '�g' => '鐷',
  '�h' => '鐬',
  '�i' => '鑀',
  '�j' => '鐱',
  '�k' => '闥',
  '�l' => '闤',
  '�m' => '闣',
  '�n' => '霵',
  '�o' => '霺',
  '�p' => '鞿',
  '�q' => '韡',
  '�r' => '顤',
  '�s' => '飉',
  '�t' => '飆',
  '�u' => '飀',
  '�v' => '饘',
  '�w' => '饖',
  '�x' => '騹',
  '�y' => '騽',
  '�z' => '驆',
  '�{' => '驄',
  '�|' => '驂',
  '�}' => '驁',
  '�~' => '騺',
  '��' => '騿',
  '��' => '髍',
  '��' => '鬕',
  '��' => '鬗',
  '��' => '鬘',
  '��' => '鬖',
  '��' => '鬺',
  '��' => '魒',
  '��' => '鰫',
  '��' => '鰝',
  '��' => '鰜',
  '��' => '鰬',
  '��' => '鰣',
  '��' => '鰨',
  '��' => '鰩',
  '��' => '鰤',
  '��' => '鰡',
  '��' => '鶷',
  '��' => '鶶',
  '��' => '鶼',
  '��' => '鷁',
  '��' => '鷇',
  '��' => '鷊',
  '��' => '鷏',
  '��' => '鶾',
  '��' => '鷅',
  '��' => '鷃',
  '��' => '鶻',
  '��' => '鶵',
  '��' => '鷎',
  '��' => '鶹',
  '��' => '鶺',
  '��' => '鶬',
  '��' => '鷈',
  '��' => '鶱',
  '��' => '鶭',
  '��' => '鷌',
  '��' => '鶳',
  '��' => '鷍',
  '��' => '鶲',
  '��' => '鹺',
  '��' => '麜',
  '��' => '黫',
  '��' => '黮',
  '��' => '黭',
  '��' => '鼛',
  '��' => '鼘',
  '��' => '鼚',
  '��' => '鼱',
  '��' => '齎',
  '��' => '齥',
  '��' => '齤',
  '��' => '龒',
  '��' => '亹',
  '��' => '囆',
  '��' => '囅',
  '��' => '囋',
  '��' => '奱',
  '��' => '孋',
  '��' => '孌',
  '��' => '巕',
  '��' => '巑',
  '��' => '廲',
  '��' => '攡',
  '��' => '攠',
  '��' => '攦',
  '��' => '攢',
  '��' => '欋',
  '��' => '欈',
  '��' => '欉',
  '��' => '氍',
  '��' => '灕',
  '��' => '灖',
  '��' => '灗',
  '��' => '灒',
  '��' => '爞',
  '��' => '爟',
  '��' => '犩',
  '��' => '獿',
  '��' => '瓘',
  '��' => '瓕',
  '��' => '瓙',
  '��' => '瓗',
  '��' => '癭',
  '��' => '皭',
  '��' => '礵',
  '��' => '禴',
  '��' => '穰',
  '��' => '穱',
  '��' => '籗',
  '��' => '籜',
  '��' => '籙',
  '��' => '籛',
  '��' => '籚',
  '�@' => '糴',
  '�A' => '糱',
  '�B' => '纑',
  '�C' => '罏',
  '�D' => '羇',
  '�E' => '臞',
  '�F' => '艫',
  '�G' => '蘴',
  '�H' => '蘵',
  '�I' => '蘳',
  '�J' => '蘬',
  '�K' => '蘲',
  '�L' => '蘶',
  '�M' => '蠬',
  '�N' => '蠨',
  '�O' => '蠦',
  '�P' => '蠪',
  '�Q' => '蠥',
  '�R' => '襱',
  '�S' => '覿',
  '�T' => '覾',
  '�U' => '觻',
  '�V' => '譾',
  '�W' => '讄',
  '�X' => '讂',
  '�Y' => '讆',
  '�Z' => '讅',
  '�[' => '譿',
  '�\\' => '贕',
  '�]' => '躕',
  '�^' => '躔',
  '�_' => '躚',
  '�`' => '躒',
  '�a' => '躐',
  '�b' => '躖',
  '�c' => '躗',
  '�d' => '轠',
  '�e' => '轢',
  '�f' => '酇',
  '�g' => '鑌',
  '�h' => '鑐',
  '�i' => '鑊',
  '�j' => '鑋',
  '�k' => '鑏',
  '�l' => '鑇',
  '�m' => '鑅',
  '�n' => '鑈',
  '�o' => '鑉',
  '�p' => '鑆',
  '�q' => '霿',
  '�r' => '韣',
  '�s' => '顪',
  '�t' => '顩',
  '�u' => '飋',
  '�v' => '饔',
  '�w' => '饛',
  '�x' => '驎',
  '�y' => '驓',
  '�z' => '驔',
  '�{' => '驌',
  '�|' => '驏',
  '�}' => '驈',
  '�~' => '驊',
  '��' => '驉',
  '��' => '驒',
  '��' => '驐',
  '��' => '髐',
  '��' => '鬙',
  '��' => '鬫',
  '��' => '鬻',
  '��' => '魖',
  '��' => '魕',
  '��' => '鱆',
  '��' => '鱈',
  '��' => '鰿',
  '��' => '鱄',
  '��' => '鰹',
  '��' => '鰳',
  '��' => '鱁',
  '��' => '鰼',
  '��' => '鰷',
  '��' => '鰴',
  '��' => '鰲',
  '��' => '鰽',
  '��' => '鰶',
  '��' => '鷛',
  '��' => '鷒',
  '��' => '鷞',
  '��' => '鷚',
  '��' => '鷋',
  '��' => '鷐',
  '��' => '鷜',
  '��' => '鷑',
  '��' => '鷟',
  '��' => '鷩',
  '��' => '鷙',
  '��' => '鷘',
  '��' => '鷖',
  '��' => '鷵',
  '��' => '鷕',
  '��' => '鷝',
  '��' => '麶',
  '��' => '黰',
  '��' => '鼵',
  '��' => '鼳',
  '��' => '鼲',
  '��' => '齂',
  '��' => '齫',
  '��' => '龕',
  '��' => '龢',
  '��' => '儽',
  '��' => '劙',
  '��' => '壨',
  '��' => '壧',
  '��' => '奲',
  '��' => '孍',
  '��' => '巘',
  '��' => '蠯',
  '��' => '彏',
  '��' => '戁',
  '��' => '戃',
  '��' => '戄',
  '��' => '攩',
  '��' => '攥',
  '��' => '斖',
  '��' => '曫',
  '��' => '欑',
  '��' => '欒',
  '��' => '欏',
  '��' => '毊',
  '��' => '灛',
  '��' => '灚',
  '��' => '爢',
  '��' => '玂',
  '��' => '玁',
  '��' => '玃',
  '��' => '癰',
  '��' => '矔',
  '��' => '籧',
  '��' => '籦',
  '��' => '纕',
  '��' => '艬',
  '��' => '蘺',
  '��' => '虀',
  '��' => '蘹',
  '��' => '蘼',
  '��' => '蘱',
  '��' => '蘻',
  '��' => '蘾',
  '��' => '蠰',
  '��' => '蠲',
  '��' => '蠮',
  '��' => '蠳',
  '��' => '襶',
  '��' => '襴',
  '��' => '襳',
  '��' => '觾',
  '�@' => '讌',
  '�A' => '讎',
  '�B' => '讋',
  '�C' => '讈',
  '�D' => '豅',
  '�E' => '贙',
  '�F' => '躘',
  '�G' => '轤',
  '�H' => '轣',
  '�I' => '醼',
  '�J' => '鑢',
  '�K' => '鑕',
  '�L' => '鑝',
  '�M' => '鑗',
  '�N' => '鑞',
  '�O' => '韄',
  '�P' => '韅',
  '�Q' => '頀',
  '�R' => '驖',
  '�S' => '驙',
  '�T' => '鬞',
  '�U' => '鬟',
  '�V' => '鬠',
  '�W' => '鱒',
  '�X' => '鱘',
  '�Y' => '鱐',
  '�Z' => '鱊',
  '�[' => '鱍',
  '�\\' => '鱋',
  '�]' => '鱕',
  '�^' => '鱙',
  '�_' => '鱌',
  '�`' => '鱎',
  '�a' => '鷻',
  '�b' => '鷷',
  '�c' => '鷯',
  '�d' => '鷣',
  '�e' => '鷫',
  '�f' => '鷸',
  '�g' => '鷤',
  '�h' => '鷶',
  '�i' => '鷡',
  '�j' => '鷮',
  '�k' => '鷦',
  '�l' => '鷲',
  '�m' => '鷰',
  '�n' => '鷢',
  '�o' => '鷬',
  '�p' => '鷴',
  '�q' => '鷳',
  '�r' => '鷨',
  '�s' => '鷭',
  '�t' => '黂',
  '�u' => '黐',
  '�v' => '黲',
  '�w' => '黳',
  '�x' => '鼆',
  '�y' => '鼜',
  '�z' => '鼸',
  '�{' => '鼷',
  '�|' => '鼶',
  '�}' => '齃',
  '�~' => '齏',
  '��' => '齱',
  '��' => '齰',
  '��' => '齮',
  '��' => '齯',
  '��' => '囓',
  '��' => '囍',
  '��' => '孎',
  '��' => '屭',
  '��' => '攭',
  '��' => '曭',
  '��' => '曮',
  '��' => '欓',
  '��' => '灟',
  '��' => '灡',
  '��' => '灝',
  '��' => '灠',
  '��' => '爣',
  '��' => '瓛',
  '��' => '瓥',
  '��' => '矕',
  '��' => '礸',
  '��' => '禷',
  '��' => '禶',
  '��' => '籪',
  '��' => '纗',
  '��' => '羉',
  '��' => '艭',
  '��' => '虃',
  '��' => '蠸',
  '��' => '蠷',
  '��' => '蠵',
  '��' => '衋',
  '��' => '讔',
  '��' => '讕',
  '��' => '躞',
  '��' => '躟',
  '��' => '躠',
  '��' => '躝',
  '��' => '醾',
  '��' => '醽',
  '��' => '釂',
  '��' => '鑫',
  '��' => '鑨',
  '��' => '鑩',
  '��' => '雥',
  '��' => '靆',
  '��' => '靃',
  '��' => '靇',
  '��' => '韇',
  '��' => '韥',
  '��' => '驞',
  '��' => '髕',
  '��' => '魙',
  '��' => '鱣',
  '��' => '鱧',
  '��' => '鱦',
  '��' => '鱢',
  '��' => '鱞',
  '��' => '鱠',
  '��' => '鸂',
  '��' => '鷾',
  '��' => '鸇',
  '��' => '鸃',
  '��' => '鸆',
  '��' => '鸅',
  '��' => '鸀',
  '��' => '鸁',
  '��' => '鸉',
  '��' => '鷿',
  '��' => '鷽',
  '��' => '鸄',
  '��' => '麠',
  '��' => '鼞',
  '��' => '齆',
  '��' => '齴',
  '��' => '齵',
  '��' => '齶',
  '��' => '囔',
  '��' => '攮',
  '��' => '斸',
  '��' => '欘',
  '��' => '欙',
  '��' => '欗',
  '��' => '欚',
  '��' => '灢',
  '��' => '爦',
  '��' => '犪',
  '��' => '矘',
  '��' => '矙',
  '��' => '礹',
  '��' => '籩',
  '��' => '籫',
  '��' => '糶',
  '��' => '纚',
  '�@' => '纘',
  '�A' => '纛',
  '�B' => '纙',
  '�C' => '臠',
  '�D' => '臡',
  '�E' => '虆',
  '�F' => '虇',
  '�G' => '虈',
  '�H' => '襹',
  '�I' => '襺',
  '�J' => '襼',
  '�K' => '襻',
  '�L' => '觿',
  '�M' => '讘',
  '�N' => '讙',
  '�O' => '躥',
  '�P' => '躤',
  '�Q' => '躣',
  '�R' => '鑮',
  '�S' => '鑭',
  '�T' => '鑯',
  '�U' => '鑱',
  '�V' => '鑳',
  '�W' => '靉',
  '�X' => '顲',
  '�Y' => '饟',
  '�Z' => '鱨',
  '�[' => '鱮',
  '�\\' => '鱭',
  '�]' => '鸋',
  '�^' => '鸍',
  '�_' => '鸐',
  '�`' => '鸏',
  '�a' => '鸒',
  '�b' => '鸑',
  '�c' => '麡',
  '�d' => '黵',
  '�e' => '鼉',
  '�f' => '齇',
  '�g' => '齸',
  '�h' => '齻',
  '�i' => '齺',
  '�j' => '齹',
  '�k' => '圞',
  '�l' => '灦',
  '�m' => '籯',
  '�n' => '蠼',
  '�o' => '趲',
  '�p' => '躦',
  '�q' => '釃',
  '�r' => '鑴',
  '�s' => '鑸',
  '�t' => '鑶',
  '�u' => '鑵',
  '�v' => '驠',
  '�w' => '鱴',
  '�x' => '鱳',
  '�y' => '鱱',
  '�z' => '鱵',
  '�{' => '鸔',
  '�|' => '鸓',
  '�}' => '黶',
  '�~' => '鼊',
  '��' => '龤',
  '��' => '灨',
  '��' => '灥',
  '��' => '糷',
  '��' => '虪',
  '��' => '蠾',
  '��' => '蠽',
  '��' => '蠿',
  '��' => '讞',
  '��' => '貜',
  '��' => '躩',
  '��' => '軉',
  '��' => '靋',
  '��' => '顳',
  '��' => '顴',
  '��' => '飌',
  '��' => '饡',
  '��' => '馫',
  '��' => '驤',
  '��' => '驦',
  '��' => '驧',
  '��' => '鬤',
  '��' => '鸕',
  '��' => '鸗',
  '��' => '齈',
  '��' => '戇',
  '��' => '欞',
  '��' => '爧',
  '��' => '虌',
  '��' => '躨',
  '��' => '钂',
  '��' => '钀',
  '��' => '钁',
  '��' => '驩',
  '��' => '驨',
  '��' => '鬮',
  '��' => '鸙',
  '��' => '爩',
  '��' => '虋',
  '��' => '讟',
  '��' => '钃',
  '��' => '鱹',
  '��' => '麷',
  '��' => '癵',
  '��' => '驫',
  '��' => '鱺',
  '��' => '鸝',
  '��' => '灩',
  '��' => '灪',
  '��' => '麤',
  '��' => '齾',
  '��' => '齉',
  '��' => '龘',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.koi8-u.php000064400000007363151330736600017425 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '─',
  '�' => '│',
  '�' => '┌',
  '�' => '┐',
  '�' => '└',
  '�' => '┘',
  '�' => '├',
  '�' => '┤',
  '�' => '┬',
  '�' => '┴',
  '�' => '┼',
  '�' => '▀',
  '�' => '▄',
  '�' => '█',
  '�' => '▌',
  '�' => '▐',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '⌠',
  '�' => '■',
  '�' => '•',
  '�' => '√',
  '�' => '≈',
  '�' => '≤',
  '�' => '≥',
  '�' => ' ',
  '�' => '⌡',
  '�' => '°',
  '�' => '²',
  '�' => '·',
  '�' => '÷',
  '�' => '═',
  '�' => '║',
  '�' => '╒',
  '�' => 'ё',
  '�' => 'є',
  '�' => '╔',
  '�' => 'і',
  '�' => 'ї',
  '�' => '╗',
  '�' => '╘',
  '�' => '╙',
  '�' => '╚',
  '�' => '╛',
  '�' => 'ґ',
  '�' => '╝',
  '�' => '╞',
  '�' => '╟',
  '�' => '╠',
  '�' => '╡',
  '�' => 'Ё',
  '�' => 'Ѓ',
  '�' => '╣',
  '�' => 'І',
  '�' => 'Ї',
  '�' => '╦',
  '�' => '╧',
  '�' => '╨',
  '�' => '╩',
  '�' => '╪',
  '�' => 'Ґ',
  '�' => '╬',
  '�' => '©',
  '�' => 'ю',
  '�' => 'а',
  '�' => 'б',
  '�' => 'ц',
  '�' => 'д',
  '�' => 'е',
  '�' => 'ф',
  '�' => 'г',
  '�' => 'х',
  '�' => 'и',
  '�' => 'й',
  '�' => 'к',
  '�' => 'л',
  '�' => 'м',
  '�' => 'н',
  '�' => 'о',
  '�' => 'п',
  '�' => 'я',
  '�' => 'р',
  '�' => 'с',
  '�' => 'т',
  '�' => 'у',
  '�' => 'ж',
  '�' => 'в',
  '�' => 'ь',
  '�' => 'ы',
  '�' => 'з',
  '�' => 'ш',
  '�' => 'э',
  '�' => 'щ',
  '�' => 'ч',
  '�' => 'ъ',
  '�' => 'Ю',
  '�' => 'А',
  '�' => 'Б',
  '�' => 'Ц',
  '�' => 'Д',
  '�' => 'Е',
  '�' => 'Ф',
  '�' => 'Г',
  '�' => 'Х',
  '�' => 'И',
  '�' => 'Й',
  '�' => 'К',
  '�' => 'Л',
  '�' => 'М',
  '�' => 'Н',
  '�' => 'О',
  '�' => 'П',
  '�' => 'Я',
  '�' => 'Р',
  '�' => 'С',
  '�' => 'Т',
  '�' => 'У',
  '�' => 'Ж',
  '�' => 'В',
  '�' => 'Ь',
  '�' => 'Ы',
  '�' => 'З',
  '�' => 'Ш',
  '�' => 'Э',
  '�' => 'Щ',
  '�' => 'Ч',
  '�' => 'Ъ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp1026.php000064400000007303151330736600017216 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => 'œ',
  '' => '	',
  '' => '†',
  '' => '',
  '' => '—',
  '	' => '',
  '
' => 'Ž',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '…',
  '' => '',
  '' => '‡',
  '' => '',
  '' => '',
  '' => '’',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => '€',
  '!' => '',
  '"' => '‚',
  '#' => 'ƒ',
  '$' => '„',
  '%' => '
',
  '&' => '',
  '\'' => '',
  '(' => 'ˆ',
  ')' => '‰',
  '*' => 'Š',
  '+' => '‹',
  ',' => 'Œ',
  '-' => '',
  '.' => '',
  '/' => '',
  0 => '',
  1 => '‘',
  2 => '',
  3 => '“',
  4 => '”',
  5 => '•',
  6 => '–',
  7 => '',
  8 => '˜',
  9 => '™',
  ':' => 'š',
  ';' => '›',
  '<' => '',
  '=' => '',
  '>' => 'ž',
  '?' => '',
  '@' => ' ',
  'A' => ' ',
  'B' => 'â',
  'C' => 'ä',
  'D' => 'à',
  'E' => 'á',
  'F' => 'ã',
  'G' => 'å',
  'H' => '{',
  'I' => 'ñ',
  'J' => 'Ç',
  'K' => '.',
  'L' => '<',
  'M' => '(',
  'N' => '+',
  'O' => '!',
  'P' => '&',
  'Q' => 'é',
  'R' => 'ê',
  'S' => 'ë',
  'T' => 'è',
  'U' => 'í',
  'V' => 'î',
  'W' => 'ï',
  'X' => 'ì',
  'Y' => 'ß',
  'Z' => 'Ğ',
  '[' => 'İ',
  '\\' => '*',
  ']' => ')',
  '^' => ';',
  '_' => '^',
  '`' => '-',
  'a' => '/',
  'b' => 'Â',
  'c' => 'Ä',
  'd' => 'À',
  'e' => 'Á',
  'f' => 'Ã',
  'g' => 'Å',
  'h' => '[',
  'i' => 'Ñ',
  'j' => 'ş',
  'k' => ',',
  'l' => '%',
  'm' => '_',
  'n' => '>',
  'o' => '?',
  'p' => 'ø',
  'q' => 'É',
  'r' => 'Ê',
  's' => 'Ë',
  't' => 'È',
  'u' => 'Í',
  'v' => 'Î',
  'w' => 'Ï',
  'x' => 'Ì',
  'y' => 'ı',
  'z' => ':',
  '{' => 'Ö',
  '|' => 'Ş',
  '}' => '\'',
  '~' => '=',
  '' => 'Ü',
  '�' => 'Ø',
  '�' => 'a',
  '�' => 'b',
  '�' => 'c',
  '�' => 'd',
  '�' => 'e',
  '�' => 'f',
  '�' => 'g',
  '�' => 'h',
  '�' => 'i',
  '�' => '«',
  '�' => '»',
  '�' => '}',
  '�' => '`',
  '�' => '¦',
  '�' => '±',
  '�' => '°',
  '�' => 'j',
  '�' => 'k',
  '�' => 'l',
  '�' => 'm',
  '�' => 'n',
  '�' => 'o',
  '�' => 'p',
  '�' => 'q',
  '�' => 'r',
  '�' => 'ª',
  '�' => 'º',
  '�' => 'æ',
  '�' => '¸',
  '�' => 'Æ',
  '�' => '¤',
  '�' => 'µ',
  '�' => 'ö',
  '�' => 's',
  '�' => 't',
  '�' => 'u',
  '�' => 'v',
  '�' => 'w',
  '�' => 'x',
  '�' => 'y',
  '�' => 'z',
  '�' => '¡',
  '�' => '¿',
  '�' => ']',
  '�' => '$',
  '�' => '@',
  '�' => '®',
  '�' => '¢',
  '�' => '£',
  '�' => '¥',
  '�' => '·',
  '�' => '©',
  '�' => '§',
  '�' => '¶',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '¬',
  '�' => '|',
  '�' => '¯',
  '�' => '¨',
  '�' => '´',
  '�' => '×',
  '�' => 'ç',
  '�' => 'A',
  '�' => 'B',
  '�' => 'C',
  '�' => 'D',
  '�' => 'E',
  '�' => 'F',
  '�' => 'G',
  '�' => 'H',
  '�' => 'I',
  '�' => '­',
  '�' => 'ô',
  '�' => '~',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'õ',
  '�' => 'ğ',
  '�' => 'J',
  '�' => 'K',
  '�' => 'L',
  '�' => 'M',
  '�' => 'N',
  '�' => 'O',
  '�' => 'P',
  '�' => 'Q',
  '�' => 'R',
  '�' => '¹',
  '�' => 'û',
  '�' => '\\',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'ÿ',
  '�' => 'ü',
  '�' => '÷',
  '�' => 'S',
  '�' => 'T',
  '�' => 'U',
  '�' => 'V',
  '�' => 'W',
  '�' => 'X',
  '�' => 'Y',
  '�' => 'Z',
  '�' => '²',
  '�' => 'Ô',
  '�' => '#',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Õ',
  '�' => '0',
  '�' => '1',
  '�' => '2',
  '�' => '3',
  '�' => '4',
  '�' => '5',
  '�' => '6',
  '�' => '7',
  '�' => '8',
  '�' => '9',
  '�' => '³',
  '�' => 'Û',
  '�' => '"',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-5.php000064400000007304151330736600017653 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => 'Ё',
  '�' => 'Ђ',
  '�' => 'Ѓ',
  '�' => 'Є',
  '�' => 'Ѕ',
  '�' => 'І',
  '�' => 'Ї',
  '�' => 'Ј',
  '�' => 'Љ',
  '�' => 'Њ',
  '�' => 'Ћ',
  '�' => 'Ќ',
  '�' => '­',
  '�' => 'Ў',
  '�' => 'Џ',
  '�' => 'А',
  '�' => 'Б',
  '�' => 'В',
  '�' => 'Г',
  '�' => 'Д',
  '�' => 'Е',
  '�' => 'Ж',
  '�' => 'З',
  '�' => 'И',
  '�' => 'Й',
  '�' => 'К',
  '�' => 'Л',
  '�' => 'М',
  '�' => 'Н',
  '�' => 'О',
  '�' => 'П',
  '�' => 'Р',
  '�' => 'С',
  '�' => 'Т',
  '�' => 'У',
  '�' => 'Ф',
  '�' => 'Х',
  '�' => 'Ц',
  '�' => 'Ч',
  '�' => 'Ш',
  '�' => 'Щ',
  '�' => 'Ъ',
  '�' => 'Ы',
  '�' => 'Ь',
  '�' => 'Э',
  '�' => 'Ю',
  '�' => 'Я',
  '�' => 'а',
  '�' => 'б',
  '�' => 'в',
  '�' => 'г',
  '�' => 'д',
  '�' => 'е',
  '�' => 'ж',
  '�' => 'з',
  '�' => 'и',
  '�' => 'й',
  '�' => 'к',
  '�' => 'л',
  '�' => 'м',
  '�' => 'н',
  '�' => 'о',
  '�' => 'п',
  '�' => 'р',
  '�' => 'с',
  '�' => 'т',
  '�' => 'у',
  '�' => 'ф',
  '�' => 'х',
  '�' => 'ц',
  '�' => 'ч',
  '�' => 'ш',
  '�' => 'щ',
  '�' => 'ъ',
  '�' => 'ы',
  '�' => 'ь',
  '�' => 'э',
  '�' => 'ю',
  '�' => 'я',
  '�' => '№',
  '�' => 'ё',
  '�' => 'ђ',
  '�' => 'ѓ',
  '�' => 'є',
  '�' => 'ѕ',
  '�' => 'і',
  '�' => 'ї',
  '�' => 'ј',
  '�' => 'љ',
  '�' => 'њ',
  '�' => 'ћ',
  '�' => 'ќ',
  '�' => '§',
  '�' => 'ў',
  '�' => 'џ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-2.php000064400000007303151330736600017647 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => 'Ą',
  '�' => '˘',
  '�' => 'Ł',
  '�' => '¤',
  '�' => 'Ľ',
  '�' => 'Ś',
  '�' => '§',
  '�' => '¨',
  '�' => 'Š',
  '�' => 'Ş',
  '�' => 'Ť',
  '�' => 'Ź',
  '�' => '­',
  '�' => 'Ž',
  '�' => 'Ż',
  '�' => '°',
  '�' => 'ą',
  '�' => '˛',
  '�' => 'ł',
  '�' => '´',
  '�' => 'ľ',
  '�' => 'ś',
  '�' => 'ˇ',
  '�' => '¸',
  '�' => 'š',
  '�' => 'ş',
  '�' => 'ť',
  '�' => 'ź',
  '�' => '˝',
  '�' => 'ž',
  '�' => 'ż',
  '�' => 'Ŕ',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ă',
  '�' => 'Ä',
  '�' => 'Ĺ',
  '�' => 'Ć',
  '�' => 'Ç',
  '�' => 'Č',
  '�' => 'É',
  '�' => 'Ę',
  '�' => 'Ë',
  '�' => 'Ě',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ď',
  '�' => 'Đ',
  '�' => 'Ń',
  '�' => 'Ň',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Ő',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ř',
  '�' => 'Ů',
  '�' => 'Ú',
  '�' => 'Ű',
  '�' => 'Ü',
  '�' => 'Ý',
  '�' => 'Ţ',
  '�' => 'ß',
  '�' => 'ŕ',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ă',
  '�' => 'ä',
  '�' => 'ĺ',
  '�' => 'ć',
  '�' => 'ç',
  '�' => 'č',
  '�' => 'é',
  '�' => 'ę',
  '�' => 'ë',
  '�' => 'ě',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ď',
  '�' => 'đ',
  '�' => 'ń',
  '�' => 'ň',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'ő',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ř',
  '�' => 'ů',
  '�' => 'ú',
  '�' => 'ű',
  '�' => 'ü',
  '�' => 'ý',
  '�' => 'ţ',
  '�' => '˙',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1252.php000064400000007211151330736600020362 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => 'Ž',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '¡',
  '�' => '¢',
  '�' => '£',
  '�' => '¤',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => 'ª',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => '¹',
  '�' => 'º',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '¿',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ã',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'Ì',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Ð',
  '�' => 'Ñ',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ø',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ý',
  '�' => 'Þ',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ì',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ð',
  '�' => 'ñ',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ø',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ý',
  '�' => 'þ',
  '�' => 'ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.windows-1255.php000064400000006576151330736600020402 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => '‹',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => '›',
  '�' => ' ',
  '�' => '¡',
  '�' => '¢',
  '�' => '£',
  '�' => '₪',
  '�' => '¥',
  '�' => '¦',
  '�' => '§',
  '�' => '¨',
  '�' => '©',
  '�' => '×',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => '´',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => '¸',
  '�' => '¹',
  '�' => '÷',
  '�' => '»',
  '�' => '¼',
  '�' => '½',
  '�' => '¾',
  '�' => '¿',
  '�' => 'ְ',
  '�' => 'ֱ',
  '�' => 'ֲ',
  '�' => 'ֳ',
  '�' => 'ִ',
  '�' => 'ֵ',
  '�' => 'ֶ',
  '�' => 'ַ',
  '�' => 'ָ',
  '�' => 'ֹ',
  '�' => 'ֻ',
  '�' => 'ּ',
  '�' => 'ֽ',
  '�' => '־',
  '�' => 'ֿ',
  '�' => '׀',
  '�' => 'ׁ',
  '�' => 'ׂ',
  '�' => '׃',
  '�' => 'װ',
  '�' => 'ױ',
  '�' => 'ײ',
  '�' => '׳',
  '�' => '״',
  '�' => 'א',
  '�' => 'ב',
  '�' => 'ג',
  '�' => 'ד',
  '�' => 'ה',
  '�' => 'ו',
  '�' => 'ז',
  '�' => 'ח',
  '�' => 'ט',
  '�' => 'י',
  '�' => 'ך',
  '�' => 'כ',
  '�' => 'ל',
  '�' => 'ם',
  '�' => 'מ',
  '�' => 'ן',
  '�' => 'נ',
  '�' => 'ס',
  '�' => 'ע',
  '�' => 'ף',
  '�' => 'פ',
  '�' => 'ץ',
  '�' => 'צ',
  '�' => 'ק',
  '�' => 'ר',
  '�' => 'ש',
  '�' => 'ת',
  '�' => '‎',
  '�' => '‏',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp855.php000064400000007341151330736600017151 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'ђ',
  '�' => 'Ђ',
  '�' => 'ѓ',
  '�' => 'Ѓ',
  '�' => 'ё',
  '�' => 'Ё',
  '�' => 'є',
  '�' => 'Є',
  '�' => 'ѕ',
  '�' => 'Ѕ',
  '�' => 'і',
  '�' => 'І',
  '�' => 'ї',
  '�' => 'Ї',
  '�' => 'ј',
  '�' => 'Ј',
  '�' => 'љ',
  '�' => 'Љ',
  '�' => 'њ',
  '�' => 'Њ',
  '�' => 'ћ',
  '�' => 'Ћ',
  '�' => 'ќ',
  '�' => 'Ќ',
  '�' => 'ў',
  '�' => 'Ў',
  '�' => 'џ',
  '�' => 'Џ',
  '�' => 'ю',
  '�' => 'Ю',
  '�' => 'ъ',
  '�' => 'Ъ',
  '�' => 'а',
  '�' => 'А',
  '�' => 'б',
  '�' => 'Б',
  '�' => 'ц',
  '�' => 'Ц',
  '�' => 'д',
  '�' => 'Д',
  '�' => 'е',
  '�' => 'Е',
  '�' => 'ф',
  '�' => 'Ф',
  '�' => 'г',
  '�' => 'Г',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => 'х',
  '�' => 'Х',
  '�' => 'и',
  '�' => 'И',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => 'й',
  '�' => 'Й',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => 'к',
  '�' => 'К',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '¤',
  '�' => 'л',
  '�' => 'Л',
  '�' => 'м',
  '�' => 'М',
  '�' => 'н',
  '�' => 'Н',
  '�' => 'о',
  '�' => 'О',
  '�' => 'п',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => 'П',
  '�' => 'я',
  '�' => '▀',
  '�' => 'Я',
  '�' => 'р',
  '�' => 'Р',
  '�' => 'с',
  '�' => 'С',
  '�' => 'т',
  '�' => 'Т',
  '�' => 'у',
  '�' => 'У',
  '�' => 'ж',
  '�' => 'Ж',
  '�' => 'в',
  '�' => 'В',
  '�' => 'ь',
  '�' => 'Ь',
  '�' => '№',
  '�' => '­',
  '�' => 'ы',
  '�' => 'Ы',
  '�' => 'з',
  '�' => 'З',
  '�' => 'ш',
  '�' => 'Ш',
  '�' => 'э',
  '�' => 'Э',
  '�' => 'щ',
  '�' => 'Щ',
  '�' => 'ч',
  '�' => 'Ч',
  '�' => '§',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/translit.php000064400000220704151330736600017203 0ustar00<?php

return array (
  'µ' => 'μ',
  '¼' => ' 1⁄4 ',
  '½' => ' 1⁄2 ',
  '¾' => ' 3⁄4 ',
  'IJ' => 'IJ',
  'ij' => 'ij',
  'Ŀ' => 'L·',
  'ŀ' => 'l·',
  'ʼn' => 'ʼn',
  'ſ' => 's',
  'DŽ' => 'DŽ',
  'Dž' => 'Dž',
  'dž' => 'dž',
  'LJ' => 'LJ',
  'Lj' => 'Lj',
  'lj' => 'lj',
  'NJ' => 'NJ',
  'Nj' => 'Nj',
  'nj' => 'nj',
  'DZ' => 'DZ',
  'Dz' => 'Dz',
  'dz' => 'dz',
  'ϐ' => 'β',
  'ϑ' => 'θ',
  'ϒ' => 'Υ',
  'ϕ' => 'φ',
  'ϖ' => 'π',
  'ϰ' => 'κ',
  'ϱ' => 'ρ',
  'ϲ' => 'ς',
  'ϴ' => 'Θ',
  'ϵ' => 'ε',
  'Ϲ' => 'Σ',
  'և' => 'եւ',
  'ٵ' => 'اٴ',
  'ٶ' => 'وٴ',
  'ٷ' => 'ۇٴ',
  'ٸ' => 'يٴ',
  'ำ' => 'ํา',
  'ຳ' => 'ໍາ',
  'ໜ' => 'ຫນ',
  'ໝ' => 'ຫມ',
  'ཷ' => 'ྲཱྀ',
  'ཹ' => 'ླཱྀ',
  'ẚ' => 'aʾ',
  '․' => '.',
  '‥' => '..',
  '…' => '...',
  '″' => '′′',
  '‴' => '′′′',
  '‶' => '‵‵',
  '‷' => '‵‵‵',
  '‼' => '!!',
  '⁇' => '??',
  '⁈' => '?!',
  '⁉' => '!?',
  '⁗' => '′′′′',
  '₨' => 'Rs',
  '℀' => 'a/c',
  '℁' => 'a/s',
  'ℂ' => 'C',
  '℃' => '°C',
  '℅' => 'c/o',
  '℆' => 'c/u',
  'ℇ' => 'Ɛ',
  '℉' => '°F',
  'ℊ' => 'g',
  'ℋ' => 'H',
  'ℌ' => 'H',
  'ℍ' => 'H',
  'ℎ' => 'h',
  'ℏ' => 'ħ',
  'ℐ' => 'I',
  'ℑ' => 'I',
  'ℒ' => 'L',
  'ℓ' => 'l',
  'ℕ' => 'N',
  '№' => 'No',
  'ℙ' => 'P',
  'ℚ' => 'Q',
  'ℛ' => 'R',
  'ℜ' => 'R',
  'ℝ' => 'R',
  '℡' => 'TEL',
  'ℤ' => 'Z',
  'ℨ' => 'Z',
  'ℬ' => 'B',
  'ℭ' => 'C',
  'ℯ' => 'e',
  'ℰ' => 'E',
  'ℱ' => 'F',
  'ℳ' => 'M',
  'ℴ' => 'o',
  'ℵ' => 'א',
  'ℶ' => 'ב',
  'ℷ' => 'ג',
  'ℸ' => 'ד',
  'ℹ' => 'i',
  '℻' => 'FAX',
  'ℼ' => 'π',
  'ℽ' => 'γ',
  'ℾ' => 'Γ',
  'ℿ' => 'Π',
  '⅀' => '∑',
  'ⅅ' => 'D',
  'ⅆ' => 'd',
  'ⅇ' => 'e',
  'ⅈ' => 'i',
  'ⅉ' => 'j',
  '⅐' => ' 1⁄7 ',
  '⅑' => ' 1⁄9 ',
  '⅒' => ' 1⁄10 ',
  '⅓' => ' 1⁄3 ',
  '⅔' => ' 2⁄3 ',
  '⅕' => ' 1⁄5 ',
  '⅖' => ' 2⁄5 ',
  '⅗' => ' 3⁄5 ',
  '⅘' => ' 4⁄5 ',
  '⅙' => ' 1⁄6 ',
  '⅚' => ' 5⁄6 ',
  '⅛' => ' 1⁄8 ',
  '⅜' => ' 3⁄8 ',
  '⅝' => ' 5⁄8 ',
  '⅞' => ' 7⁄8 ',
  '⅟' => ' 1⁄ ',
  'Ⅰ' => 'I',
  'Ⅱ' => 'II',
  'Ⅲ' => 'III',
  'Ⅳ' => 'IV',
  'Ⅴ' => 'V',
  'Ⅵ' => 'VI',
  'Ⅶ' => 'VII',
  'Ⅷ' => 'VIII',
  'Ⅸ' => 'IX',
  'Ⅹ' => 'X',
  'Ⅺ' => 'XI',
  'Ⅻ' => 'XII',
  'Ⅼ' => 'L',
  'Ⅽ' => 'C',
  'Ⅾ' => 'D',
  'Ⅿ' => 'M',
  'ⅰ' => 'i',
  'ⅱ' => 'ii',
  'ⅲ' => 'iii',
  'ⅳ' => 'iv',
  'ⅴ' => 'v',
  'ⅵ' => 'vi',
  'ⅶ' => 'vii',
  'ⅷ' => 'viii',
  'ⅸ' => 'ix',
  'ⅹ' => 'x',
  'ⅺ' => 'xi',
  'ⅻ' => 'xii',
  'ⅼ' => 'l',
  'ⅽ' => 'c',
  'ⅾ' => 'd',
  'ⅿ' => 'm',
  '↉' => ' 0⁄3 ',
  '∬' => '∫∫',
  '∭' => '∫∫∫',
  '∯' => '∮∮',
  '∰' => '∮∮∮',
  '①' => '(1)',
  '②' => '(2)',
  '③' => '(3)',
  '④' => '(4)',
  '⑤' => '(5)',
  '⑥' => '(6)',
  '⑦' => '(7)',
  '⑧' => '(8)',
  '⑨' => '(9)',
  '⑩' => '(10)',
  '⑪' => '(11)',
  '⑫' => '(12)',
  '⑬' => '(13)',
  '⑭' => '(14)',
  '⑮' => '(15)',
  '⑯' => '(16)',
  '⑰' => '(17)',
  '⑱' => '(18)',
  '⑲' => '(19)',
  '⑳' => '(20)',
  '⑴' => '(1)',
  '⑵' => '(2)',
  '⑶' => '(3)',
  '⑷' => '(4)',
  '⑸' => '(5)',
  '⑹' => '(6)',
  '⑺' => '(7)',
  '⑻' => '(8)',
  '⑼' => '(9)',
  '⑽' => '(10)',
  '⑾' => '(11)',
  '⑿' => '(12)',
  '⒀' => '(13)',
  '⒁' => '(14)',
  '⒂' => '(15)',
  '⒃' => '(16)',
  '⒄' => '(17)',
  '⒅' => '(18)',
  '⒆' => '(19)',
  '⒇' => '(20)',
  '⒈' => '1.',
  '⒉' => '2.',
  '⒊' => '3.',
  '⒋' => '4.',
  '⒌' => '5.',
  '⒍' => '6.',
  '⒎' => '7.',
  '⒏' => '8.',
  '⒐' => '9.',
  '⒑' => '10.',
  '⒒' => '11.',
  '⒓' => '12.',
  '⒔' => '13.',
  '⒕' => '14.',
  '⒖' => '15.',
  '⒗' => '16.',
  '⒘' => '17.',
  '⒙' => '18.',
  '⒚' => '19.',
  '⒛' => '20.',
  '⒜' => '(a)',
  '⒝' => '(b)',
  '⒞' => '(c)',
  '⒟' => '(d)',
  '⒠' => '(e)',
  '⒡' => '(f)',
  '⒢' => '(g)',
  '⒣' => '(h)',
  '⒤' => '(i)',
  '⒥' => '(j)',
  '⒦' => '(k)',
  '⒧' => '(l)',
  '⒨' => '(m)',
  '⒩' => '(n)',
  '⒪' => '(o)',
  '⒫' => '(p)',
  '⒬' => '(q)',
  '⒭' => '(r)',
  '⒮' => '(s)',
  '⒯' => '(t)',
  '⒰' => '(u)',
  '⒱' => '(v)',
  '⒲' => '(w)',
  '⒳' => '(x)',
  '⒴' => '(y)',
  '⒵' => '(z)',
  'Ⓐ' => '(A)',
  'Ⓑ' => '(B)',
  'Ⓒ' => '(C)',
  'Ⓓ' => '(D)',
  'Ⓔ' => '(E)',
  'Ⓕ' => '(F)',
  'Ⓖ' => '(G)',
  'Ⓗ' => '(H)',
  'Ⓘ' => '(I)',
  'Ⓙ' => '(J)',
  'Ⓚ' => '(K)',
  'Ⓛ' => '(L)',
  'Ⓜ' => '(M)',
  'Ⓝ' => '(N)',
  'Ⓞ' => '(O)',
  'Ⓟ' => '(P)',
  'Ⓠ' => '(Q)',
  'Ⓡ' => '(R)',
  'Ⓢ' => '(S)',
  'Ⓣ' => '(T)',
  'Ⓤ' => '(U)',
  'Ⓥ' => '(V)',
  'Ⓦ' => '(W)',
  'Ⓧ' => '(X)',
  'Ⓨ' => '(Y)',
  'Ⓩ' => '(Z)',
  'ⓐ' => '(a)',
  'ⓑ' => '(b)',
  'ⓒ' => '(c)',
  'ⓓ' => '(d)',
  'ⓔ' => '(e)',
  'ⓕ' => '(f)',
  'ⓖ' => '(g)',
  'ⓗ' => '(h)',
  'ⓘ' => '(i)',
  'ⓙ' => '(j)',
  'ⓚ' => '(k)',
  'ⓛ' => '(l)',
  'ⓜ' => '(m)',
  'ⓝ' => '(n)',
  'ⓞ' => '(o)',
  'ⓟ' => '(p)',
  'ⓠ' => '(q)',
  'ⓡ' => '(r)',
  'ⓢ' => '(s)',
  'ⓣ' => '(t)',
  'ⓤ' => '(u)',
  'ⓥ' => '(v)',
  'ⓦ' => '(w)',
  'ⓧ' => '(x)',
  'ⓨ' => '(y)',
  'ⓩ' => '(z)',
  '⓪' => '(0)',
  '⨌' => '∫∫∫∫',
  '⩴' => '::=',
  '⩵' => '==',
  '⩶' => '===',
  '⺟' => '母',
  '⻳' => '龟',
  '⼀' => '一',
  '⼁' => '丨',
  '⼂' => '丶',
  '⼃' => '丿',
  '⼄' => '乙',
  '⼅' => '亅',
  '⼆' => '二',
  '⼇' => '亠',
  '⼈' => '人',
  '⼉' => '儿',
  '⼊' => '入',
  '⼋' => '八',
  '⼌' => '冂',
  '⼍' => '冖',
  '⼎' => '冫',
  '⼏' => '几',
  '⼐' => '凵',
  '⼑' => '刀',
  '⼒' => '力',
  '⼓' => '勹',
  '⼔' => '匕',
  '⼕' => '匚',
  '⼖' => '匸',
  '⼗' => '十',
  '⼘' => '卜',
  '⼙' => '卩',
  '⼚' => '厂',
  '⼛' => '厶',
  '⼜' => '又',
  '⼝' => '口',
  '⼞' => '囗',
  '⼟' => '土',
  '⼠' => '士',
  '⼡' => '夂',
  '⼢' => '夊',
  '⼣' => '夕',
  '⼤' => '大',
  '⼥' => '女',
  '⼦' => '子',
  '⼧' => '宀',
  '⼨' => '寸',
  '⼩' => '小',
  '⼪' => '尢',
  '⼫' => '尸',
  '⼬' => '屮',
  '⼭' => '山',
  '⼮' => '巛',
  '⼯' => '工',
  '⼰' => '己',
  '⼱' => '巾',
  '⼲' => '干',
  '⼳' => '幺',
  '⼴' => '广',
  '⼵' => '廴',
  '⼶' => '廾',
  '⼷' => '弋',
  '⼸' => '弓',
  '⼹' => '彐',
  '⼺' => '彡',
  '⼻' => '彳',
  '⼼' => '心',
  '⼽' => '戈',
  '⼾' => '戶',
  '⼿' => '手',
  '⽀' => '支',
  '⽁' => '攴',
  '⽂' => '文',
  '⽃' => '斗',
  '⽄' => '斤',
  '⽅' => '方',
  '⽆' => '无',
  '⽇' => '日',
  '⽈' => '曰',
  '⽉' => '月',
  '⽊' => '木',
  '⽋' => '欠',
  '⽌' => '止',
  '⽍' => '歹',
  '⽎' => '殳',
  '⽏' => '毋',
  '⽐' => '比',
  '⽑' => '毛',
  '⽒' => '氏',
  '⽓' => '气',
  '⽔' => '水',
  '⽕' => '火',
  '⽖' => '爪',
  '⽗' => '父',
  '⽘' => '爻',
  '⽙' => '爿',
  '⽚' => '片',
  '⽛' => '牙',
  '⽜' => '牛',
  '⽝' => '犬',
  '⽞' => '玄',
  '⽟' => '玉',
  '⽠' => '瓜',
  '⽡' => '瓦',
  '⽢' => '甘',
  '⽣' => '生',
  '⽤' => '用',
  '⽥' => '田',
  '⽦' => '疋',
  '⽧' => '疒',
  '⽨' => '癶',
  '⽩' => '白',
  '⽪' => '皮',
  '⽫' => '皿',
  '⽬' => '目',
  '⽭' => '矛',
  '⽮' => '矢',
  '⽯' => '石',
  '⽰' => '示',
  '⽱' => '禸',
  '⽲' => '禾',
  '⽳' => '穴',
  '⽴' => '立',
  '⽵' => '竹',
  '⽶' => '米',
  '⽷' => '糸',
  '⽸' => '缶',
  '⽹' => '网',
  '⽺' => '羊',
  '⽻' => '羽',
  '⽼' => '老',
  '⽽' => '而',
  '⽾' => '耒',
  '⽿' => '耳',
  '⾀' => '聿',
  '⾁' => '肉',
  '⾂' => '臣',
  '⾃' => '自',
  '⾄' => '至',
  '⾅' => '臼',
  '⾆' => '舌',
  '⾇' => '舛',
  '⾈' => '舟',
  '⾉' => '艮',
  '⾊' => '色',
  '⾋' => '艸',
  '⾌' => '虍',
  '⾍' => '虫',
  '⾎' => '血',
  '⾏' => '行',
  '⾐' => '衣',
  '⾑' => '襾',
  '⾒' => '見',
  '⾓' => '角',
  '⾔' => '言',
  '⾕' => '谷',
  '⾖' => '豆',
  '⾗' => '豕',
  '⾘' => '豸',
  '⾙' => '貝',
  '⾚' => '赤',
  '⾛' => '走',
  '⾜' => '足',
  '⾝' => '身',
  '⾞' => '車',
  '⾟' => '辛',
  '⾠' => '辰',
  '⾡' => '辵',
  '⾢' => '邑',
  '⾣' => '酉',
  '⾤' => '釆',
  '⾥' => '里',
  '⾦' => '金',
  '⾧' => '長',
  '⾨' => '門',
  '⾩' => '阜',
  '⾪' => '隶',
  '⾫' => '隹',
  '⾬' => '雨',
  '⾭' => '靑',
  '⾮' => '非',
  '⾯' => '面',
  '⾰' => '革',
  '⾱' => '韋',
  '⾲' => '韭',
  '⾳' => '音',
  '⾴' => '頁',
  '⾵' => '風',
  '⾶' => '飛',
  '⾷' => '食',
  '⾸' => '首',
  '⾹' => '香',
  '⾺' => '馬',
  '⾻' => '骨',
  '⾼' => '高',
  '⾽' => '髟',
  '⾾' => '鬥',
  '⾿' => '鬯',
  '⿀' => '鬲',
  '⿁' => '鬼',
  '⿂' => '魚',
  '⿃' => '鳥',
  '⿄' => '鹵',
  '⿅' => '鹿',
  '⿆' => '麥',
  '⿇' => '麻',
  '⿈' => '黃',
  '⿉' => '黍',
  '⿊' => '黑',
  '⿋' => '黹',
  '⿌' => '黽',
  '⿍' => '鼎',
  '⿎' => '鼓',
  '⿏' => '鼠',
  '⿐' => '鼻',
  '⿑' => '齊',
  '⿒' => '齒',
  '⿓' => '龍',
  '⿔' => '龜',
  '⿕' => '龠',
  ' ' => ' ',
  '〶' => '〒',
  '〸' => '十',
  '〹' => '卄',
  '〺' => '卅',
  'ㄱ' => 'ᄀ',
  'ㄲ' => 'ᄁ',
  'ㄳ' => 'ᆪ',
  'ㄴ' => 'ᄂ',
  'ㄵ' => 'ᆬ',
  'ㄶ' => 'ᆭ',
  'ㄷ' => 'ᄃ',
  'ㄸ' => 'ᄄ',
  'ㄹ' => 'ᄅ',
  'ㄺ' => 'ᆰ',
  'ㄻ' => 'ᆱ',
  'ㄼ' => 'ᆲ',
  'ㄽ' => 'ᆳ',
  'ㄾ' => 'ᆴ',
  'ㄿ' => 'ᆵ',
  'ㅀ' => 'ᄚ',
  'ㅁ' => 'ᄆ',
  'ㅂ' => 'ᄇ',
  'ㅃ' => 'ᄈ',
  'ㅄ' => 'ᄡ',
  'ㅅ' => 'ᄉ',
  'ㅆ' => 'ᄊ',
  'ㅇ' => 'ᄋ',
  'ㅈ' => 'ᄌ',
  'ㅉ' => 'ᄍ',
  'ㅊ' => 'ᄎ',
  'ㅋ' => 'ᄏ',
  'ㅌ' => 'ᄐ',
  'ㅍ' => 'ᄑ',
  'ㅎ' => 'ᄒ',
  'ㅏ' => 'ᅡ',
  'ㅐ' => 'ᅢ',
  'ㅑ' => 'ᅣ',
  'ㅒ' => 'ᅤ',
  'ㅓ' => 'ᅥ',
  'ㅔ' => 'ᅦ',
  'ㅕ' => 'ᅧ',
  'ㅖ' => 'ᅨ',
  'ㅗ' => 'ᅩ',
  'ㅘ' => 'ᅪ',
  'ㅙ' => 'ᅫ',
  'ㅚ' => 'ᅬ',
  'ㅛ' => 'ᅭ',
  'ㅜ' => 'ᅮ',
  'ㅝ' => 'ᅯ',
  'ㅞ' => 'ᅰ',
  'ㅟ' => 'ᅱ',
  'ㅠ' => 'ᅲ',
  'ㅡ' => 'ᅳ',
  'ㅢ' => 'ᅴ',
  'ㅣ' => 'ᅵ',
  'ㅤ' => 'ᅠ',
  'ㅥ' => 'ᄔ',
  'ㅦ' => 'ᄕ',
  'ㅧ' => 'ᇇ',
  'ㅨ' => 'ᇈ',
  'ㅩ' => 'ᇌ',
  'ㅪ' => 'ᇎ',
  'ㅫ' => 'ᇓ',
  'ㅬ' => 'ᇗ',
  'ㅭ' => 'ᇙ',
  'ㅮ' => 'ᄜ',
  'ㅯ' => 'ᇝ',
  'ㅰ' => 'ᇟ',
  'ㅱ' => 'ᄝ',
  'ㅲ' => 'ᄞ',
  'ㅳ' => 'ᄠ',
  'ㅴ' => 'ᄢ',
  'ㅵ' => 'ᄣ',
  'ㅶ' => 'ᄧ',
  'ㅷ' => 'ᄩ',
  'ㅸ' => 'ᄫ',
  'ㅹ' => 'ᄬ',
  'ㅺ' => 'ᄭ',
  'ㅻ' => 'ᄮ',
  'ㅼ' => 'ᄯ',
  'ㅽ' => 'ᄲ',
  'ㅾ' => 'ᄶ',
  'ㅿ' => 'ᅀ',
  'ㆀ' => 'ᅇ',
  'ㆁ' => 'ᅌ',
  'ㆂ' => 'ᇱ',
  'ㆃ' => 'ᇲ',
  'ㆄ' => 'ᅗ',
  'ㆅ' => 'ᅘ',
  'ㆆ' => 'ᅙ',
  'ㆇ' => 'ᆄ',
  'ㆈ' => 'ᆅ',
  'ㆉ' => 'ᆈ',
  'ㆊ' => 'ᆑ',
  'ㆋ' => 'ᆒ',
  'ㆌ' => 'ᆔ',
  'ㆍ' => 'ᆞ',
  'ㆎ' => 'ᆡ',
  '㈀' => '(ᄀ)',
  '㈁' => '(ᄂ)',
  '㈂' => '(ᄃ)',
  '㈃' => '(ᄅ)',
  '㈄' => '(ᄆ)',
  '㈅' => '(ᄇ)',
  '㈆' => '(ᄉ)',
  '㈇' => '(ᄋ)',
  '㈈' => '(ᄌ)',
  '㈉' => '(ᄎ)',
  '㈊' => '(ᄏ)',
  '㈋' => '(ᄐ)',
  '㈌' => '(ᄑ)',
  '㈍' => '(ᄒ)',
  '㈎' => '(가)',
  '㈏' => '(나)',
  '㈐' => '(다)',
  '㈑' => '(라)',
  '㈒' => '(마)',
  '㈓' => '(바)',
  '㈔' => '(사)',
  '㈕' => '(아)',
  '㈖' => '(자)',
  '㈗' => '(차)',
  '㈘' => '(카)',
  '㈙' => '(타)',
  '㈚' => '(파)',
  '㈛' => '(하)',
  '㈜' => '(주)',
  '㈝' => '(오전)',
  '㈞' => '(오후)',
  '㈠' => '(一)',
  '㈡' => '(二)',
  '㈢' => '(三)',
  '㈣' => '(四)',
  '㈤' => '(五)',
  '㈥' => '(六)',
  '㈦' => '(七)',
  '㈧' => '(八)',
  '㈨' => '(九)',
  '㈩' => '(十)',
  '㈪' => '(月)',
  '㈫' => '(火)',
  '㈬' => '(水)',
  '㈭' => '(木)',
  '㈮' => '(金)',
  '㈯' => '(土)',
  '㈰' => '(日)',
  '㈱' => '(株)',
  '㈲' => '(有)',
  '㈳' => '(社)',
  '㈴' => '(名)',
  '㈵' => '(特)',
  '㈶' => '(財)',
  '㈷' => '(祝)',
  '㈸' => '(労)',
  '㈹' => '(代)',
  '㈺' => '(呼)',
  '㈻' => '(学)',
  '㈼' => '(監)',
  '㈽' => '(企)',
  '㈾' => '(資)',
  '㈿' => '(協)',
  '㉀' => '(祭)',
  '㉁' => '(休)',
  '㉂' => '(自)',
  '㉃' => '(至)',
  '㉄' => '(問)',
  '㉅' => '(幼)',
  '㉆' => '(文)',
  '㉇' => '(箏)',
  '㉐' => 'PTE',
  '㉑' => '(21)',
  '㉒' => '(22)',
  '㉓' => '(23)',
  '㉔' => '(24)',
  '㉕' => '(25)',
  '㉖' => '(26)',
  '㉗' => '(27)',
  '㉘' => '(28)',
  '㉙' => '(29)',
  '㉚' => '(30)',
  '㉛' => '(31)',
  '㉜' => '(32)',
  '㉝' => '(33)',
  '㉞' => '(34)',
  '㉟' => '(35)',
  '㉠' => '(ᄀ)',
  '㉡' => '(ᄂ)',
  '㉢' => '(ᄃ)',
  '㉣' => '(ᄅ)',
  '㉤' => '(ᄆ)',
  '㉥' => '(ᄇ)',
  '㉦' => '(ᄉ)',
  '㉧' => '(ᄋ)',
  '㉨' => '(ᄌ)',
  '㉩' => '(ᄎ)',
  '㉪' => '(ᄏ)',
  '㉫' => '(ᄐ)',
  '㉬' => '(ᄑ)',
  '㉭' => '(ᄒ)',
  '㉮' => '(가)',
  '㉯' => '(나)',
  '㉰' => '(다)',
  '㉱' => '(라)',
  '㉲' => '(마)',
  '㉳' => '(바)',
  '㉴' => '(사)',
  '㉵' => '(아)',
  '㉶' => '(자)',
  '㉷' => '(차)',
  '㉸' => '(카)',
  '㉹' => '(타)',
  '㉺' => '(파)',
  '㉻' => '(하)',
  '㉼' => '(참고)',
  '㉽' => '(주의)',
  '㉾' => '(우)',
  '㊀' => '(一)',
  '㊁' => '(二)',
  '㊂' => '(三)',
  '㊃' => '(四)',
  '㊄' => '(五)',
  '㊅' => '(六)',
  '㊆' => '(七)',
  '㊇' => '(八)',
  '㊈' => '(九)',
  '㊉' => '(十)',
  '㊊' => '(月)',
  '㊋' => '(火)',
  '㊌' => '(水)',
  '㊍' => '(木)',
  '㊎' => '(金)',
  '㊏' => '(土)',
  '㊐' => '(日)',
  '㊑' => '(株)',
  '㊒' => '(有)',
  '㊓' => '(社)',
  '㊔' => '(名)',
  '㊕' => '(特)',
  '㊖' => '(財)',
  '㊗' => '(祝)',
  '㊘' => '(労)',
  '㊙' => '(秘)',
  '㊚' => '(男)',
  '㊛' => '(女)',
  '㊜' => '(適)',
  '㊝' => '(優)',
  '㊞' => '(印)',
  '㊟' => '(注)',
  '㊠' => '(項)',
  '㊡' => '(休)',
  '㊢' => '(写)',
  '㊣' => '(正)',
  '㊤' => '(上)',
  '㊥' => '(中)',
  '㊦' => '(下)',
  '㊧' => '(左)',
  '㊨' => '(右)',
  '㊩' => '(医)',
  '㊪' => '(宗)',
  '㊫' => '(学)',
  '㊬' => '(監)',
  '㊭' => '(企)',
  '㊮' => '(資)',
  '㊯' => '(協)',
  '㊰' => '(夜)',
  '㊱' => '(36)',
  '㊲' => '(37)',
  '㊳' => '(38)',
  '㊴' => '(39)',
  '㊵' => '(40)',
  '㊶' => '(41)',
  '㊷' => '(42)',
  '㊸' => '(43)',
  '㊹' => '(44)',
  '㊺' => '(45)',
  '㊻' => '(46)',
  '㊼' => '(47)',
  '㊽' => '(48)',
  '㊾' => '(49)',
  '㊿' => '(50)',
  '㋀' => '1月',
  '㋁' => '2月',
  '㋂' => '3月',
  '㋃' => '4月',
  '㋄' => '5月',
  '㋅' => '6月',
  '㋆' => '7月',
  '㋇' => '8月',
  '㋈' => '9月',
  '㋉' => '10月',
  '㋊' => '11月',
  '㋋' => '12月',
  '㋌' => 'Hg',
  '㋍' => 'erg',
  '㋎' => 'eV',
  '㋏' => 'LTD',
  '㋐' => '(ア)',
  '㋑' => '(イ)',
  '㋒' => '(ウ)',
  '㋓' => '(エ)',
  '㋔' => '(オ)',
  '㋕' => '(カ)',
  '㋖' => '(キ)',
  '㋗' => '(ク)',
  '㋘' => '(ケ)',
  '㋙' => '(コ)',
  '㋚' => '(サ)',
  '㋛' => '(シ)',
  '㋜' => '(ス)',
  '㋝' => '(セ)',
  '㋞' => '(ソ)',
  '㋟' => '(タ)',
  '㋠' => '(チ)',
  '㋡' => '(ツ)',
  '㋢' => '(テ)',
  '㋣' => '(ト)',
  '㋤' => '(ナ)',
  '㋥' => '(ニ)',
  '㋦' => '(ヌ)',
  '㋧' => '(ネ)',
  '㋨' => '(ノ)',
  '㋩' => '(ハ)',
  '㋪' => '(ヒ)',
  '㋫' => '(フ)',
  '㋬' => '(ヘ)',
  '㋭' => '(ホ)',
  '㋮' => '(マ)',
  '㋯' => '(ミ)',
  '㋰' => '(ム)',
  '㋱' => '(メ)',
  '㋲' => '(モ)',
  '㋳' => '(ヤ)',
  '㋴' => '(ユ)',
  '㋵' => '(ヨ)',
  '㋶' => '(ラ)',
  '㋷' => '(リ)',
  '㋸' => '(ル)',
  '㋹' => '(レ)',
  '㋺' => '(ロ)',
  '㋻' => '(ワ)',
  '㋼' => '(ヰ)',
  '㋽' => '(ヱ)',
  '㋾' => '(ヲ)',
  '㋿' => '令和',
  '㌀' => 'アパート',
  '㌁' => 'アルファ',
  '㌂' => 'アンペア',
  '㌃' => 'アール',
  '㌄' => 'イニング',
  '㌅' => 'インチ',
  '㌆' => 'ウォン',
  '㌇' => 'エスクード',
  '㌈' => 'エーカー',
  '㌉' => 'オンス',
  '㌊' => 'オーム',
  '㌋' => 'カイリ',
  '㌌' => 'カラット',
  '㌍' => 'カロリー',
  '㌎' => 'ガロン',
  '㌏' => 'ガンマ',
  '㌐' => 'ギガ',
  '㌑' => 'ギニー',
  '㌒' => 'キュリー',
  '㌓' => 'ギルダー',
  '㌔' => 'キロ',
  '㌕' => 'キログラム',
  '㌖' => 'キロメートル',
  '㌗' => 'キロワット',
  '㌘' => 'グラム',
  '㌙' => 'グラムトン',
  '㌚' => 'クルゼイロ',
  '㌛' => 'クローネ',
  '㌜' => 'ケース',
  '㌝' => 'コルナ',
  '㌞' => 'コーポ',
  '㌟' => 'サイクル',
  '㌠' => 'サンチーム',
  '㌡' => 'シリング',
  '㌢' => 'センチ',
  '㌣' => 'セント',
  '㌤' => 'ダース',
  '㌥' => 'デシ',
  '㌦' => 'ドル',
  '㌧' => 'トン',
  '㌨' => 'ナノ',
  '㌩' => 'ノット',
  '㌪' => 'ハイツ',
  '㌫' => 'パーセント',
  '㌬' => 'パーツ',
  '㌭' => 'バーレル',
  '㌮' => 'ピアストル',
  '㌯' => 'ピクル',
  '㌰' => 'ピコ',
  '㌱' => 'ビル',
  '㌲' => 'ファラッド',
  '㌳' => 'フィート',
  '㌴' => 'ブッシェル',
  '㌵' => 'フラン',
  '㌶' => 'ヘクタール',
  '㌷' => 'ペソ',
  '㌸' => 'ペニヒ',
  '㌹' => 'ヘルツ',
  '㌺' => 'ペンス',
  '㌻' => 'ページ',
  '㌼' => 'ベータ',
  '㌽' => 'ポイント',
  '㌾' => 'ボルト',
  '㌿' => 'ホン',
  '㍀' => 'ポンド',
  '㍁' => 'ホール',
  '㍂' => 'ホーン',
  '㍃' => 'マイクロ',
  '㍄' => 'マイル',
  '㍅' => 'マッハ',
  '㍆' => 'マルク',
  '㍇' => 'マンション',
  '㍈' => 'ミクロン',
  '㍉' => 'ミリ',
  '㍊' => 'ミリバール',
  '㍋' => 'メガ',
  '㍌' => 'メガトン',
  '㍍' => 'メートル',
  '㍎' => 'ヤード',
  '㍏' => 'ヤール',
  '㍐' => 'ユアン',
  '㍑' => 'リットル',
  '㍒' => 'リラ',
  '㍓' => 'ルピー',
  '㍔' => 'ルーブル',
  '㍕' => 'レム',
  '㍖' => 'レントゲン',
  '㍗' => 'ワット',
  '㍘' => '0点',
  '㍙' => '1点',
  '㍚' => '2点',
  '㍛' => '3点',
  '㍜' => '4点',
  '㍝' => '5点',
  '㍞' => '6点',
  '㍟' => '7点',
  '㍠' => '8点',
  '㍡' => '9点',
  '㍢' => '10点',
  '㍣' => '11点',
  '㍤' => '12点',
  '㍥' => '13点',
  '㍦' => '14点',
  '㍧' => '15点',
  '㍨' => '16点',
  '㍩' => '17点',
  '㍪' => '18点',
  '㍫' => '19点',
  '㍬' => '20点',
  '㍭' => '21点',
  '㍮' => '22点',
  '㍯' => '23点',
  '㍰' => '24点',
  '㍱' => 'hPa',
  '㍲' => 'da',
  '㍳' => 'AU',
  '㍴' => 'bar',
  '㍵' => 'oV',
  '㍶' => 'pc',
  '㍷' => 'dm',
  '㍸' => 'dm²',
  '㍹' => 'dm³',
  '㍺' => 'IU',
  '㍻' => '平成',
  '㍼' => '昭和',
  '㍽' => '大正',
  '㍾' => '明治',
  '㍿' => '株式会社',
  '㎀' => 'pA',
  '㎁' => 'nA',
  '㎂' => 'μA',
  '㎃' => 'mA',
  '㎄' => 'kA',
  '㎅' => 'KB',
  '㎆' => 'MB',
  '㎇' => 'GB',
  '㎈' => 'cal',
  '㎉' => 'kcal',
  '㎊' => 'pF',
  '㎋' => 'nF',
  '㎌' => 'μF',
  '㎍' => 'μg',
  '㎎' => 'mg',
  '㎏' => 'kg',
  '㎐' => 'Hz',
  '㎑' => 'kHz',
  '㎒' => 'MHz',
  '㎓' => 'GHz',
  '㎔' => 'THz',
  '㎕' => 'μℓ',
  '㎖' => 'mℓ',
  '㎗' => 'dℓ',
  '㎘' => 'kℓ',
  '㎙' => 'fm',
  '㎚' => 'nm',
  '㎛' => 'μm',
  '㎜' => 'mm',
  '㎝' => 'cm',
  '㎞' => 'km',
  '㎟' => 'mm²',
  '㎠' => 'cm²',
  '㎡' => 'm²',
  '㎢' => 'km²',
  '㎣' => 'mm³',
  '㎤' => 'cm³',
  '㎥' => 'm³',
  '㎦' => 'km³',
  '㎧' => 'm∕s',
  '㎨' => 'm∕s²',
  '㎩' => 'Pa',
  '㎪' => 'kPa',
  '㎫' => 'MPa',
  '㎬' => 'GPa',
  '㎭' => 'rad',
  '㎮' => 'rad∕s',
  '㎯' => 'rad∕s²',
  '㎰' => 'ps',
  '㎱' => 'ns',
  '㎲' => 'μs',
  '㎳' => 'ms',
  '㎴' => 'pV',
  '㎵' => 'nV',
  '㎶' => 'μV',
  '㎷' => 'mV',
  '㎸' => 'kV',
  '㎹' => 'MV',
  '㎺' => 'pW',
  '㎻' => 'nW',
  '㎼' => 'μW',
  '㎽' => 'mW',
  '㎾' => 'kW',
  '㎿' => 'MW',
  '㏀' => 'kΩ',
  '㏁' => 'MΩ',
  '㏂' => 'a.m.',
  '㏃' => 'Bq',
  '㏄' => 'cc',
  '㏅' => 'cd',
  '㏆' => 'C∕kg',
  '㏇' => 'Co.',
  '㏈' => 'dB',
  '㏉' => 'Gy',
  '㏊' => 'ha',
  '㏋' => 'HP',
  '㏌' => 'in',
  '㏍' => 'KK',
  '㏎' => 'KM',
  '㏏' => 'kt',
  '㏐' => 'lm',
  '㏑' => 'ln',
  '㏒' => 'log',
  '㏓' => 'lx',
  '㏔' => 'mb',
  '㏕' => 'mil',
  '㏖' => 'mol',
  '㏗' => 'PH',
  '㏘' => 'p.m.',
  '㏙' => 'PPM',
  '㏚' => 'PR',
  '㏛' => 'sr',
  '㏜' => 'Sv',
  '㏝' => 'Wb',
  '㏞' => 'V∕m',
  '㏟' => 'A∕m',
  '㏠' => '1日',
  '㏡' => '2日',
  '㏢' => '3日',
  '㏣' => '4日',
  '㏤' => '5日',
  '㏥' => '6日',
  '㏦' => '7日',
  '㏧' => '8日',
  '㏨' => '9日',
  '㏩' => '10日',
  '㏪' => '11日',
  '㏫' => '12日',
  '㏬' => '13日',
  '㏭' => '14日',
  '㏮' => '15日',
  '㏯' => '16日',
  '㏰' => '17日',
  '㏱' => '18日',
  '㏲' => '19日',
  '㏳' => '20日',
  '㏴' => '21日',
  '㏵' => '22日',
  '㏶' => '23日',
  '㏷' => '24日',
  '㏸' => '25日',
  '㏹' => '26日',
  '㏺' => '27日',
  '㏻' => '28日',
  '㏼' => '29日',
  '㏽' => '30日',
  '㏾' => '31日',
  '㏿' => 'gal',
  '豈' => '豈',
  '更' => '更',
  '車' => '車',
  '賈' => '賈',
  '滑' => '滑',
  '串' => '串',
  '句' => '句',
  '龜' => '龜',
  '龜' => '龜',
  '契' => '契',
  '金' => '金',
  '喇' => '喇',
  '奈' => '奈',
  '懶' => '懶',
  '癩' => '癩',
  '羅' => '羅',
  '蘿' => '蘿',
  '螺' => '螺',
  '裸' => '裸',
  '邏' => '邏',
  '樂' => '樂',
  '洛' => '洛',
  '烙' => '烙',
  '珞' => '珞',
  '落' => '落',
  '酪' => '酪',
  '駱' => '駱',
  '亂' => '亂',
  '卵' => '卵',
  '欄' => '欄',
  '爛' => '爛',
  '蘭' => '蘭',
  '鸞' => '鸞',
  '嵐' => '嵐',
  '濫' => '濫',
  '藍' => '藍',
  '襤' => '襤',
  '拉' => '拉',
  '臘' => '臘',
  '蠟' => '蠟',
  '廊' => '廊',
  '朗' => '朗',
  '浪' => '浪',
  '狼' => '狼',
  '郎' => '郎',
  '來' => '來',
  '冷' => '冷',
  '勞' => '勞',
  '擄' => '擄',
  '櫓' => '櫓',
  '爐' => '爐',
  '盧' => '盧',
  '老' => '老',
  '蘆' => '蘆',
  '虜' => '虜',
  '路' => '路',
  '露' => '露',
  '魯' => '魯',
  '鷺' => '鷺',
  '碌' => '碌',
  '祿' => '祿',
  '綠' => '綠',
  '菉' => '菉',
  '錄' => '錄',
  '鹿' => '鹿',
  '論' => '論',
  '壟' => '壟',
  '弄' => '弄',
  '籠' => '籠',
  '聾' => '聾',
  '牢' => '牢',
  '磊' => '磊',
  '賂' => '賂',
  '雷' => '雷',
  '壘' => '壘',
  '屢' => '屢',
  '樓' => '樓',
  '淚' => '淚',
  '漏' => '漏',
  '累' => '累',
  '縷' => '縷',
  '陋' => '陋',
  '勒' => '勒',
  '肋' => '肋',
  '凜' => '凜',
  '凌' => '凌',
  '稜' => '稜',
  '綾' => '綾',
  '菱' => '菱',
  '陵' => '陵',
  '讀' => '讀',
  '拏' => '拏',
  '樂' => '樂',
  '諾' => '諾',
  '丹' => '丹',
  '寧' => '寧',
  '怒' => '怒',
  '率' => '率',
  '異' => '異',
  '北' => '北',
  '磻' => '磻',
  '便' => '便',
  '復' => '復',
  '不' => '不',
  '泌' => '泌',
  '數' => '數',
  '索' => '索',
  '參' => '參',
  '塞' => '塞',
  '省' => '省',
  '葉' => '葉',
  '說' => '說',
  '殺' => '殺',
  '辰' => '辰',
  '沈' => '沈',
  '拾' => '拾',
  '若' => '若',
  '掠' => '掠',
  '略' => '略',
  '亮' => '亮',
  '兩' => '兩',
  '凉' => '凉',
  '梁' => '梁',
  '糧' => '糧',
  '良' => '良',
  '諒' => '諒',
  '量' => '量',
  '勵' => '勵',
  '呂' => '呂',
  '女' => '女',
  '廬' => '廬',
  '旅' => '旅',
  '濾' => '濾',
  '礪' => '礪',
  '閭' => '閭',
  '驪' => '驪',
  '麗' => '麗',
  '黎' => '黎',
  '力' => '力',
  '曆' => '曆',
  '歷' => '歷',
  '轢' => '轢',
  '年' => '年',
  '憐' => '憐',
  '戀' => '戀',
  '撚' => '撚',
  '漣' => '漣',
  '煉' => '煉',
  '璉' => '璉',
  '秊' => '秊',
  '練' => '練',
  '聯' => '聯',
  '輦' => '輦',
  '蓮' => '蓮',
  '連' => '連',
  '鍊' => '鍊',
  '列' => '列',
  '劣' => '劣',
  '咽' => '咽',
  '烈' => '烈',
  '裂' => '裂',
  '說' => '說',
  '廉' => '廉',
  '念' => '念',
  '捻' => '捻',
  '殮' => '殮',
  '簾' => '簾',
  '獵' => '獵',
  '令' => '令',
  '囹' => '囹',
  '寧' => '寧',
  '嶺' => '嶺',
  '怜' => '怜',
  '玲' => '玲',
  '瑩' => '瑩',
  '羚' => '羚',
  '聆' => '聆',
  '鈴' => '鈴',
  '零' => '零',
  '靈' => '靈',
  '領' => '領',
  '例' => '例',
  '禮' => '禮',
  '醴' => '醴',
  '隸' => '隸',
  '惡' => '惡',
  '了' => '了',
  '僚' => '僚',
  '寮' => '寮',
  '尿' => '尿',
  '料' => '料',
  '樂' => '樂',
  '燎' => '燎',
  '療' => '療',
  '蓼' => '蓼',
  '遼' => '遼',
  '龍' => '龍',
  '暈' => '暈',
  '阮' => '阮',
  '劉' => '劉',
  '杻' => '杻',
  '柳' => '柳',
  '流' => '流',
  '溜' => '溜',
  '琉' => '琉',
  '留' => '留',
  '硫' => '硫',
  '紐' => '紐',
  '類' => '類',
  '六' => '六',
  '戮' => '戮',
  '陸' => '陸',
  '倫' => '倫',
  '崙' => '崙',
  '淪' => '淪',
  '輪' => '輪',
  '律' => '律',
  '慄' => '慄',
  '栗' => '栗',
  '率' => '率',
  '隆' => '隆',
  '利' => '利',
  '吏' => '吏',
  '履' => '履',
  '易' => '易',
  '李' => '李',
  '梨' => '梨',
  '泥' => '泥',
  '理' => '理',
  '痢' => '痢',
  '罹' => '罹',
  '裏' => '裏',
  '裡' => '裡',
  '里' => '里',
  '離' => '離',
  '匿' => '匿',
  '溺' => '溺',
  '吝' => '吝',
  '燐' => '燐',
  '璘' => '璘',
  '藺' => '藺',
  '隣' => '隣',
  '鱗' => '鱗',
  '麟' => '麟',
  '林' => '林',
  '淋' => '淋',
  '臨' => '臨',
  '立' => '立',
  '笠' => '笠',
  '粒' => '粒',
  '狀' => '狀',
  '炙' => '炙',
  '識' => '識',
  '什' => '什',
  '茶' => '茶',
  '刺' => '刺',
  '切' => '切',
  '度' => '度',
  '拓' => '拓',
  '糖' => '糖',
  '宅' => '宅',
  '洞' => '洞',
  '暴' => '暴',
  '輻' => '輻',
  '行' => '行',
  '降' => '降',
  '見' => '見',
  '廓' => '廓',
  '兀' => '兀',
  '嗀' => '嗀',
  '﨎' => '' . "\0" . '',
  '﨏' => '' . "\0" . '',
  '塚' => '塚',
  '﨑' => '' . "\0" . '',
  '晴' => '晴',
  '﨓' => '' . "\0" . '',
  '﨔' => '' . "\0" . '',
  '凞' => '凞',
  '猪' => '猪',
  '益' => '益',
  '礼' => '礼',
  '神' => '神',
  '祥' => '祥',
  '福' => '福',
  '靖' => '靖',
  '精' => '精',
  '羽' => '羽',
  '﨟' => '' . "\0" . '',
  '蘒' => '蘒',
  '﨡' => '' . "\0" . '',
  '諸' => '諸',
  '﨣' => '' . "\0" . '',
  '﨤' => '' . "\0" . '',
  '逸' => '逸',
  '都' => '都',
  '﨧' => '' . "\0" . '',
  '﨨' => '' . "\0" . '',
  '﨩' => '' . "\0" . '',
  '飯' => '飯',
  '飼' => '飼',
  '館' => '館',
  '鶴' => '鶴',
  '郞' => '郞',
  '隷' => '隷',
  '侮' => '侮',
  '僧' => '僧',
  '免' => '免',
  '勉' => '勉',
  '勤' => '勤',
  '卑' => '卑',
  '喝' => '喝',
  '嘆' => '嘆',
  '器' => '器',
  '塀' => '塀',
  '墨' => '墨',
  '層' => '層',
  '屮' => '屮',
  '悔' => '悔',
  '慨' => '慨',
  '憎' => '憎',
  '懲' => '懲',
  '敏' => '敏',
  '既' => '既',
  '暑' => '暑',
  '梅' => '梅',
  '海' => '海',
  '渚' => '渚',
  '漢' => '漢',
  '煮' => '煮',
  '爫' => '爫',
  '琢' => '琢',
  '碑' => '碑',
  '社' => '社',
  '祉' => '祉',
  '祈' => '祈',
  '祐' => '祐',
  '祖' => '祖',
  '祝' => '祝',
  '禍' => '禍',
  '禎' => '禎',
  '穀' => '穀',
  '突' => '突',
  '節' => '節',
  '練' => '練',
  '縉' => '縉',
  '繁' => '繁',
  '署' => '署',
  '者' => '者',
  '臭' => '臭',
  '艹' => '艹',
  '艹' => '艹',
  '著' => '著',
  '褐' => '褐',
  '視' => '視',
  '謁' => '謁',
  '謹' => '謹',
  '賓' => '賓',
  '贈' => '贈',
  '辶' => '辶',
  '逸' => '逸',
  '難' => '難',
  '響' => '響',
  '頻' => '頻',
  '恵' => '恵',
  '𤋮' => '𤋮',
  '舘' => '舘',
  '並' => '並',
  '况' => '况',
  '全' => '全',
  '侀' => '侀',
  '充' => '充',
  '冀' => '冀',
  '勇' => '勇',
  '勺' => '勺',
  '喝' => '喝',
  '啕' => '啕',
  '喙' => '喙',
  '嗢' => '嗢',
  '塚' => '塚',
  '墳' => '墳',
  '奄' => '奄',
  '奔' => '奔',
  '婢' => '婢',
  '嬨' => '嬨',
  '廒' => '廒',
  '廙' => '廙',
  '彩' => '彩',
  '徭' => '徭',
  '惘' => '惘',
  '慎' => '慎',
  '愈' => '愈',
  '憎' => '憎',
  '慠' => '慠',
  '懲' => '懲',
  '戴' => '戴',
  '揄' => '揄',
  '搜' => '搜',
  '摒' => '摒',
  '敖' => '敖',
  '晴' => '晴',
  '朗' => '朗',
  '望' => '望',
  '杖' => '杖',
  '歹' => '歹',
  '殺' => '殺',
  '流' => '流',
  '滛' => '滛',
  '滋' => '滋',
  '漢' => '漢',
  '瀞' => '瀞',
  '煮' => '煮',
  '瞧' => '瞧',
  '爵' => '爵',
  '犯' => '犯',
  '猪' => '猪',
  '瑱' => '瑱',
  '甆' => '甆',
  '画' => '画',
  '瘝' => '瘝',
  '瘟' => '瘟',
  '益' => '益',
  '盛' => '盛',
  '直' => '直',
  '睊' => '睊',
  '着' => '着',
  '磌' => '磌',
  '窱' => '窱',
  '節' => '節',
  '类' => '类',
  '絛' => '絛',
  '練' => '練',
  '缾' => '缾',
  '者' => '者',
  '荒' => '荒',
  '華' => '華',
  '蝹' => '蝹',
  '襁' => '襁',
  '覆' => '覆',
  '視' => '視',
  '調' => '調',
  '諸' => '諸',
  '請' => '請',
  '謁' => '謁',
  '諾' => '諾',
  '諭' => '諭',
  '謹' => '謹',
  '變' => '變',
  '贈' => '贈',
  '輸' => '輸',
  '遲' => '遲',
  '醙' => '醙',
  '鉶' => '鉶',
  '陼' => '陼',
  '難' => '難',
  '靖' => '靖',
  '韛' => '韛',
  '響' => '響',
  '頋' => '頋',
  '頻' => '頻',
  '鬒' => '鬒',
  '龜' => '龜',
  '𢡊' => '𢡊',
  '𢡄' => '𢡄',
  '𣏕' => '𣏕',
  '㮝' => '㮝',
  '䀘' => '䀘',
  '䀹' => '䀹',
  '𥉉' => '𥉉',
  '𥳐' => '𥳐',
  '𧻓' => '𧻓',
  '齃' => '齃',
  '龎' => '龎',
  'ff' => 'ff',
  'fi' => 'fi',
  'fl' => 'fl',
  'ffi' => 'ffi',
  'ffl' => 'ffl',
  'ſt' => 'ſt',
  'st' => 'st',
  'ﬓ' => 'մն',
  'ﬔ' => 'մե',
  'ﬕ' => 'մի',
  'ﬖ' => 'վն',
  'ﬗ' => 'մխ',
  'ﬠ' => 'ע',
  'ﬡ' => 'א',
  'ﬢ' => 'ד',
  'ﬣ' => 'ה',
  'ﬤ' => 'כ',
  'ﬥ' => 'ל',
  'ﬦ' => 'ם',
  'ﬧ' => 'ר',
  'ﬨ' => 'ת',
  '﬩' => '+',
  'ﭏ' => 'אל',
  '﹉' => '‾',
  '﹊' => '‾',
  '﹋' => '‾',
  '﹌' => '‾',
  '﹍' => '_',
  '﹎' => '_',
  '﹏' => '_',
  '﹐' => ',',
  '﹑' => '、',
  '﹒' => '.',
  '﹔' => ';',
  '﹕' => ':',
  '﹖' => '?',
  '﹗' => '!',
  '﹘' => '—',
  '﹙' => '(',
  '﹚' => ')',
  '﹛' => '{',
  '﹜' => '}',
  '﹝' => '〔',
  '﹞' => '〕',
  '﹟' => '#',
  '﹠' => '&',
  '﹡' => '*',
  '﹢' => '+',
  '﹣' => '-',
  '﹤' => '<',
  '﹥' => '>',
  '﹦' => '=',
  '﹨' => '\\',
  '﹩' => '$',
  '﹪' => '%',
  '﹫' => '@',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  ''' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  '0' => '0',
  '1' => '1',
  '2' => '2',
  '3' => '3',
  '4' => '4',
  '5' => '5',
  '6' => '6',
  '7' => '7',
  '8' => '8',
  '9' => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '⦅' => '⦅',
  '⦆' => '⦆',
  '。' => '。',
  '「' => '「',
  '」' => '」',
  '、' => '、',
  '・' => '・',
  'ヲ' => 'ヲ',
  'ァ' => 'ァ',
  'ィ' => 'ィ',
  'ゥ' => 'ゥ',
  'ェ' => 'ェ',
  'ォ' => 'ォ',
  'ャ' => 'ャ',
  'ュ' => 'ュ',
  'ョ' => 'ョ',
  'ッ' => 'ッ',
  'ー' => 'ー',
  'ア' => 'ア',
  'イ' => 'イ',
  'ウ' => 'ウ',
  'エ' => 'エ',
  'オ' => 'オ',
  'カ' => 'カ',
  'キ' => 'キ',
  'ク' => 'ク',
  'ケ' => 'ケ',
  'コ' => 'コ',
  'サ' => 'サ',
  'シ' => 'シ',
  'ス' => 'ス',
  'セ' => 'セ',
  'ソ' => 'ソ',
  'タ' => 'タ',
  'チ' => 'チ',
  'ツ' => 'ツ',
  'テ' => 'テ',
  'ト' => 'ト',
  'ナ' => 'ナ',
  'ニ' => 'ニ',
  'ヌ' => 'ヌ',
  'ネ' => 'ネ',
  'ノ' => 'ノ',
  'ハ' => 'ハ',
  'ヒ' => 'ヒ',
  'フ' => 'フ',
  'ヘ' => 'ヘ',
  'ホ' => 'ホ',
  'マ' => 'マ',
  'ミ' => 'ミ',
  'ム' => 'ム',
  'メ' => 'メ',
  'モ' => 'モ',
  'ヤ' => 'ヤ',
  'ユ' => 'ユ',
  'ヨ' => 'ヨ',
  'ラ' => 'ラ',
  'リ' => 'リ',
  'ル' => 'ル',
  'レ' => 'レ',
  'ロ' => 'ロ',
  'ワ' => 'ワ',
  'ン' => 'ン',
  '゙' => '゙',
  '゚' => '゚',
  'ᅠ' => 'ㅤ',
  'ᄀ' => 'ㄱ',
  'ᄁ' => 'ㄲ',
  'ᆪ' => 'ㄳ',
  'ᄂ' => 'ㄴ',
  'ᆬ' => 'ㄵ',
  'ᆭ' => 'ㄶ',
  'ᄃ' => 'ㄷ',
  'ᄄ' => 'ㄸ',
  'ᄅ' => 'ㄹ',
  'ᆰ' => 'ㄺ',
  'ᆱ' => 'ㄻ',
  'ᆲ' => 'ㄼ',
  'ᆳ' => 'ㄽ',
  'ᆴ' => 'ㄾ',
  'ᆵ' => 'ㄿ',
  'ᄚ' => 'ㅀ',
  'ᄆ' => 'ㅁ',
  'ᄇ' => 'ㅂ',
  'ᄈ' => 'ㅃ',
  'ᄡ' => 'ㅄ',
  'ᄉ' => 'ㅅ',
  'ᄊ' => 'ㅆ',
  'ᄋ' => 'ㅇ',
  'ᄌ' => 'ㅈ',
  'ᄍ' => 'ㅉ',
  'ᄎ' => 'ㅊ',
  'ᄏ' => 'ㅋ',
  'ᄐ' => 'ㅌ',
  'ᄑ' => 'ㅍ',
  'ᄒ' => 'ㅎ',
  'ᅡ' => 'ㅏ',
  'ᅢ' => 'ㅐ',
  'ᅣ' => 'ㅑ',
  'ᅤ' => 'ㅒ',
  'ᅥ' => 'ㅓ',
  'ᅦ' => 'ㅔ',
  'ᅧ' => 'ㅕ',
  'ᅨ' => 'ㅖ',
  'ᅩ' => 'ㅗ',
  'ᅪ' => 'ㅘ',
  'ᅫ' => 'ㅙ',
  'ᅬ' => 'ㅚ',
  'ᅭ' => 'ㅛ',
  'ᅮ' => 'ㅜ',
  'ᅯ' => 'ㅝ',
  'ᅰ' => 'ㅞ',
  'ᅱ' => 'ㅟ',
  'ᅲ' => 'ㅠ',
  'ᅳ' => 'ㅡ',
  'ᅴ' => 'ㅢ',
  'ᅵ' => 'ㅣ',
  '¢' => '¢',
  '£' => '£',
  '¬' => '¬',
  ' ̄' => '¯',
  '¦' => '¦',
  '¥' => '¥',
  '₩' => '₩',
  '│' => '│',
  '←' => '←',
  '↑' => '↑',
  '→' => '→',
  '↓' => '↓',
  '■' => '■',
  '○' => '○',
  '𝐀' => 'A',
  '𝐁' => 'B',
  '𝐂' => 'C',
  '𝐃' => 'D',
  '𝐄' => 'E',
  '𝐅' => 'F',
  '𝐆' => 'G',
  '𝐇' => 'H',
  '𝐈' => 'I',
  '𝐉' => 'J',
  '𝐊' => 'K',
  '𝐋' => 'L',
  '𝐌' => 'M',
  '𝐍' => 'N',
  '𝐎' => 'O',
  '𝐏' => 'P',
  '𝐐' => 'Q',
  '𝐑' => 'R',
  '𝐒' => 'S',
  '𝐓' => 'T',
  '𝐔' => 'U',
  '𝐕' => 'V',
  '𝐖' => 'W',
  '𝐗' => 'X',
  '𝐘' => 'Y',
  '𝐙' => 'Z',
  '𝐚' => 'a',
  '𝐛' => 'b',
  '𝐜' => 'c',
  '𝐝' => 'd',
  '𝐞' => 'e',
  '𝐟' => 'f',
  '𝐠' => 'g',
  '𝐡' => 'h',
  '𝐢' => 'i',
  '𝐣' => 'j',
  '𝐤' => 'k',
  '𝐥' => 'l',
  '𝐦' => 'm',
  '𝐧' => 'n',
  '𝐨' => 'o',
  '𝐩' => 'p',
  '𝐪' => 'q',
  '𝐫' => 'r',
  '𝐬' => 's',
  '𝐭' => 't',
  '𝐮' => 'u',
  '𝐯' => 'v',
  '𝐰' => 'w',
  '𝐱' => 'x',
  '𝐲' => 'y',
  '𝐳' => 'z',
  '𝐴' => 'A',
  '𝐵' => 'B',
  '𝐶' => 'C',
  '𝐷' => 'D',
  '𝐸' => 'E',
  '𝐹' => 'F',
  '𝐺' => 'G',
  '𝐻' => 'H',
  '𝐼' => 'I',
  '𝐽' => 'J',
  '𝐾' => 'K',
  '𝐿' => 'L',
  '𝑀' => 'M',
  '𝑁' => 'N',
  '𝑂' => 'O',
  '𝑃' => 'P',
  '𝑄' => 'Q',
  '𝑅' => 'R',
  '𝑆' => 'S',
  '𝑇' => 'T',
  '𝑈' => 'U',
  '𝑉' => 'V',
  '𝑊' => 'W',
  '𝑋' => 'X',
  '𝑌' => 'Y',
  '𝑍' => 'Z',
  '𝑎' => 'a',
  '𝑏' => 'b',
  '𝑐' => 'c',
  '𝑑' => 'd',
  '𝑒' => 'e',
  '𝑓' => 'f',
  '𝑔' => 'g',
  '𝑖' => 'i',
  '𝑗' => 'j',
  '𝑘' => 'k',
  '𝑙' => 'l',
  '𝑚' => 'm',
  '𝑛' => 'n',
  '𝑜' => 'o',
  '𝑝' => 'p',
  '𝑞' => 'q',
  '𝑟' => 'r',
  '𝑠' => 's',
  '𝑡' => 't',
  '𝑢' => 'u',
  '𝑣' => 'v',
  '𝑤' => 'w',
  '𝑥' => 'x',
  '𝑦' => 'y',
  '𝑧' => 'z',
  '𝑨' => 'A',
  '𝑩' => 'B',
  '𝑪' => 'C',
  '𝑫' => 'D',
  '𝑬' => 'E',
  '𝑭' => 'F',
  '𝑮' => 'G',
  '𝑯' => 'H',
  '𝑰' => 'I',
  '𝑱' => 'J',
  '𝑲' => 'K',
  '𝑳' => 'L',
  '𝑴' => 'M',
  '𝑵' => 'N',
  '𝑶' => 'O',
  '𝑷' => 'P',
  '𝑸' => 'Q',
  '𝑹' => 'R',
  '𝑺' => 'S',
  '𝑻' => 'T',
  '𝑼' => 'U',
  '𝑽' => 'V',
  '𝑾' => 'W',
  '𝑿' => 'X',
  '𝒀' => 'Y',
  '𝒁' => 'Z',
  '𝒂' => 'a',
  '𝒃' => 'b',
  '𝒄' => 'c',
  '𝒅' => 'd',
  '𝒆' => 'e',
  '𝒇' => 'f',
  '𝒈' => 'g',
  '𝒉' => 'h',
  '𝒊' => 'i',
  '𝒋' => 'j',
  '𝒌' => 'k',
  '𝒍' => 'l',
  '𝒎' => 'm',
  '𝒏' => 'n',
  '𝒐' => 'o',
  '𝒑' => 'p',
  '𝒒' => 'q',
  '𝒓' => 'r',
  '𝒔' => 's',
  '𝒕' => 't',
  '𝒖' => 'u',
  '𝒗' => 'v',
  '𝒘' => 'w',
  '𝒙' => 'x',
  '𝒚' => 'y',
  '𝒛' => 'z',
  '𝒜' => 'A',
  '𝒞' => 'C',
  '𝒟' => 'D',
  '𝒢' => 'G',
  '𝒥' => 'J',
  '𝒦' => 'K',
  '𝒩' => 'N',
  '𝒪' => 'O',
  '𝒫' => 'P',
  '𝒬' => 'Q',
  '𝒮' => 'S',
  '𝒯' => 'T',
  '𝒰' => 'U',
  '𝒱' => 'V',
  '𝒲' => 'W',
  '𝒳' => 'X',
  '𝒴' => 'Y',
  '𝒵' => 'Z',
  '𝒶' => 'a',
  '𝒷' => 'b',
  '𝒸' => 'c',
  '𝒹' => 'd',
  '𝒻' => 'f',
  '𝒽' => 'h',
  '𝒾' => 'i',
  '𝒿' => 'j',
  '𝓀' => 'k',
  '𝓁' => 'l',
  '𝓂' => 'm',
  '𝓃' => 'n',
  '𝓅' => 'p',
  '𝓆' => 'q',
  '𝓇' => 'r',
  '𝓈' => 's',
  '𝓉' => 't',
  '𝓊' => 'u',
  '𝓋' => 'v',
  '𝓌' => 'w',
  '𝓍' => 'x',
  '𝓎' => 'y',
  '𝓏' => 'z',
  '𝓐' => 'A',
  '𝓑' => 'B',
  '𝓒' => 'C',
  '𝓓' => 'D',
  '𝓔' => 'E',
  '𝓕' => 'F',
  '𝓖' => 'G',
  '𝓗' => 'H',
  '𝓘' => 'I',
  '𝓙' => 'J',
  '𝓚' => 'K',
  '𝓛' => 'L',
  '𝓜' => 'M',
  '𝓝' => 'N',
  '𝓞' => 'O',
  '𝓟' => 'P',
  '𝓠' => 'Q',
  '𝓡' => 'R',
  '𝓢' => 'S',
  '𝓣' => 'T',
  '𝓤' => 'U',
  '𝓥' => 'V',
  '𝓦' => 'W',
  '𝓧' => 'X',
  '𝓨' => 'Y',
  '𝓩' => 'Z',
  '𝓪' => 'a',
  '𝓫' => 'b',
  '𝓬' => 'c',
  '𝓭' => 'd',
  '𝓮' => 'e',
  '𝓯' => 'f',
  '𝓰' => 'g',
  '𝓱' => 'h',
  '𝓲' => 'i',
  '𝓳' => 'j',
  '𝓴' => 'k',
  '𝓵' => 'l',
  '𝓶' => 'm',
  '𝓷' => 'n',
  '𝓸' => 'o',
  '𝓹' => 'p',
  '𝓺' => 'q',
  '𝓻' => 'r',
  '𝓼' => 's',
  '𝓽' => 't',
  '𝓾' => 'u',
  '𝓿' => 'v',
  '𝔀' => 'w',
  '𝔁' => 'x',
  '𝔂' => 'y',
  '𝔃' => 'z',
  '𝔄' => 'A',
  '𝔅' => 'B',
  '𝔇' => 'D',
  '𝔈' => 'E',
  '𝔉' => 'F',
  '𝔊' => 'G',
  '𝔍' => 'J',
  '𝔎' => 'K',
  '𝔏' => 'L',
  '𝔐' => 'M',
  '𝔑' => 'N',
  '𝔒' => 'O',
  '𝔓' => 'P',
  '𝔔' => 'Q',
  '𝔖' => 'S',
  '𝔗' => 'T',
  '𝔘' => 'U',
  '𝔙' => 'V',
  '𝔚' => 'W',
  '𝔛' => 'X',
  '𝔜' => 'Y',
  '𝔞' => 'a',
  '𝔟' => 'b',
  '𝔠' => 'c',
  '𝔡' => 'd',
  '𝔢' => 'e',
  '𝔣' => 'f',
  '𝔤' => 'g',
  '𝔥' => 'h',
  '𝔦' => 'i',
  '𝔧' => 'j',
  '𝔨' => 'k',
  '𝔩' => 'l',
  '𝔪' => 'm',
  '𝔫' => 'n',
  '𝔬' => 'o',
  '𝔭' => 'p',
  '𝔮' => 'q',
  '𝔯' => 'r',
  '𝔰' => 's',
  '𝔱' => 't',
  '𝔲' => 'u',
  '𝔳' => 'v',
  '𝔴' => 'w',
  '𝔵' => 'x',
  '𝔶' => 'y',
  '𝔷' => 'z',
  '𝔸' => 'A',
  '𝔹' => 'B',
  '𝔻' => 'D',
  '𝔼' => 'E',
  '𝔽' => 'F',
  '𝔾' => 'G',
  '𝕀' => 'I',
  '𝕁' => 'J',
  '𝕂' => 'K',
  '𝕃' => 'L',
  '𝕄' => 'M',
  '𝕆' => 'O',
  '𝕊' => 'S',
  '𝕋' => 'T',
  '𝕌' => 'U',
  '𝕍' => 'V',
  '𝕎' => 'W',
  '𝕏' => 'X',
  '𝕐' => 'Y',
  '𝕒' => 'a',
  '𝕓' => 'b',
  '𝕔' => 'c',
  '𝕕' => 'd',
  '𝕖' => 'e',
  '𝕗' => 'f',
  '𝕘' => 'g',
  '𝕙' => 'h',
  '𝕚' => 'i',
  '𝕛' => 'j',
  '𝕜' => 'k',
  '𝕝' => 'l',
  '𝕞' => 'm',
  '𝕟' => 'n',
  '𝕠' => 'o',
  '𝕡' => 'p',
  '𝕢' => 'q',
  '𝕣' => 'r',
  '𝕤' => 's',
  '𝕥' => 't',
  '𝕦' => 'u',
  '𝕧' => 'v',
  '𝕨' => 'w',
  '𝕩' => 'x',
  '𝕪' => 'y',
  '𝕫' => 'z',
  '𝕬' => 'A',
  '𝕭' => 'B',
  '𝕮' => 'C',
  '𝕯' => 'D',
  '𝕰' => 'E',
  '𝕱' => 'F',
  '𝕲' => 'G',
  '𝕳' => 'H',
  '𝕴' => 'I',
  '𝕵' => 'J',
  '𝕶' => 'K',
  '𝕷' => 'L',
  '𝕸' => 'M',
  '𝕹' => 'N',
  '𝕺' => 'O',
  '𝕻' => 'P',
  '𝕼' => 'Q',
  '𝕽' => 'R',
  '𝕾' => 'S',
  '𝕿' => 'T',
  '𝖀' => 'U',
  '𝖁' => 'V',
  '𝖂' => 'W',
  '𝖃' => 'X',
  '𝖄' => 'Y',
  '𝖅' => 'Z',
  '𝖆' => 'a',
  '𝖇' => 'b',
  '𝖈' => 'c',
  '𝖉' => 'd',
  '𝖊' => 'e',
  '𝖋' => 'f',
  '𝖌' => 'g',
  '𝖍' => 'h',
  '𝖎' => 'i',
  '𝖏' => 'j',
  '𝖐' => 'k',
  '𝖑' => 'l',
  '𝖒' => 'm',
  '𝖓' => 'n',
  '𝖔' => 'o',
  '𝖕' => 'p',
  '𝖖' => 'q',
  '𝖗' => 'r',
  '𝖘' => 's',
  '𝖙' => 't',
  '𝖚' => 'u',
  '𝖛' => 'v',
  '𝖜' => 'w',
  '𝖝' => 'x',
  '𝖞' => 'y',
  '𝖟' => 'z',
  '𝖠' => 'A',
  '𝖡' => 'B',
  '𝖢' => 'C',
  '𝖣' => 'D',
  '𝖤' => 'E',
  '𝖥' => 'F',
  '𝖦' => 'G',
  '𝖧' => 'H',
  '𝖨' => 'I',
  '𝖩' => 'J',
  '𝖪' => 'K',
  '𝖫' => 'L',
  '𝖬' => 'M',
  '𝖭' => 'N',
  '𝖮' => 'O',
  '𝖯' => 'P',
  '𝖰' => 'Q',
  '𝖱' => 'R',
  '𝖲' => 'S',
  '𝖳' => 'T',
  '𝖴' => 'U',
  '𝖵' => 'V',
  '𝖶' => 'W',
  '𝖷' => 'X',
  '𝖸' => 'Y',
  '𝖹' => 'Z',
  '𝖺' => 'a',
  '𝖻' => 'b',
  '𝖼' => 'c',
  '𝖽' => 'd',
  '𝖾' => 'e',
  '𝖿' => 'f',
  '𝗀' => 'g',
  '𝗁' => 'h',
  '𝗂' => 'i',
  '𝗃' => 'j',
  '𝗄' => 'k',
  '𝗅' => 'l',
  '𝗆' => 'm',
  '𝗇' => 'n',
  '𝗈' => 'o',
  '𝗉' => 'p',
  '𝗊' => 'q',
  '𝗋' => 'r',
  '𝗌' => 's',
  '𝗍' => 't',
  '𝗎' => 'u',
  '𝗏' => 'v',
  '𝗐' => 'w',
  '𝗑' => 'x',
  '𝗒' => 'y',
  '𝗓' => 'z',
  '𝗔' => 'A',
  '𝗕' => 'B',
  '𝗖' => 'C',
  '𝗗' => 'D',
  '𝗘' => 'E',
  '𝗙' => 'F',
  '𝗚' => 'G',
  '𝗛' => 'H',
  '𝗜' => 'I',
  '𝗝' => 'J',
  '𝗞' => 'K',
  '𝗟' => 'L',
  '𝗠' => 'M',
  '𝗡' => 'N',
  '𝗢' => 'O',
  '𝗣' => 'P',
  '𝗤' => 'Q',
  '𝗥' => 'R',
  '𝗦' => 'S',
  '𝗧' => 'T',
  '𝗨' => 'U',
  '𝗩' => 'V',
  '𝗪' => 'W',
  '𝗫' => 'X',
  '𝗬' => 'Y',
  '𝗭' => 'Z',
  '𝗮' => 'a',
  '𝗯' => 'b',
  '𝗰' => 'c',
  '𝗱' => 'd',
  '𝗲' => 'e',
  '𝗳' => 'f',
  '𝗴' => 'g',
  '𝗵' => 'h',
  '𝗶' => 'i',
  '𝗷' => 'j',
  '𝗸' => 'k',
  '𝗹' => 'l',
  '𝗺' => 'm',
  '𝗻' => 'n',
  '𝗼' => 'o',
  '𝗽' => 'p',
  '𝗾' => 'q',
  '𝗿' => 'r',
  '𝘀' => 's',
  '𝘁' => 't',
  '𝘂' => 'u',
  '𝘃' => 'v',
  '𝘄' => 'w',
  '𝘅' => 'x',
  '𝘆' => 'y',
  '𝘇' => 'z',
  '𝘈' => 'A',
  '𝘉' => 'B',
  '𝘊' => 'C',
  '𝘋' => 'D',
  '𝘌' => 'E',
  '𝘍' => 'F',
  '𝘎' => 'G',
  '𝘏' => 'H',
  '𝘐' => 'I',
  '𝘑' => 'J',
  '𝘒' => 'K',
  '𝘓' => 'L',
  '𝘔' => 'M',
  '𝘕' => 'N',
  '𝘖' => 'O',
  '𝘗' => 'P',
  '𝘘' => 'Q',
  '𝘙' => 'R',
  '𝘚' => 'S',
  '𝘛' => 'T',
  '𝘜' => 'U',
  '𝘝' => 'V',
  '𝘞' => 'W',
  '𝘟' => 'X',
  '𝘠' => 'Y',
  '𝘡' => 'Z',
  '𝘢' => 'a',
  '𝘣' => 'b',
  '𝘤' => 'c',
  '𝘥' => 'd',
  '𝘦' => 'e',
  '𝘧' => 'f',
  '𝘨' => 'g',
  '𝘩' => 'h',
  '𝘪' => 'i',
  '𝘫' => 'j',
  '𝘬' => 'k',
  '𝘭' => 'l',
  '𝘮' => 'm',
  '𝘯' => 'n',
  '𝘰' => 'o',
  '𝘱' => 'p',
  '𝘲' => 'q',
  '𝘳' => 'r',
  '𝘴' => 's',
  '𝘵' => 't',
  '𝘶' => 'u',
  '𝘷' => 'v',
  '𝘸' => 'w',
  '𝘹' => 'x',
  '𝘺' => 'y',
  '𝘻' => 'z',
  '𝘼' => 'A',
  '𝘽' => 'B',
  '𝘾' => 'C',
  '𝘿' => 'D',
  '𝙀' => 'E',
  '𝙁' => 'F',
  '𝙂' => 'G',
  '𝙃' => 'H',
  '𝙄' => 'I',
  '𝙅' => 'J',
  '𝙆' => 'K',
  '𝙇' => 'L',
  '𝙈' => 'M',
  '𝙉' => 'N',
  '𝙊' => 'O',
  '𝙋' => 'P',
  '𝙌' => 'Q',
  '𝙍' => 'R',
  '𝙎' => 'S',
  '𝙏' => 'T',
  '𝙐' => 'U',
  '𝙑' => 'V',
  '𝙒' => 'W',
  '𝙓' => 'X',
  '𝙔' => 'Y',
  '𝙕' => 'Z',
  '𝙖' => 'a',
  '𝙗' => 'b',
  '𝙘' => 'c',
  '𝙙' => 'd',
  '𝙚' => 'e',
  '𝙛' => 'f',
  '𝙜' => 'g',
  '𝙝' => 'h',
  '𝙞' => 'i',
  '𝙟' => 'j',
  '𝙠' => 'k',
  '𝙡' => 'l',
  '𝙢' => 'm',
  '𝙣' => 'n',
  '𝙤' => 'o',
  '𝙥' => 'p',
  '𝙦' => 'q',
  '𝙧' => 'r',
  '𝙨' => 's',
  '𝙩' => 't',
  '𝙪' => 'u',
  '𝙫' => 'v',
  '𝙬' => 'w',
  '𝙭' => 'x',
  '𝙮' => 'y',
  '𝙯' => 'z',
  '𝙰' => 'A',
  '𝙱' => 'B',
  '𝙲' => 'C',
  '𝙳' => 'D',
  '𝙴' => 'E',
  '𝙵' => 'F',
  '𝙶' => 'G',
  '𝙷' => 'H',
  '𝙸' => 'I',
  '𝙹' => 'J',
  '𝙺' => 'K',
  '𝙻' => 'L',
  '𝙼' => 'M',
  '𝙽' => 'N',
  '𝙾' => 'O',
  '𝙿' => 'P',
  '𝚀' => 'Q',
  '𝚁' => 'R',
  '𝚂' => 'S',
  '𝚃' => 'T',
  '𝚄' => 'U',
  '𝚅' => 'V',
  '𝚆' => 'W',
  '𝚇' => 'X',
  '𝚈' => 'Y',
  '𝚉' => 'Z',
  '𝚊' => 'a',
  '𝚋' => 'b',
  '𝚌' => 'c',
  '𝚍' => 'd',
  '𝚎' => 'e',
  '𝚏' => 'f',
  '𝚐' => 'g',
  '𝚑' => 'h',
  '𝚒' => 'i',
  '𝚓' => 'j',
  '𝚔' => 'k',
  '𝚕' => 'l',
  '𝚖' => 'm',
  '𝚗' => 'n',
  '𝚘' => 'o',
  '𝚙' => 'p',
  '𝚚' => 'q',
  '𝚛' => 'r',
  '𝚜' => 's',
  '𝚝' => 't',
  '𝚞' => 'u',
  '𝚟' => 'v',
  '𝚠' => 'w',
  '𝚡' => 'x',
  '𝚢' => 'y',
  '𝚣' => 'z',
  '𝚤' => 'ı',
  '𝚥' => 'ȷ',
  '𝚨' => 'Α',
  '𝚩' => 'Β',
  '𝚪' => 'Γ',
  '𝚫' => 'Δ',
  '𝚬' => 'Ε',
  '𝚭' => 'Ζ',
  '𝚮' => 'Η',
  '𝚯' => 'Θ',
  '𝚰' => 'Ι',
  '𝚱' => 'Κ',
  '𝚲' => 'Λ',
  '𝚳' => 'Μ',
  '𝚴' => 'Ν',
  '𝚵' => 'Ξ',
  '𝚶' => 'Ο',
  '𝚷' => 'Π',
  '𝚸' => 'Ρ',
  '𝚹' => 'ϴ',
  '𝚺' => 'Σ',
  '𝚻' => 'Τ',
  '𝚼' => 'Υ',
  '𝚽' => 'Φ',
  '𝚾' => 'Χ',
  '𝚿' => 'Ψ',
  '𝛀' => 'Ω',
  '𝛁' => '∇',
  '𝛂' => 'α',
  '𝛃' => 'β',
  '𝛄' => 'γ',
  '𝛅' => 'δ',
  '𝛆' => 'ε',
  '𝛇' => 'ζ',
  '𝛈' => 'η',
  '𝛉' => 'θ',
  '𝛊' => 'ι',
  '𝛋' => 'κ',
  '𝛌' => 'λ',
  '𝛍' => 'μ',
  '𝛎' => 'ν',
  '𝛏' => 'ξ',
  '𝛐' => 'ο',
  '𝛑' => 'π',
  '𝛒' => 'ρ',
  '𝛓' => 'ς',
  '𝛔' => 'σ',
  '𝛕' => 'τ',
  '𝛖' => 'υ',
  '𝛗' => 'φ',
  '𝛘' => 'χ',
  '𝛙' => 'ψ',
  '𝛚' => 'ω',
  '𝛛' => '∂',
  '𝛜' => 'ϵ',
  '𝛝' => 'ϑ',
  '𝛞' => 'ϰ',
  '𝛟' => 'ϕ',
  '𝛠' => 'ϱ',
  '𝛡' => 'ϖ',
  '𝛢' => 'Α',
  '𝛣' => 'Β',
  '𝛤' => 'Γ',
  '𝛥' => 'Δ',
  '𝛦' => 'Ε',
  '𝛧' => 'Ζ',
  '𝛨' => 'Η',
  '𝛩' => 'Θ',
  '𝛪' => 'Ι',
  '𝛫' => 'Κ',
  '𝛬' => 'Λ',
  '𝛭' => 'Μ',
  '𝛮' => 'Ν',
  '𝛯' => 'Ξ',
  '𝛰' => 'Ο',
  '𝛱' => 'Π',
  '𝛲' => 'Ρ',
  '𝛳' => 'ϴ',
  '𝛴' => 'Σ',
  '𝛵' => 'Τ',
  '𝛶' => 'Υ',
  '𝛷' => 'Φ',
  '𝛸' => 'Χ',
  '𝛹' => 'Ψ',
  '𝛺' => 'Ω',
  '𝛻' => '∇',
  '𝛼' => 'α',
  '𝛽' => 'β',
  '𝛾' => 'γ',
  '𝛿' => 'δ',
  '𝜀' => 'ε',
  '𝜁' => 'ζ',
  '𝜂' => 'η',
  '𝜃' => 'θ',
  '𝜄' => 'ι',
  '𝜅' => 'κ',
  '𝜆' => 'λ',
  '𝜇' => 'μ',
  '𝜈' => 'ν',
  '𝜉' => 'ξ',
  '𝜊' => 'ο',
  '𝜋' => 'π',
  '𝜌' => 'ρ',
  '𝜍' => 'ς',
  '𝜎' => 'σ',
  '𝜏' => 'τ',
  '𝜐' => 'υ',
  '𝜑' => 'φ',
  '𝜒' => 'χ',
  '𝜓' => 'ψ',
  '𝜔' => 'ω',
  '𝜕' => '∂',
  '𝜖' => 'ϵ',
  '𝜗' => 'ϑ',
  '𝜘' => 'ϰ',
  '𝜙' => 'ϕ',
  '𝜚' => 'ϱ',
  '𝜛' => 'ϖ',
  '𝜜' => 'Α',
  '𝜝' => 'Β',
  '𝜞' => 'Γ',
  '𝜟' => 'Δ',
  '𝜠' => 'Ε',
  '𝜡' => 'Ζ',
  '𝜢' => 'Η',
  '𝜣' => 'Θ',
  '𝜤' => 'Ι',
  '𝜥' => 'Κ',
  '𝜦' => 'Λ',
  '𝜧' => 'Μ',
  '𝜨' => 'Ν',
  '𝜩' => 'Ξ',
  '𝜪' => 'Ο',
  '𝜫' => 'Π',
  '𝜬' => 'Ρ',
  '𝜭' => 'ϴ',
  '𝜮' => 'Σ',
  '𝜯' => 'Τ',
  '𝜰' => 'Υ',
  '𝜱' => 'Φ',
  '𝜲' => 'Χ',
  '𝜳' => 'Ψ',
  '𝜴' => 'Ω',
  '𝜵' => '∇',
  '𝜶' => 'α',
  '𝜷' => 'β',
  '𝜸' => 'γ',
  '𝜹' => 'δ',
  '𝜺' => 'ε',
  '𝜻' => 'ζ',
  '𝜼' => 'η',
  '𝜽' => 'θ',
  '𝜾' => 'ι',
  '𝜿' => 'κ',
  '𝝀' => 'λ',
  '𝝁' => 'μ',
  '𝝂' => 'ν',
  '𝝃' => 'ξ',
  '𝝄' => 'ο',
  '𝝅' => 'π',
  '𝝆' => 'ρ',
  '𝝇' => 'ς',
  '𝝈' => 'σ',
  '𝝉' => 'τ',
  '𝝊' => 'υ',
  '𝝋' => 'φ',
  '𝝌' => 'χ',
  '𝝍' => 'ψ',
  '𝝎' => 'ω',
  '𝝏' => '∂',
  '𝝐' => 'ϵ',
  '𝝑' => 'ϑ',
  '𝝒' => 'ϰ',
  '𝝓' => 'ϕ',
  '𝝔' => 'ϱ',
  '𝝕' => 'ϖ',
  '𝝖' => 'Α',
  '𝝗' => 'Β',
  '𝝘' => 'Γ',
  '𝝙' => 'Δ',
  '𝝚' => 'Ε',
  '𝝛' => 'Ζ',
  '𝝜' => 'Η',
  '𝝝' => 'Θ',
  '𝝞' => 'Ι',
  '𝝟' => 'Κ',
  '𝝠' => 'Λ',
  '𝝡' => 'Μ',
  '𝝢' => 'Ν',
  '𝝣' => 'Ξ',
  '𝝤' => 'Ο',
  '𝝥' => 'Π',
  '𝝦' => 'Ρ',
  '𝝧' => 'ϴ',
  '𝝨' => 'Σ',
  '𝝩' => 'Τ',
  '𝝪' => 'Υ',
  '𝝫' => 'Φ',
  '𝝬' => 'Χ',
  '𝝭' => 'Ψ',
  '𝝮' => 'Ω',
  '𝝯' => '∇',
  '𝝰' => 'α',
  '𝝱' => 'β',
  '𝝲' => 'γ',
  '𝝳' => 'δ',
  '𝝴' => 'ε',
  '𝝵' => 'ζ',
  '𝝶' => 'η',
  '𝝷' => 'θ',
  '𝝸' => 'ι',
  '𝝹' => 'κ',
  '𝝺' => 'λ',
  '𝝻' => 'μ',
  '𝝼' => 'ν',
  '𝝽' => 'ξ',
  '𝝾' => 'ο',
  '𝝿' => 'π',
  '𝞀' => 'ρ',
  '𝞁' => 'ς',
  '𝞂' => 'σ',
  '𝞃' => 'τ',
  '𝞄' => 'υ',
  '𝞅' => 'φ',
  '𝞆' => 'χ',
  '𝞇' => 'ψ',
  '𝞈' => 'ω',
  '𝞉' => '∂',
  '𝞊' => 'ϵ',
  '𝞋' => 'ϑ',
  '𝞌' => 'ϰ',
  '𝞍' => 'ϕ',
  '𝞎' => 'ϱ',
  '𝞏' => 'ϖ',
  '𝞐' => 'Α',
  '𝞑' => 'Β',
  '𝞒' => 'Γ',
  '𝞓' => 'Δ',
  '𝞔' => 'Ε',
  '𝞕' => 'Ζ',
  '𝞖' => 'Η',
  '𝞗' => 'Θ',
  '𝞘' => 'Ι',
  '𝞙' => 'Κ',
  '𝞚' => 'Λ',
  '𝞛' => 'Μ',
  '𝞜' => 'Ν',
  '𝞝' => 'Ξ',
  '𝞞' => 'Ο',
  '𝞟' => 'Π',
  '𝞠' => 'Ρ',
  '𝞡' => 'ϴ',
  '𝞢' => 'Σ',
  '𝞣' => 'Τ',
  '𝞤' => 'Υ',
  '𝞥' => 'Φ',
  '𝞦' => 'Χ',
  '𝞧' => 'Ψ',
  '𝞨' => 'Ω',
  '𝞩' => '∇',
  '𝞪' => 'α',
  '𝞫' => 'β',
  '𝞬' => 'γ',
  '𝞭' => 'δ',
  '𝞮' => 'ε',
  '𝞯' => 'ζ',
  '𝞰' => 'η',
  '𝞱' => 'θ',
  '𝞲' => 'ι',
  '𝞳' => 'κ',
  '𝞴' => 'λ',
  '𝞵' => 'μ',
  '𝞶' => 'ν',
  '𝞷' => 'ξ',
  '𝞸' => 'ο',
  '𝞹' => 'π',
  '𝞺' => 'ρ',
  '𝞻' => 'ς',
  '𝞼' => 'σ',
  '𝞽' => 'τ',
  '𝞾' => 'υ',
  '𝞿' => 'φ',
  '𝟀' => 'χ',
  '𝟁' => 'ψ',
  '𝟂' => 'ω',
  '𝟃' => '∂',
  '𝟄' => 'ϵ',
  '𝟅' => 'ϑ',
  '𝟆' => 'ϰ',
  '𝟇' => 'ϕ',
  '𝟈' => 'ϱ',
  '𝟉' => 'ϖ',
  '𝟊' => 'Ϝ',
  '𝟋' => 'ϝ',
  '𝟎' => '0',
  '𝟏' => '1',
  '𝟐' => '2',
  '𝟑' => '3',
  '𝟒' => '4',
  '𝟓' => '5',
  '𝟔' => '6',
  '𝟕' => '7',
  '𝟖' => '8',
  '𝟗' => '9',
  '𝟘' => '0',
  '𝟙' => '1',
  '𝟚' => '2',
  '𝟛' => '3',
  '𝟜' => '4',
  '𝟝' => '5',
  '𝟞' => '6',
  '𝟟' => '7',
  '𝟠' => '8',
  '𝟡' => '9',
  '𝟢' => '0',
  '𝟣' => '1',
  '𝟤' => '2',
  '𝟥' => '3',
  '𝟦' => '4',
  '𝟧' => '5',
  '𝟨' => '6',
  '𝟩' => '7',
  '𝟪' => '8',
  '𝟫' => '9',
  '𝟬' => '0',
  '𝟭' => '1',
  '𝟮' => '2',
  '𝟯' => '3',
  '𝟰' => '4',
  '𝟱' => '5',
  '𝟲' => '6',
  '𝟳' => '7',
  '𝟴' => '8',
  '𝟵' => '9',
  '𝟶' => '0',
  '𝟷' => '1',
  '𝟸' => '2',
  '𝟹' => '3',
  '𝟺' => '4',
  '𝟻' => '5',
  '𝟼' => '6',
  '𝟽' => '7',
  '𝟾' => '8',
  '𝟿' => '9',
  '𞸀' => 'ا',
  '𞸁' => 'ب',
  '𞸂' => 'ج',
  '𞸃' => 'د',
  '𞸅' => 'و',
  '𞸆' => 'ز',
  '𞸇' => 'ح',
  '𞸈' => 'ط',
  '𞸉' => 'ي',
  '𞸊' => 'ك',
  '𞸋' => 'ل',
  '𞸌' => 'م',
  '𞸍' => 'ن',
  '𞸎' => 'س',
  '𞸏' => 'ع',
  '𞸐' => 'ف',
  '𞸑' => 'ص',
  '𞸒' => 'ق',
  '𞸓' => 'ر',
  '𞸔' => 'ش',
  '𞸕' => 'ت',
  '𞸖' => 'ث',
  '𞸗' => 'خ',
  '𞸘' => 'ذ',
  '𞸙' => 'ض',
  '𞸚' => 'ظ',
  '𞸛' => 'غ',
  '𞸜' => 'ٮ',
  '𞸝' => 'ں',
  '𞸞' => 'ڡ',
  '𞸟' => 'ٯ',
  '𞸡' => 'ب',
  '𞸢' => 'ج',
  '𞸤' => 'ه',
  '𞸧' => 'ح',
  '𞸩' => 'ي',
  '𞸪' => 'ك',
  '𞸫' => 'ل',
  '𞸬' => 'م',
  '𞸭' => 'ن',
  '𞸮' => 'س',
  '𞸯' => 'ع',
  '𞸰' => 'ف',
  '𞸱' => 'ص',
  '𞸲' => 'ق',
  '𞸴' => 'ش',
  '𞸵' => 'ت',
  '𞸶' => 'ث',
  '𞸷' => 'خ',
  '𞸹' => 'ض',
  '𞸻' => 'غ',
  '𞹂' => 'ج',
  '𞹇' => 'ح',
  '𞹉' => 'ي',
  '𞹋' => 'ل',
  '𞹍' => 'ن',
  '𞹎' => 'س',
  '𞹏' => 'ع',
  '𞹑' => 'ص',
  '𞹒' => 'ق',
  '𞹔' => 'ش',
  '𞹗' => 'خ',
  '𞹙' => 'ض',
  '𞹛' => 'غ',
  '𞹝' => 'ں',
  '𞹟' => 'ٯ',
  '𞹡' => 'ب',
  '𞹢' => 'ج',
  '𞹤' => 'ه',
  '𞹧' => 'ح',
  '𞹨' => 'ط',
  '𞹩' => 'ي',
  '𞹪' => 'ك',
  '𞹬' => 'م',
  '𞹭' => 'ن',
  '𞹮' => 'س',
  '𞹯' => 'ع',
  '𞹰' => 'ف',
  '𞹱' => 'ص',
  '𞹲' => 'ق',
  '𞹴' => 'ش',
  '𞹵' => 'ت',
  '𞹶' => 'ث',
  '𞹷' => 'خ',
  '𞹹' => 'ض',
  '𞹺' => 'ظ',
  '𞹻' => 'غ',
  '𞹼' => 'ٮ',
  '𞹾' => 'ڡ',
  '𞺀' => 'ا',
  '𞺁' => 'ب',
  '𞺂' => 'ج',
  '𞺃' => 'د',
  '𞺄' => 'ه',
  '𞺅' => 'و',
  '𞺆' => 'ز',
  '𞺇' => 'ح',
  '𞺈' => 'ط',
  '𞺉' => 'ي',
  '𞺋' => 'ل',
  '𞺌' => 'م',
  '𞺍' => 'ن',
  '𞺎' => 'س',
  '𞺏' => 'ع',
  '𞺐' => 'ف',
  '𞺑' => 'ص',
  '𞺒' => 'ق',
  '𞺓' => 'ر',
  '𞺔' => 'ش',
  '𞺕' => 'ت',
  '𞺖' => 'ث',
  '𞺗' => 'خ',
  '𞺘' => 'ذ',
  '𞺙' => 'ض',
  '𞺚' => 'ظ',
  '𞺛' => 'غ',
  '𞺡' => 'ب',
  '𞺢' => 'ج',
  '𞺣' => 'د',
  '𞺥' => 'و',
  '𞺦' => 'ز',
  '𞺧' => 'ح',
  '𞺨' => 'ط',
  '𞺩' => 'ي',
  '𞺫' => 'ل',
  '𞺬' => 'م',
  '𞺭' => 'ن',
  '𞺮' => 'س',
  '𞺯' => 'ع',
  '𞺰' => 'ف',
  '𞺱' => 'ص',
  '𞺲' => 'ق',
  '𞺳' => 'ر',
  '𞺴' => 'ش',
  '𞺵' => 'ت',
  '𞺶' => 'ث',
  '𞺷' => 'خ',
  '𞺸' => 'ذ',
  '𞺹' => 'ض',
  '𞺺' => 'ظ',
  '𞺻' => 'غ',
  '🄀' => '0.',
  '🄁' => '0,',
  '🄂' => '1,',
  '🄃' => '2,',
  '🄄' => '3,',
  '🄅' => '4,',
  '🄆' => '5,',
  '🄇' => '6,',
  '🄈' => '7,',
  '🄉' => '8,',
  '🄊' => '9,',
  '🄐' => '(A)',
  '🄑' => '(B)',
  '🄒' => '(C)',
  '🄓' => '(D)',
  '🄔' => '(E)',
  '🄕' => '(F)',
  '🄖' => '(G)',
  '🄗' => '(H)',
  '🄘' => '(I)',
  '🄙' => '(J)',
  '🄚' => '(K)',
  '🄛' => '(L)',
  '🄜' => '(M)',
  '🄝' => '(N)',
  '🄞' => '(O)',
  '🄟' => '(P)',
  '🄠' => '(Q)',
  '🄡' => '(R)',
  '🄢' => '(S)',
  '🄣' => '(T)',
  '🄤' => '(U)',
  '🄥' => '(V)',
  '🄦' => '(W)',
  '🄧' => '(X)',
  '🄨' => '(Y)',
  '🄩' => '(Z)',
  '🄪' => '〔S〕',
  '🄫' => '(C)',
  '🄬' => '(R)',
  '🄭' => '(CD)',
  '🄮' => '(WZ)',
  '🄰' => 'A',
  '🄱' => 'B',
  '🄲' => 'C',
  '🄳' => 'D',
  '🄴' => 'E',
  '🄵' => 'F',
  '🄶' => 'G',
  '🄷' => 'H',
  '🄸' => 'I',
  '🄹' => 'J',
  '🄺' => 'K',
  '🄻' => 'L',
  '🄼' => 'M',
  '🄽' => 'N',
  '🄾' => 'O',
  '🄿' => 'P',
  '🅀' => 'Q',
  '🅁' => 'R',
  '🅂' => 'S',
  '🅃' => 'T',
  '🅄' => 'U',
  '🅅' => 'V',
  '🅆' => 'W',
  '🅇' => 'X',
  '🅈' => 'Y',
  '🅉' => 'Z',
  '🅊' => 'HV',
  '🅋' => 'MV',
  '🅌' => 'SD',
  '🅍' => 'SS',
  '🅎' => 'PPV',
  '🅏' => 'WC',
  '🆐' => 'DJ',
  '🈀' => 'ほか',
  '🈁' => 'ココ',
  '🈂' => 'サ',
  '🈐' => '手',
  '🈑' => '字',
  '🈒' => '双',
  '🈓' => 'デ',
  '🈔' => '二',
  '🈕' => '多',
  '🈖' => '解',
  '🈗' => '天',
  '🈘' => '交',
  '🈙' => '映',
  '🈚' => '無',
  '🈛' => '料',
  '🈜' => '前',
  '🈝' => '後',
  '🈞' => '再',
  '🈟' => '新',
  '🈠' => '初',
  '🈡' => '終',
  '🈢' => '生',
  '🈣' => '販',
  '🈤' => '声',
  '🈥' => '吹',
  '🈦' => '演',
  '🈧' => '投',
  '🈨' => '捕',
  '🈩' => '一',
  '🈪' => '三',
  '🈫' => '遊',
  '🈬' => '左',
  '🈭' => '中',
  '🈮' => '右',
  '🈯' => '指',
  '🈰' => '走',
  '🈱' => '打',
  '🈲' => '禁',
  '🈳' => '空',
  '🈴' => '合',
  '🈵' => '満',
  '🈶' => '有',
  '🈷' => '月',
  '🈸' => '申',
  '🈹' => '割',
  '🈺' => '営',
  '🈻' => '配',
  '🉀' => '〔本〕',
  '🉁' => '〔三〕',
  '🉂' => '〔二〕',
  '🉃' => '〔安〕',
  '🉄' => '〔点〕',
  '🉅' => '〔打〕',
  '🉆' => '〔盗〕',
  '🉇' => '〔勝〕',
  '🉈' => '〔敗〕',
  '🉐' => '(得)',
  '🉑' => '(可)',
  '🯰' => '0',
  '🯱' => '1',
  '🯲' => '2',
  '🯳' => '3',
  '🯴' => '4',
  '🯵' => '5',
  '🯶' => '6',
  '🯷' => '7',
  '🯸' => '8',
  '🯹' => '9',
  '丽' => '丽',
  '丸' => '丸',
  '乁' => '乁',
  '𠄢' => '𠄢',
  '你' => '你',
  '侮' => '侮',
  '侻' => '侻',
  '倂' => '倂',
  '偺' => '偺',
  '備' => '備',
  '僧' => '僧',
  '像' => '像',
  '㒞' => '㒞',
  '𠘺' => '𠘺',
  '免' => '免',
  '兔' => '兔',
  '兤' => '兤',
  '具' => '具',
  '𠔜' => '𠔜',
  '㒹' => '㒹',
  '內' => '內',
  '再' => '再',
  '𠕋' => '𠕋',
  '冗' => '冗',
  '冤' => '冤',
  '仌' => '仌',
  '冬' => '冬',
  '况' => '况',
  '𩇟' => '𩇟',
  '凵' => '凵',
  '刃' => '刃',
  '㓟' => '㓟',
  '刻' => '刻',
  '剆' => '剆',
  '割' => '割',
  '剷' => '剷',
  '㔕' => '㔕',
  '勇' => '勇',
  '勉' => '勉',
  '勤' => '勤',
  '勺' => '勺',
  '包' => '包',
  '匆' => '匆',
  '北' => '北',
  '卉' => '卉',
  '卑' => '卑',
  '博' => '博',
  '即' => '即',
  '卽' => '卽',
  '卿' => '卿',
  '卿' => '卿',
  '卿' => '卿',
  '𠨬' => '𠨬',
  '灰' => '灰',
  '及' => '及',
  '叟' => '叟',
  '𠭣' => '𠭣',
  '叫' => '叫',
  '叱' => '叱',
  '吆' => '吆',
  '咞' => '咞',
  '吸' => '吸',
  '呈' => '呈',
  '周' => '周',
  '咢' => '咢',
  '哶' => '哶',
  '唐' => '唐',
  '啓' => '啓',
  '啣' => '啣',
  '善' => '善',
  '善' => '善',
  '喙' => '喙',
  '喫' => '喫',
  '喳' => '喳',
  '嗂' => '嗂',
  '圖' => '圖',
  '嘆' => '嘆',
  '圗' => '圗',
  '噑' => '噑',
  '噴' => '噴',
  '切' => '切',
  '壮' => '壮',
  '城' => '城',
  '埴' => '埴',
  '堍' => '堍',
  '型' => '型',
  '堲' => '堲',
  '報' => '報',
  '墬' => '墬',
  '𡓤' => '𡓤',
  '売' => '売',
  '壷' => '壷',
  '夆' => '夆',
  '多' => '多',
  '夢' => '夢',
  '奢' => '奢',
  '𡚨' => '𡚨',
  '𡛪' => '𡛪',
  '姬' => '姬',
  '娛' => '娛',
  '娧' => '娧',
  '姘' => '姘',
  '婦' => '婦',
  '㛮' => '㛮',
  '㛼' => '㛼',
  '嬈' => '嬈',
  '嬾' => '嬾',
  '嬾' => '嬾',
  '𡧈' => '𡧈',
  '寃' => '寃',
  '寘' => '寘',
  '寧' => '寧',
  '寳' => '寳',
  '𡬘' => '𡬘',
  '寿' => '寿',
  '将' => '将',
  '当' => '当',
  '尢' => '尢',
  '㞁' => '㞁',
  '屠' => '屠',
  '屮' => '屮',
  '峀' => '峀',
  '岍' => '岍',
  '𡷤' => '𡷤',
  '嵃' => '嵃',
  '𡷦' => '𡷦',
  '嵮' => '嵮',
  '嵫' => '嵫',
  '嵼' => '嵼',
  '巡' => '巡',
  '巢' => '巢',
  '㠯' => '㠯',
  '巽' => '巽',
  '帨' => '帨',
  '帽' => '帽',
  '幩' => '幩',
  '㡢' => '㡢',
  '𢆃' => '𢆃',
  '㡼' => '㡼',
  '庰' => '庰',
  '庳' => '庳',
  '庶' => '庶',
  '廊' => '廊',
  '𪎒' => '𪎒',
  '廾' => '廾',
  '𢌱' => '𢌱',
  '𢌱' => '𢌱',
  '舁' => '舁',
  '弢' => '弢',
  '弢' => '弢',
  '㣇' => '㣇',
  '𣊸' => '𣊸',
  '𦇚' => '𦇚',
  '形' => '形',
  '彫' => '彫',
  '㣣' => '㣣',
  '徚' => '徚',
  '忍' => '忍',
  '志' => '志',
  '忹' => '忹',
  '悁' => '悁',
  '㤺' => '㤺',
  '㤜' => '㤜',
  '悔' => '悔',
  '𢛔' => '𢛔',
  '惇' => '惇',
  '慈' => '慈',
  '慌' => '慌',
  '慎' => '慎',
  '慌' => '慌',
  '慺' => '慺',
  '憎' => '憎',
  '憲' => '憲',
  '憤' => '憤',
  '憯' => '憯',
  '懞' => '懞',
  '懲' => '懲',
  '懶' => '懶',
  '成' => '成',
  '戛' => '戛',
  '扝' => '扝',
  '抱' => '抱',
  '拔' => '拔',
  '捐' => '捐',
  '𢬌' => '𢬌',
  '挽' => '挽',
  '拼' => '拼',
  '捨' => '捨',
  '掃' => '掃',
  '揤' => '揤',
  '𢯱' => '𢯱',
  '搢' => '搢',
  '揅' => '揅',
  '掩' => '掩',
  '㨮' => '㨮',
  '摩' => '摩',
  '摾' => '摾',
  '撝' => '撝',
  '摷' => '摷',
  '㩬' => '㩬',
  '敏' => '敏',
  '敬' => '敬',
  '𣀊' => '𣀊',
  '旣' => '旣',
  '書' => '書',
  '晉' => '晉',
  '㬙' => '㬙',
  '暑' => '暑',
  '㬈' => '㬈',
  '㫤' => '㫤',
  '冒' => '冒',
  '冕' => '冕',
  '最' => '最',
  '暜' => '暜',
  '肭' => '肭',
  '䏙' => '䏙',
  '朗' => '朗',
  '望' => '望',
  '朡' => '朡',
  '杞' => '杞',
  '杓' => '杓',
  '𣏃' => '𣏃',
  '㭉' => '㭉',
  '柺' => '柺',
  '枅' => '枅',
  '桒' => '桒',
  '梅' => '梅',
  '𣑭' => '𣑭',
  '梎' => '梎',
  '栟' => '栟',
  '椔' => '椔',
  '㮝' => '㮝',
  '楂' => '楂',
  '榣' => '榣',
  '槪' => '槪',
  '檨' => '檨',
  '𣚣' => '𣚣',
  '櫛' => '櫛',
  '㰘' => '㰘',
  '次' => '次',
  '𣢧' => '𣢧',
  '歔' => '歔',
  '㱎' => '㱎',
  '歲' => '歲',
  '殟' => '殟',
  '殺' => '殺',
  '殻' => '殻',
  '𣪍' => '𣪍',
  '𡴋' => '𡴋',
  '𣫺' => '𣫺',
  '汎' => '汎',
  '𣲼' => '𣲼',
  '沿' => '沿',
  '泍' => '泍',
  '汧' => '汧',
  '洖' => '洖',
  '派' => '派',
  '海' => '海',
  '流' => '流',
  '浩' => '浩',
  '浸' => '浸',
  '涅' => '涅',
  '𣴞' => '𣴞',
  '洴' => '洴',
  '港' => '港',
  '湮' => '湮',
  '㴳' => '㴳',
  '滋' => '滋',
  '滇' => '滇',
  '𣻑' => '𣻑',
  '淹' => '淹',
  '潮' => '潮',
  '𣽞' => '𣽞',
  '𣾎' => '𣾎',
  '濆' => '濆',
  '瀹' => '瀹',
  '瀞' => '瀞',
  '瀛' => '瀛',
  '㶖' => '㶖',
  '灊' => '灊',
  '災' => '災',
  '灷' => '灷',
  '炭' => '炭',
  '𠔥' => '𠔥',
  '煅' => '煅',
  '𤉣' => '𤉣',
  '熜' => '熜',
  '𤎫' => '𤎫',
  '爨' => '爨',
  '爵' => '爵',
  '牐' => '牐',
  '𤘈' => '𤘈',
  '犀' => '犀',
  '犕' => '犕',
  '𤜵' => '𤜵',
  '𤠔' => '𤠔',
  '獺' => '獺',
  '王' => '王',
  '㺬' => '㺬',
  '玥' => '玥',
  '㺸' => '㺸',
  '㺸' => '㺸',
  '瑇' => '瑇',
  '瑜' => '瑜',
  '瑱' => '瑱',
  '璅' => '璅',
  '瓊' => '瓊',
  '㼛' => '㼛',
  '甤' => '甤',
  '𤰶' => '𤰶',
  '甾' => '甾',
  '𤲒' => '𤲒',
  '異' => '異',
  '𢆟' => '𢆟',
  '瘐' => '瘐',
  '𤾡' => '𤾡',
  '𤾸' => '𤾸',
  '𥁄' => '𥁄',
  '㿼' => '㿼',
  '䀈' => '䀈',
  '直' => '直',
  '𥃳' => '𥃳',
  '𥃲' => '𥃲',
  '𥄙' => '𥄙',
  '𥄳' => '𥄳',
  '眞' => '眞',
  '真' => '真',
  '真' => '真',
  '睊' => '睊',
  '䀹' => '䀹',
  '瞋' => '瞋',
  '䁆' => '䁆',
  '䂖' => '䂖',
  '𥐝' => '𥐝',
  '硎' => '硎',
  '碌' => '碌',
  '磌' => '磌',
  '䃣' => '䃣',
  '𥘦' => '𥘦',
  '祖' => '祖',
  '𥚚' => '𥚚',
  '𥛅' => '𥛅',
  '福' => '福',
  '秫' => '秫',
  '䄯' => '䄯',
  '穀' => '穀',
  '穊' => '穊',
  '穏' => '穏',
  '𥥼' => '𥥼',
  '𥪧' => '𥪧',
  '𥪧' => '𥪧',
  '竮' => '竮',
  '䈂' => '䈂',
  '𥮫' => '𥮫',
  '篆' => '篆',
  '築' => '築',
  '䈧' => '䈧',
  '𥲀' => '𥲀',
  '糒' => '糒',
  '䊠' => '䊠',
  '糨' => '糨',
  '糣' => '糣',
  '紀' => '紀',
  '𥾆' => '𥾆',
  '絣' => '絣',
  '䌁' => '䌁',
  '緇' => '緇',
  '縂' => '縂',
  '繅' => '繅',
  '䌴' => '䌴',
  '𦈨' => '𦈨',
  '𦉇' => '𦉇',
  '䍙' => '䍙',
  '𦋙' => '𦋙',
  '罺' => '罺',
  '𦌾' => '𦌾',
  '羕' => '羕',
  '翺' => '翺',
  '者' => '者',
  '𦓚' => '𦓚',
  '𦔣' => '𦔣',
  '聠' => '聠',
  '𦖨' => '𦖨',
  '聰' => '聰',
  '𣍟' => '𣍟',
  '䏕' => '䏕',
  '育' => '育',
  '脃' => '脃',
  '䐋' => '䐋',
  '脾' => '脾',
  '媵' => '媵',
  '𦞧' => '𦞧',
  '𦞵' => '𦞵',
  '𣎓' => '𣎓',
  '𣎜' => '𣎜',
  '舁' => '舁',
  '舄' => '舄',
  '辞' => '辞',
  '䑫' => '䑫',
  '芑' => '芑',
  '芋' => '芋',
  '芝' => '芝',
  '劳' => '劳',
  '花' => '花',
  '芳' => '芳',
  '芽' => '芽',
  '苦' => '苦',
  '𦬼' => '𦬼',
  '若' => '若',
  '茝' => '茝',
  '荣' => '荣',
  '莭' => '莭',
  '茣' => '茣',
  '莽' => '莽',
  '菧' => '菧',
  '著' => '著',
  '荓' => '荓',
  '菊' => '菊',
  '菌' => '菌',
  '菜' => '菜',
  '𦰶' => '𦰶',
  '𦵫' => '𦵫',
  '𦳕' => '𦳕',
  '䔫' => '䔫',
  '蓱' => '蓱',
  '蓳' => '蓳',
  '蔖' => '蔖',
  '𧏊' => '𧏊',
  '蕤' => '蕤',
  '𦼬' => '𦼬',
  '䕝' => '䕝',
  '䕡' => '䕡',
  '𦾱' => '𦾱',
  '𧃒' => '𧃒',
  '䕫' => '䕫',
  '虐' => '虐',
  '虜' => '虜',
  '虧' => '虧',
  '虩' => '虩',
  '蚩' => '蚩',
  '蚈' => '蚈',
  '蜎' => '蜎',
  '蛢' => '蛢',
  '蝹' => '蝹',
  '蜨' => '蜨',
  '蝫' => '蝫',
  '螆' => '螆',
  '䗗' => '䗗',
  '蟡' => '蟡',
  '蠁' => '蠁',
  '䗹' => '䗹',
  '衠' => '衠',
  '衣' => '衣',
  '𧙧' => '𧙧',
  '裗' => '裗',
  '裞' => '裞',
  '䘵' => '䘵',
  '裺' => '裺',
  '㒻' => '㒻',
  '𧢮' => '𧢮',
  '𧥦' => '𧥦',
  '䚾' => '䚾',
  '䛇' => '䛇',
  '誠' => '誠',
  '諭' => '諭',
  '變' => '變',
  '豕' => '豕',
  '𧲨' => '𧲨',
  '貫' => '貫',
  '賁' => '賁',
  '贛' => '贛',
  '起' => '起',
  '𧼯' => '𧼯',
  '𠠄' => '𠠄',
  '跋' => '跋',
  '趼' => '趼',
  '跰' => '跰',
  '𠣞' => '𠣞',
  '軔' => '軔',
  '輸' => '輸',
  '𨗒' => '𨗒',
  '𨗭' => '𨗭',
  '邔' => '邔',
  '郱' => '郱',
  '鄑' => '鄑',
  '𨜮' => '𨜮',
  '鄛' => '鄛',
  '鈸' => '鈸',
  '鋗' => '鋗',
  '鋘' => '鋘',
  '鉼' => '鉼',
  '鏹' => '鏹',
  '鐕' => '鐕',
  '𨯺' => '𨯺',
  '開' => '開',
  '䦕' => '䦕',
  '閷' => '閷',
  '𨵷' => '𨵷',
  '䧦' => '䧦',
  '雃' => '雃',
  '嶲' => '嶲',
  '霣' => '霣',
  '𩅅' => '𩅅',
  '𩈚' => '𩈚',
  '䩮' => '䩮',
  '䩶' => '䩶',
  '韠' => '韠',
  '𩐊' => '𩐊',
  '䪲' => '䪲',
  '𩒖' => '𩒖',
  '頋' => '頋',
  '頋' => '頋',
  '頩' => '頩',
  '𩖶' => '𩖶',
  '飢' => '飢',
  '䬳' => '䬳',
  '餩' => '餩',
  '馧' => '馧',
  '駂' => '駂',
  '駾' => '駾',
  '䯎' => '䯎',
  '𩬰' => '𩬰',
  '鬒' => '鬒',
  '鱀' => '鱀',
  '鳽' => '鳽',
  '䳎' => '䳎',
  '䳭' => '䳭',
  '鵧' => '鵧',
  '𪃎' => '𪃎',
  '䳸' => '䳸',
  '𪄅' => '𪄅',
  '𪈎' => '𪈎',
  '𪊑' => '𪊑',
  '麻' => '麻',
  '䵖' => '䵖',
  '黹' => '黹',
  '黾' => '黾',
  '鼅' => '鼅',
  '鼏' => '鼏',
  '鼖' => '鼖',
  '鼻' => '鼻',
  '𪘀' => '𪘀',
  'Æ' => 'AE',
  'Ð' => 'D',
  'Ø' => 'O',
  'Þ' => 'TH',
  'ß' => 'ss',
  'æ' => 'ae',
  'ð' => 'd',
  'ø' => 'o',
  'þ' => 'th',
  'Đ' => 'D',
  'đ' => 'd',
  'Ħ' => 'H',
  'ħ' => 'h',
  'ı' => 'i',
  'ĸ' => 'q',
  'Ł' => 'L',
  'ł' => 'l',
  'Ŋ' => 'N',
  'ŋ' => 'n',
  'Œ' => 'OE',
  'œ' => 'oe',
  'Ŧ' => 'T',
  'ŧ' => 't',
  'ƀ' => 'b',
  'Ɓ' => 'B',
  'Ƃ' => 'B',
  'ƃ' => 'b',
  'Ƈ' => 'C',
  'ƈ' => 'c',
  'Ɖ' => 'D',
  'Ɗ' => 'D',
  'Ƌ' => 'D',
  'ƌ' => 'd',
  'Ɛ' => 'E',
  'Ƒ' => 'F',
  'ƒ' => 'f',
  'Ɠ' => 'G',
  'ƕ' => 'hv',
  'Ɩ' => 'I',
  'Ɨ' => 'I',
  'Ƙ' => 'K',
  'ƙ' => 'k',
  'ƚ' => 'l',
  'Ɲ' => 'N',
  'ƞ' => 'n',
  'Ƣ' => 'OI',
  'ƣ' => 'oi',
  'Ƥ' => 'P',
  'ƥ' => 'p',
  'ƫ' => 't',
  'Ƭ' => 'T',
  'ƭ' => 't',
  'Ʈ' => 'T',
  'Ʋ' => 'V',
  'Ƴ' => 'Y',
  'ƴ' => 'y',
  'Ƶ' => 'Z',
  'ƶ' => 'z',
  'Ǥ' => 'G',
  'ǥ' => 'g',
  'ȡ' => 'd',
  'Ȥ' => 'Z',
  'ȥ' => 'z',
  'ȴ' => 'l',
  'ȵ' => 'n',
  'ȶ' => 't',
  'ȷ' => 'j',
  'ȸ' => 'db',
  'ȹ' => 'qp',
  'Ⱥ' => 'A',
  'Ȼ' => 'C',
  'ȼ' => 'c',
  'Ƚ' => 'L',
  'Ⱦ' => 'T',
  'ȿ' => 's',
  'ɀ' => 'z',
  'Ƀ' => 'B',
  'Ʉ' => 'U',
  'Ɇ' => 'E',
  'ɇ' => 'e',
  'Ɉ' => 'J',
  'ɉ' => 'j',
  'Ɍ' => 'R',
  'ɍ' => 'r',
  'Ɏ' => 'Y',
  'ɏ' => 'y',
  'ɓ' => 'b',
  'ɕ' => 'c',
  'ɖ' => 'd',
  'ɗ' => 'd',
  'ɛ' => 'e',
  'ɟ' => 'j',
  'ɠ' => 'g',
  'ɡ' => 'g',
  'ɢ' => 'G',
  'ɦ' => 'h',
  'ɧ' => 'h',
  'ɨ' => 'i',
  'ɪ' => 'I',
  'ɫ' => 'l',
  'ɬ' => 'l',
  'ɭ' => 'l',
  'ɱ' => 'm',
  'ɲ' => 'n',
  'ɳ' => 'n',
  'ɴ' => 'N',
  'ɶ' => 'OE',
  'ɼ' => 'r',
  'ɽ' => 'r',
  'ɾ' => 'r',
  'ʀ' => 'R',
  'ʂ' => 's',
  'ʈ' => 't',
  'ʉ' => 'u',
  'ʋ' => 'v',
  'ʏ' => 'Y',
  'ʐ' => 'z',
  'ʑ' => 'z',
  'ʙ' => 'B',
  'ʛ' => 'G',
  'ʜ' => 'H',
  'ʝ' => 'j',
  'ʟ' => 'L',
  'ʠ' => 'q',
  'ʣ' => 'dz',
  'ʥ' => 'dz',
  'ʦ' => 'ts',
  'ʪ' => 'ls',
  'ʫ' => 'lz',
  'ᴀ' => 'A',
  'ᴁ' => 'AE',
  'ᴃ' => 'B',
  'ᴄ' => 'C',
  'ᴅ' => 'D',
  'ᴆ' => 'D',
  'ᴇ' => 'E',
  'ᴊ' => 'J',
  'ᴋ' => 'K',
  'ᴌ' => 'L',
  'ᴍ' => 'M',
  'ᴏ' => 'O',
  'ᴘ' => 'P',
  'ᴛ' => 'T',
  'ᴜ' => 'U',
  'ᴠ' => 'V',
  'ᴡ' => 'W',
  'ᴢ' => 'Z',
  'ᵫ' => 'ue',
  'ᵬ' => 'b',
  'ᵭ' => 'd',
  'ᵮ' => 'f',
  'ᵯ' => 'm',
  'ᵰ' => 'n',
  'ᵱ' => 'p',
  'ᵲ' => 'r',
  'ᵳ' => 'r',
  'ᵴ' => 's',
  'ᵵ' => 't',
  'ᵶ' => 'z',
  'ᵺ' => 'th',
  'ᵻ' => 'I',
  'ᵽ' => 'p',
  'ᵾ' => 'U',
  'ᶀ' => 'b',
  'ᶁ' => 'd',
  'ᶂ' => 'f',
  'ᶃ' => 'g',
  'ᶄ' => 'k',
  'ᶅ' => 'l',
  'ᶆ' => 'm',
  'ᶇ' => 'n',
  'ᶈ' => 'p',
  'ᶉ' => 'r',
  'ᶊ' => 's',
  'ᶌ' => 'v',
  'ᶍ' => 'x',
  'ᶎ' => 'z',
  'ᶏ' => 'a',
  'ᶑ' => 'd',
  'ᶒ' => 'e',
  'ᶓ' => 'e',
  'ᶖ' => 'i',
  'ᶙ' => 'u',
  'ẜ' => 's',
  'ẝ' => 's',
  'ẞ' => 'SS',
  'Ỻ' => 'LL',
  'ỻ' => 'll',
  'Ỽ' => 'V',
  'ỽ' => 'v',
  'Ỿ' => 'Y',
  'ỿ' => 'y',
  'Ⱡ' => 'L',
  'ⱡ' => 'l',
  'Ɫ' => 'L',
  'Ᵽ' => 'P',
  'Ɽ' => 'R',
  'ⱥ' => 'a',
  'ⱦ' => 't',
  'Ⱨ' => 'H',
  'ⱨ' => 'h',
  'Ⱪ' => 'K',
  'ⱪ' => 'k',
  'Ⱬ' => 'Z',
  'ⱬ' => 'z',
  'Ɱ' => 'M',
  'ⱱ' => 'v',
  'Ⱳ' => 'W',
  'ⱳ' => 'w',
  'ⱴ' => 'v',
  'ⱸ' => 'e',
  'ⱺ' => 'o',
  'Ȿ' => 'S',
  'Ɀ' => 'Z',
  'ꜰ' => 'F',
  'ꜱ' => 'S',
  'Ꜳ' => 'AA',
  'ꜳ' => 'aa',
  'Ꜵ' => 'AO',
  'ꜵ' => 'ao',
  'Ꜷ' => 'AU',
  'ꜷ' => 'au',
  'Ꜹ' => 'AV',
  'ꜹ' => 'av',
  'Ꜻ' => 'AV',
  'ꜻ' => 'av',
  'Ꜽ' => 'AY',
  'ꜽ' => 'ay',
  'Ꝁ' => 'K',
  'ꝁ' => 'k',
  'Ꝃ' => 'K',
  'ꝃ' => 'k',
  'Ꝅ' => 'K',
  'ꝅ' => 'k',
  'Ꝇ' => 'L',
  'ꝇ' => 'l',
  'Ꝉ' => 'L',
  'ꝉ' => 'l',
  'Ꝋ' => 'O',
  'ꝋ' => 'o',
  'Ꝍ' => 'O',
  'ꝍ' => 'o',
  'Ꝏ' => 'OO',
  'ꝏ' => 'oo',
  'Ꝑ' => 'P',
  'ꝑ' => 'p',
  'Ꝓ' => 'P',
  'ꝓ' => 'p',
  'Ꝕ' => 'P',
  'ꝕ' => 'p',
  'Ꝗ' => 'Q',
  'ꝗ' => 'q',
  'Ꝙ' => 'Q',
  'ꝙ' => 'q',
  'Ꝟ' => 'V',
  'ꝟ' => 'v',
  'Ꝡ' => 'VY',
  'ꝡ' => 'vy',
  'Ꝥ' => 'TH',
  'ꝥ' => 'th',
  'Ꝧ' => 'TH',
  'ꝧ' => 'th',
  'ꝱ' => 'd',
  'ꝲ' => 'l',
  'ꝳ' => 'm',
  'ꝴ' => 'n',
  'ꝵ' => 'r',
  'ꝶ' => 'R',
  'ꝷ' => 't',
  'Ꝺ' => 'D',
  'ꝺ' => 'd',
  'Ꝼ' => 'F',
  'ꝼ' => 'f',
  'Ꞇ' => 'T',
  'ꞇ' => 't',
  'Ꞑ' => 'N',
  'ꞑ' => 'n',
  'Ꞓ' => 'C',
  'ꞓ' => 'c',
  'Ꞡ' => 'G',
  'ꞡ' => 'g',
  'Ꞣ' => 'K',
  'ꞣ' => 'k',
  'Ꞥ' => 'N',
  'ꞥ' => 'n',
  'Ꞧ' => 'R',
  'ꞧ' => 'r',
  'Ꞩ' => 'S',
  'ꞩ' => 's',
  'Ɦ' => 'H',
  '©' => '(C)',
  '®' => '(R)',
  '₠' => 'CE',
  '₢' => 'Cr',
  '₣' => 'Fr.',
  '₤' => 'L.',
  '₧' => 'Pts',
  '₺' => 'TL',
  '₹' => 'Rs',
  '℗' => '(P)',
  '℘' => 'P',
  '℞' => 'Rx',
  '〇' => '0',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  ' ' => ' ',
  'ʹ' => '\'',
  'ʺ' => '"',
  'ʻ' => '\'',
  'ʼ' => '\'',
  'ʽ' => '\'',
  'ˈ' => '\'',
  'ˋ' => '`',
  '‘' => '\'',
  '’' => '\'',
  '‚' => ',',
  '‛' => '\'',
  '“' => '"',
  '”' => '"',
  '„' => ',,',
  '‟' => '"',
  '′' => '\'',
  '〝' => '"',
  '〞' => '"',
  '«' => '<<',
  '»' => '>>',
  '‹' => '<',
  '›' => '>',
  '­' => '-',
  '‐' => '-',
  '‑' => '-',
  '‒' => '-',
  '–' => '-',
  '—' => '-',
  '―' => '-',
  '︱' => '-',
  '︲' => '-',
  '˂' => '<',
  '˃' => '>',
  '˄' => '^',
  'ˆ' => '^',
  'ː' => ':',
  '˜' => '~',
  '‖' => '||',
  '⁄' => '/',
  '⁅' => '[',
  '⁆' => ']',
  '⁎' => '*',
  '、' => ',',
  '。' => '.',
  '〈' => '<',
  '〉' => '>',
  '《' => '<<',
  '》' => '>>',
  '〔' => '[',
  '〕' => ']',
  '〘' => '[',
  '〙' => ']',
  '〚' => '[',
  '〛' => ']',
  '︐' => ',',
  '︑' => ',',
  '︒' => '.',
  '︓' => ':',
  '︔' => ';',
  '︕' => '!',
  '︖' => '?',
  '︙' => '...',
  '︰' => '..',
  '︵' => '(',
  '︶' => ')',
  '︷' => '{',
  '︸' => '}',
  '︹' => '[',
  '︺' => ']',
  '︽' => '<<',
  '︾' => '>>',
  '︿' => '<',
  '﹀' => '>',
  '﹇' => '[',
  '﹈' => ']',
  '×' => '*',
  '÷' => '/',
  '˖' => '+',
  '˗' => '-',
  '−' => '-',
  '∕' => '/',
  '∖' => '\\',
  '∣' => '|',
  '∥' => '||',
  '≪' => '<<',
  '≫' => '>>',
  '⦅' => '((',
  '⦆' => '))',
);
symfony/polyfill-iconv/Resources/charset/from.cp852.php000064400000007340151330736600017145 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ç',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'â',
  '�' => 'ä',
  '�' => 'ů',
  '�' => 'ć',
  '�' => 'ç',
  '�' => 'ł',
  '�' => 'ë',
  '�' => 'Ő',
  '�' => 'ő',
  '�' => 'î',
  '�' => 'Ź',
  '�' => 'Ä',
  '�' => 'Ć',
  '�' => 'É',
  '�' => 'Ĺ',
  '�' => 'ĺ',
  '�' => 'ô',
  '�' => 'ö',
  '�' => 'Ľ',
  '�' => 'ľ',
  '�' => 'Ś',
  '�' => 'ś',
  '�' => 'Ö',
  '�' => 'Ü',
  '�' => 'Ť',
  '�' => 'ť',
  '�' => 'Ł',
  '�' => '×',
  '�' => 'č',
  '�' => 'á',
  '�' => 'í',
  '�' => 'ó',
  '�' => 'ú',
  '�' => 'Ą',
  '�' => 'ą',
  '�' => 'Ž',
  '�' => 'ž',
  '�' => 'Ę',
  '�' => 'ę',
  '�' => '¬',
  '�' => 'ź',
  '�' => 'Č',
  '�' => 'ş',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ě',
  '�' => 'Ş',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => 'Ż',
  '�' => 'ż',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => 'Ă',
  '�' => 'ă',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '¤',
  '�' => 'đ',
  '�' => 'Đ',
  '�' => 'Ď',
  '�' => 'Ë',
  '�' => 'ď',
  '�' => 'Ň',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'ě',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => 'Ţ',
  '�' => 'Ů',
  '�' => '▀',
  '�' => 'Ó',
  '�' => 'ß',
  '�' => 'Ô',
  '�' => 'Ń',
  '�' => 'ń',
  '�' => 'ň',
  '�' => 'Š',
  '�' => 'š',
  '�' => 'Ŕ',
  '�' => 'Ú',
  '�' => 'ŕ',
  '�' => 'Ű',
  '�' => 'ý',
  '�' => 'Ý',
  '�' => 'ţ',
  '�' => '´',
  '�' => '­',
  '�' => '˝',
  '�' => '˛',
  '�' => 'ˇ',
  '�' => '˘',
  '�' => '§',
  '�' => '÷',
  '�' => '¸',
  '�' => '°',
  '�' => '¨',
  '�' => '˙',
  '�' => 'ű',
  '�' => 'Ř',
  '�' => 'ř',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp737.php000064400000007372151330736600017154 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Α',
  '�' => 'Β',
  '�' => 'Γ',
  '�' => 'Δ',
  '�' => 'Ε',
  '�' => 'Ζ',
  '�' => 'Η',
  '�' => 'Θ',
  '�' => 'Ι',
  '�' => 'Κ',
  '�' => 'Λ',
  '�' => 'Μ',
  '�' => 'Ν',
  '�' => 'Ξ',
  '�' => 'Ο',
  '�' => 'Π',
  '�' => 'Ρ',
  '�' => 'Σ',
  '�' => 'Τ',
  '�' => 'Υ',
  '�' => 'Φ',
  '�' => 'Χ',
  '�' => 'Ψ',
  '�' => 'Ω',
  '�' => 'α',
  '�' => 'β',
  '�' => 'γ',
  '�' => 'δ',
  '�' => 'ε',
  '�' => 'ζ',
  '�' => 'η',
  '�' => 'θ',
  '�' => 'ι',
  '�' => 'κ',
  '�' => 'λ',
  '�' => 'μ',
  '�' => 'ν',
  '�' => 'ξ',
  '�' => 'ο',
  '�' => 'π',
  '�' => 'ρ',
  '�' => 'σ',
  '�' => 'ς',
  '�' => 'τ',
  '�' => 'υ',
  '�' => 'φ',
  '�' => 'χ',
  '�' => 'ψ',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '╡',
  '�' => '╢',
  '�' => '╖',
  '�' => '╕',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '╜',
  '�' => '╛',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╞',
  '�' => '╟',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '╧',
  '�' => '╨',
  '�' => '╤',
  '�' => '╥',
  '�' => '╙',
  '�' => '╘',
  '�' => '╒',
  '�' => '╓',
  '�' => '╫',
  '�' => '╪',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'ω',
  '�' => 'ά',
  '�' => 'έ',
  '�' => 'ή',
  '�' => 'ϊ',
  '�' => 'ί',
  '�' => 'ό',
  '�' => 'ύ',
  '�' => 'ϋ',
  '�' => 'ώ',
  '�' => 'Ά',
  '�' => 'Έ',
  '�' => 'Ή',
  '�' => 'Ί',
  '�' => 'Ό',
  '�' => 'Ύ',
  '�' => 'Ώ',
  '�' => '±',
  '�' => '≥',
  '�' => '≤',
  '�' => 'Ϊ',
  '�' => 'Ϋ',
  '�' => '÷',
  '�' => '≈',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '√',
  '�' => 'ⁿ',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.iso-8859-15.php000064400000007304151330736600017734 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�' => '',
  '�' => '‚',
  '�' => 'ƒ',
  '�' => '„',
  '�' => '…',
  '�' => '†',
  '�' => '‡',
  '�' => 'ˆ',
  '�' => '‰',
  '�' => 'Š',
  '�' => '‹',
  '�' => 'Œ',
  '�' => '',
  '�' => 'Ž',
  '�' => '',
  '�' => '',
  '�' => '‘',
  '�' => '’',
  '�' => '“',
  '�' => '”',
  '�' => '•',
  '�' => '–',
  '�' => '—',
  '�' => '˜',
  '�' => '™',
  '�' => 'š',
  '�' => '›',
  '�' => 'œ',
  '�' => '',
  '�' => 'ž',
  '�' => 'Ÿ',
  '�' => ' ',
  '�' => '¡',
  '�' => '¢',
  '�' => '£',
  '�' => '€',
  '�' => '¥',
  '�' => 'Š',
  '�' => '§',
  '�' => 'š',
  '�' => '©',
  '�' => 'ª',
  '�' => '«',
  '�' => '¬',
  '�' => '­',
  '�' => '®',
  '�' => '¯',
  '�' => '°',
  '�' => '±',
  '�' => '²',
  '�' => '³',
  '�' => 'Ž',
  '�' => 'µ',
  '�' => '¶',
  '�' => '·',
  '�' => 'ž',
  '�' => '¹',
  '�' => 'º',
  '�' => '»',
  '�' => 'Œ',
  '�' => 'œ',
  '�' => 'Ÿ',
  '�' => '¿',
  '�' => 'À',
  '�' => 'Á',
  '�' => 'Â',
  '�' => 'Ã',
  '�' => 'Ä',
  '�' => 'Å',
  '�' => 'Æ',
  '�' => 'Ç',
  '�' => 'È',
  '�' => 'É',
  '�' => 'Ê',
  '�' => 'Ë',
  '�' => 'Ì',
  '�' => 'Í',
  '�' => 'Î',
  '�' => 'Ï',
  '�' => 'Ð',
  '�' => 'Ñ',
  '�' => 'Ò',
  '�' => 'Ó',
  '�' => 'Ô',
  '�' => 'Õ',
  '�' => 'Ö',
  '�' => '×',
  '�' => 'Ø',
  '�' => 'Ù',
  '�' => 'Ú',
  '�' => 'Û',
  '�' => 'Ü',
  '�' => 'Ý',
  '�' => 'Þ',
  '�' => 'ß',
  '�' => 'à',
  '�' => 'á',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'ä',
  '�' => 'å',
  '�' => 'æ',
  '�' => 'ç',
  '�' => 'è',
  '�' => 'é',
  '�' => 'ê',
  '�' => 'ë',
  '�' => 'ì',
  '�' => 'í',
  '�' => 'î',
  '�' => 'ï',
  '�' => 'ð',
  '�' => 'ñ',
  '�' => 'ò',
  '�' => 'ó',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ö',
  '�' => '÷',
  '�' => 'ø',
  '�' => 'ù',
  '�' => 'ú',
  '�' => 'û',
  '�' => 'ü',
  '�' => 'ý',
  '�' => 'þ',
  '�' => 'ÿ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp860.php000064400000007400151330736600017141 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ç',
  '�' => 'ü',
  '�' => 'é',
  '�' => 'â',
  '�' => 'ã',
  '�' => 'à',
  '�' => 'Á',
  '�' => 'ç',
  '�' => 'ê',
  '�' => 'Ê',
  '�' => 'è',
  '�' => 'Í',
  '�' => 'Ô',
  '�' => 'ì',
  '�' => 'Ã',
  '�' => 'Â',
  '�' => 'É',
  '�' => 'À',
  '�' => 'È',
  '�' => 'ô',
  '�' => 'õ',
  '�' => 'ò',
  '�' => 'Ú',
  '�' => 'ù',
  '�' => 'Ì',
  '�' => 'Õ',
  '�' => 'Ü',
  '�' => '¢',
  '�' => '£',
  '�' => 'Ù',
  '�' => '₧',
  '�' => 'Ó',
  '�' => 'á',
  '�' => 'í',
  '�' => 'ó',
  '�' => 'ú',
  '�' => 'ñ',
  '�' => 'Ñ',
  '�' => 'ª',
  '�' => 'º',
  '�' => '¿',
  '�' => 'Ò',
  '�' => '¬',
  '�' => '½',
  '�' => '¼',
  '�' => '¡',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => '╡',
  '�' => '╢',
  '�' => '╖',
  '�' => '╕',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => '╜',
  '�' => '╛',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => '╞',
  '�' => '╟',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => '╧',
  '�' => '╨',
  '�' => '╤',
  '�' => '╥',
  '�' => '╙',
  '�' => '╘',
  '�' => '╒',
  '�' => '╓',
  '�' => '╫',
  '�' => '╪',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => '▌',
  '�' => '▐',
  '�' => '▀',
  '�' => 'α',
  '�' => 'ß',
  '�' => 'Γ',
  '�' => 'π',
  '�' => 'Σ',
  '�' => 'σ',
  '�' => 'µ',
  '�' => 'τ',
  '�' => 'Φ',
  '�' => 'Θ',
  '�' => 'Ω',
  '�' => 'δ',
  '�' => '∞',
  '�' => 'φ',
  '�' => 'ε',
  '�' => '∩',
  '�' => '≡',
  '�' => '±',
  '�' => '≥',
  '�' => '≤',
  '�' => '⌠',
  '�' => '⌡',
  '�' => '÷',
  '�' => '≈',
  '�' => '°',
  '�' => '∙',
  '�' => '·',
  '�' => '√',
  '�' => 'ⁿ',
  '�' => '²',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp936.php000064400001327073151330736600017161 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => '€',
  '�@' => '丂',
  '�A' => '丄',
  '�B' => '丅',
  '�C' => '丆',
  '�D' => '丏',
  '�E' => '丒',
  '�F' => '丗',
  '�G' => '丟',
  '�H' => '丠',
  '�I' => '両',
  '�J' => '丣',
  '�K' => '並',
  '�L' => '丩',
  '�M' => '丮',
  '�N' => '丯',
  '�O' => '丱',
  '�P' => '丳',
  '�Q' => '丵',
  '�R' => '丷',
  '�S' => '丼',
  '�T' => '乀',
  '�U' => '乁',
  '�V' => '乂',
  '�W' => '乄',
  '�X' => '乆',
  '�Y' => '乊',
  '�Z' => '乑',
  '�[' => '乕',
  '�\\' => '乗',
  '�]' => '乚',
  '�^' => '乛',
  '�_' => '乢',
  '�`' => '乣',
  '�a' => '乤',
  '�b' => '乥',
  '�c' => '乧',
  '�d' => '乨',
  '�e' => '乪',
  '�f' => '乫',
  '�g' => '乬',
  '�h' => '乭',
  '�i' => '乮',
  '�j' => '乯',
  '�k' => '乲',
  '�l' => '乴',
  '�m' => '乵',
  '�n' => '乶',
  '�o' => '乷',
  '�p' => '乸',
  '�q' => '乹',
  '�r' => '乺',
  '�s' => '乻',
  '�t' => '乼',
  '�u' => '乽',
  '�v' => '乿',
  '�w' => '亀',
  '�x' => '亁',
  '�y' => '亂',
  '�z' => '亃',
  '�{' => '亄',
  '�|' => '亅',
  '�}' => '亇',
  '�~' => '亊',
  '��' => '亐',
  '��' => '亖',
  '��' => '亗',
  '��' => '亙',
  '��' => '亜',
  '��' => '亝',
  '��' => '亞',
  '��' => '亣',
  '��' => '亪',
  '��' => '亯',
  '��' => '亰',
  '��' => '亱',
  '��' => '亴',
  '��' => '亶',
  '��' => '亷',
  '��' => '亸',
  '��' => '亹',
  '��' => '亼',
  '��' => '亽',
  '��' => '亾',
  '��' => '仈',
  '��' => '仌',
  '��' => '仏',
  '��' => '仐',
  '��' => '仒',
  '��' => '仚',
  '��' => '仛',
  '��' => '仜',
  '��' => '仠',
  '��' => '仢',
  '��' => '仦',
  '��' => '仧',
  '��' => '仩',
  '��' => '仭',
  '��' => '仮',
  '��' => '仯',
  '��' => '仱',
  '��' => '仴',
  '��' => '仸',
  '��' => '仹',
  '��' => '仺',
  '��' => '仼',
  '��' => '仾',
  '��' => '伀',
  '��' => '伂',
  '��' => '伃',
  '��' => '伄',
  '��' => '伅',
  '��' => '伆',
  '��' => '伇',
  '��' => '伈',
  '��' => '伋',
  '��' => '伌',
  '��' => '伒',
  '��' => '伓',
  '��' => '伔',
  '��' => '伕',
  '��' => '伖',
  '��' => '伜',
  '��' => '伝',
  '��' => '伡',
  '��' => '伣',
  '��' => '伨',
  '��' => '伩',
  '��' => '伬',
  '��' => '伭',
  '��' => '伮',
  '��' => '伱',
  '��' => '伳',
  '��' => '伵',
  '��' => '伷',
  '��' => '伹',
  '��' => '伻',
  '��' => '伾',
  '��' => '伿',
  '��' => '佀',
  '��' => '佁',
  '��' => '佂',
  '��' => '佄',
  '��' => '佅',
  '��' => '佇',
  '��' => '佈',
  '��' => '佉',
  '��' => '佊',
  '��' => '佋',
  '��' => '佌',
  '��' => '佒',
  '��' => '佔',
  '��' => '佖',
  '��' => '佡',
  '��' => '佢',
  '��' => '佦',
  '��' => '佨',
  '��' => '佪',
  '��' => '佫',
  '��' => '佭',
  '��' => '佮',
  '��' => '佱',
  '��' => '佲',
  '��' => '併',
  '��' => '佷',
  '��' => '佸',
  '��' => '佹',
  '��' => '佺',
  '��' => '佽',
  '��' => '侀',
  '��' => '侁',
  '��' => '侂',
  '��' => '侅',
  '��' => '來',
  '��' => '侇',
  '��' => '侊',
  '��' => '侌',
  '��' => '侎',
  '��' => '侐',
  '��' => '侒',
  '��' => '侓',
  '��' => '侕',
  '��' => '侖',
  '��' => '侘',
  '��' => '侙',
  '��' => '侚',
  '��' => '侜',
  '��' => '侞',
  '��' => '侟',
  '��' => '価',
  '��' => '侢',
  '�@' => '侤',
  '�A' => '侫',
  '�B' => '侭',
  '�C' => '侰',
  '�D' => '侱',
  '�E' => '侲',
  '�F' => '侳',
  '�G' => '侴',
  '�H' => '侶',
  '�I' => '侷',
  '�J' => '侸',
  '�K' => '侹',
  '�L' => '侺',
  '�M' => '侻',
  '�N' => '侼',
  '�O' => '侽',
  '�P' => '侾',
  '�Q' => '俀',
  '�R' => '俁',
  '�S' => '係',
  '�T' => '俆',
  '�U' => '俇',
  '�V' => '俈',
  '�W' => '俉',
  '�X' => '俋',
  '�Y' => '俌',
  '�Z' => '俍',
  '�[' => '俒',
  '�\\' => '俓',
  '�]' => '俔',
  '�^' => '俕',
  '�_' => '俖',
  '�`' => '俙',
  '�a' => '俛',
  '�b' => '俠',
  '�c' => '俢',
  '�d' => '俤',
  '�e' => '俥',
  '�f' => '俧',
  '�g' => '俫',
  '�h' => '俬',
  '�i' => '俰',
  '�j' => '俲',
  '�k' => '俴',
  '�l' => '俵',
  '�m' => '俶',
  '�n' => '俷',
  '�o' => '俹',
  '�p' => '俻',
  '�q' => '俼',
  '�r' => '俽',
  '�s' => '俿',
  '�t' => '倀',
  '�u' => '倁',
  '�v' => '倂',
  '�w' => '倃',
  '�x' => '倄',
  '�y' => '倅',
  '�z' => '倆',
  '�{' => '倇',
  '�|' => '倈',
  '�}' => '倉',
  '�~' => '倊',
  '��' => '個',
  '��' => '倎',
  '��' => '倐',
  '��' => '們',
  '��' => '倓',
  '��' => '倕',
  '��' => '倖',
  '��' => '倗',
  '��' => '倛',
  '��' => '倝',
  '��' => '倞',
  '��' => '倠',
  '��' => '倢',
  '��' => '倣',
  '��' => '値',
  '��' => '倧',
  '��' => '倫',
  '��' => '倯',
  '��' => '倰',
  '��' => '倱',
  '��' => '倲',
  '��' => '倳',
  '��' => '倴',
  '��' => '倵',
  '��' => '倶',
  '��' => '倷',
  '��' => '倸',
  '��' => '倹',
  '��' => '倻',
  '��' => '倽',
  '��' => '倿',
  '��' => '偀',
  '��' => '偁',
  '��' => '偂',
  '��' => '偄',
  '��' => '偅',
  '��' => '偆',
  '��' => '偉',
  '��' => '偊',
  '��' => '偋',
  '��' => '偍',
  '��' => '偐',
  '��' => '偑',
  '��' => '偒',
  '��' => '偓',
  '��' => '偔',
  '��' => '偖',
  '��' => '偗',
  '��' => '偘',
  '��' => '偙',
  '��' => '偛',
  '��' => '偝',
  '��' => '偞',
  '��' => '偟',
  '��' => '偠',
  '��' => '偡',
  '��' => '偢',
  '��' => '偣',
  '��' => '偤',
  '��' => '偦',
  '��' => '偧',
  '��' => '偨',
  '��' => '偩',
  '��' => '偪',
  '��' => '偫',
  '��' => '偭',
  '��' => '偮',
  '��' => '偯',
  '��' => '偰',
  '��' => '偱',
  '��' => '偲',
  '��' => '偳',
  '��' => '側',
  '��' => '偵',
  '��' => '偸',
  '��' => '偹',
  '��' => '偺',
  '��' => '偼',
  '��' => '偽',
  '��' => '傁',
  '��' => '傂',
  '��' => '傃',
  '��' => '傄',
  '��' => '傆',
  '��' => '傇',
  '��' => '傉',
  '��' => '傊',
  '��' => '傋',
  '��' => '傌',
  '��' => '傎',
  '��' => '傏',
  '��' => '傐',
  '��' => '傑',
  '��' => '傒',
  '��' => '傓',
  '��' => '傔',
  '��' => '傕',
  '��' => '傖',
  '��' => '傗',
  '��' => '傘',
  '��' => '備',
  '��' => '傚',
  '��' => '傛',
  '��' => '傜',
  '��' => '傝',
  '��' => '傞',
  '��' => '傟',
  '��' => '傠',
  '��' => '傡',
  '��' => '傢',
  '��' => '傤',
  '��' => '傦',
  '��' => '傪',
  '��' => '傫',
  '��' => '傭',
  '��' => '傮',
  '��' => '傯',
  '��' => '傰',
  '��' => '傱',
  '��' => '傳',
  '��' => '傴',
  '��' => '債',
  '��' => '傶',
  '��' => '傷',
  '��' => '傸',
  '��' => '傹',
  '��' => '傼',
  '�@' => '傽',
  '�A' => '傾',
  '�B' => '傿',
  '�C' => '僀',
  '�D' => '僁',
  '�E' => '僂',
  '�F' => '僃',
  '�G' => '僄',
  '�H' => '僅',
  '�I' => '僆',
  '�J' => '僇',
  '�K' => '僈',
  '�L' => '僉',
  '�M' => '僊',
  '�N' => '僋',
  '�O' => '僌',
  '�P' => '働',
  '�Q' => '僎',
  '�R' => '僐',
  '�S' => '僑',
  '�T' => '僒',
  '�U' => '僓',
  '�V' => '僔',
  '�W' => '僕',
  '�X' => '僗',
  '�Y' => '僘',
  '�Z' => '僙',
  '�[' => '僛',
  '�\\' => '僜',
  '�]' => '僝',
  '�^' => '僞',
  '�_' => '僟',
  '�`' => '僠',
  '�a' => '僡',
  '�b' => '僢',
  '�c' => '僣',
  '�d' => '僤',
  '�e' => '僥',
  '�f' => '僨',
  '�g' => '僩',
  '�h' => '僪',
  '�i' => '僫',
  '�j' => '僯',
  '�k' => '僰',
  '�l' => '僱',
  '�m' => '僲',
  '�n' => '僴',
  '�o' => '僶',
  '�p' => '僷',
  '�q' => '僸',
  '�r' => '價',
  '�s' => '僺',
  '�t' => '僼',
  '�u' => '僽',
  '�v' => '僾',
  '�w' => '僿',
  '�x' => '儀',
  '�y' => '儁',
  '�z' => '儂',
  '�{' => '儃',
  '�|' => '億',
  '�}' => '儅',
  '�~' => '儈',
  '��' => '儉',
  '��' => '儊',
  '��' => '儌',
  '��' => '儍',
  '��' => '儎',
  '��' => '儏',
  '��' => '儐',
  '��' => '儑',
  '��' => '儓',
  '��' => '儔',
  '��' => '儕',
  '��' => '儖',
  '��' => '儗',
  '��' => '儘',
  '��' => '儙',
  '��' => '儚',
  '��' => '儛',
  '��' => '儜',
  '��' => '儝',
  '��' => '儞',
  '��' => '償',
  '��' => '儠',
  '��' => '儢',
  '��' => '儣',
  '��' => '儤',
  '��' => '儥',
  '��' => '儦',
  '��' => '儧',
  '��' => '儨',
  '��' => '儩',
  '��' => '優',
  '��' => '儫',
  '��' => '儬',
  '��' => '儭',
  '��' => '儮',
  '��' => '儯',
  '��' => '儰',
  '��' => '儱',
  '��' => '儲',
  '��' => '儳',
  '��' => '儴',
  '��' => '儵',
  '��' => '儶',
  '��' => '儷',
  '��' => '儸',
  '��' => '儹',
  '��' => '儺',
  '��' => '儻',
  '��' => '儼',
  '��' => '儽',
  '��' => '儾',
  '��' => '兂',
  '��' => '兇',
  '��' => '兊',
  '��' => '兌',
  '��' => '兎',
  '��' => '兏',
  '��' => '児',
  '��' => '兒',
  '��' => '兓',
  '��' => '兗',
  '��' => '兘',
  '��' => '兙',
  '��' => '兛',
  '��' => '兝',
  '��' => '兞',
  '��' => '兟',
  '��' => '兠',
  '��' => '兡',
  '��' => '兣',
  '��' => '兤',
  '��' => '兦',
  '��' => '內',
  '��' => '兩',
  '��' => '兪',
  '��' => '兯',
  '��' => '兲',
  '��' => '兺',
  '��' => '兾',
  '��' => '兿',
  '��' => '冃',
  '��' => '冄',
  '��' => '円',
  '��' => '冇',
  '��' => '冊',
  '��' => '冋',
  '��' => '冎',
  '��' => '冏',
  '��' => '冐',
  '��' => '冑',
  '��' => '冓',
  '��' => '冔',
  '��' => '冘',
  '��' => '冚',
  '��' => '冝',
  '��' => '冞',
  '��' => '冟',
  '��' => '冡',
  '��' => '冣',
  '��' => '冦',
  '��' => '冧',
  '��' => '冨',
  '��' => '冩',
  '��' => '冪',
  '��' => '冭',
  '��' => '冮',
  '��' => '冴',
  '��' => '冸',
  '��' => '冹',
  '��' => '冺',
  '��' => '冾',
  '��' => '冿',
  '��' => '凁',
  '��' => '凂',
  '��' => '凃',
  '��' => '凅',
  '��' => '凈',
  '��' => '凊',
  '��' => '凍',
  '��' => '凎',
  '��' => '凐',
  '��' => '凒',
  '��' => '凓',
  '��' => '凔',
  '��' => '凕',
  '��' => '凖',
  '��' => '凗',
  '�@' => '凘',
  '�A' => '凙',
  '�B' => '凚',
  '�C' => '凜',
  '�D' => '凞',
  '�E' => '凟',
  '�F' => '凢',
  '�G' => '凣',
  '�H' => '凥',
  '�I' => '処',
  '�J' => '凧',
  '�K' => '凨',
  '�L' => '凩',
  '�M' => '凪',
  '�N' => '凬',
  '�O' => '凮',
  '�P' => '凱',
  '�Q' => '凲',
  '�R' => '凴',
  '�S' => '凷',
  '�T' => '凾',
  '�U' => '刄',
  '�V' => '刅',
  '�W' => '刉',
  '�X' => '刋',
  '�Y' => '刌',
  '�Z' => '刏',
  '�[' => '刐',
  '�\\' => '刓',
  '�]' => '刔',
  '�^' => '刕',
  '�_' => '刜',
  '�`' => '刞',
  '�a' => '刟',
  '�b' => '刡',
  '�c' => '刢',
  '�d' => '刣',
  '�e' => '別',
  '�f' => '刦',
  '�g' => '刧',
  '�h' => '刪',
  '�i' => '刬',
  '�j' => '刯',
  '�k' => '刱',
  '�l' => '刲',
  '�m' => '刴',
  '�n' => '刵',
  '�o' => '刼',
  '�p' => '刾',
  '�q' => '剄',
  '�r' => '剅',
  '�s' => '剆',
  '�t' => '則',
  '�u' => '剈',
  '�v' => '剉',
  '�w' => '剋',
  '�x' => '剎',
  '�y' => '剏',
  '�z' => '剒',
  '�{' => '剓',
  '�|' => '剕',
  '�}' => '剗',
  '�~' => '剘',
  '��' => '剙',
  '��' => '剚',
  '��' => '剛',
  '��' => '剝',
  '��' => '剟',
  '��' => '剠',
  '��' => '剢',
  '��' => '剣',
  '��' => '剤',
  '��' => '剦',
  '��' => '剨',
  '��' => '剫',
  '��' => '剬',
  '��' => '剭',
  '��' => '剮',
  '��' => '剰',
  '��' => '剱',
  '��' => '剳',
  '��' => '剴',
  '��' => '創',
  '��' => '剶',
  '��' => '剷',
  '��' => '剸',
  '��' => '剹',
  '��' => '剺',
  '��' => '剻',
  '��' => '剼',
  '��' => '剾',
  '��' => '劀',
  '��' => '劃',
  '��' => '劄',
  '��' => '劅',
  '��' => '劆',
  '��' => '劇',
  '��' => '劉',
  '��' => '劊',
  '��' => '劋',
  '��' => '劌',
  '��' => '劍',
  '��' => '劎',
  '��' => '劏',
  '��' => '劑',
  '��' => '劒',
  '��' => '劔',
  '��' => '劕',
  '��' => '劖',
  '��' => '劗',
  '��' => '劘',
  '��' => '劙',
  '��' => '劚',
  '��' => '劜',
  '��' => '劤',
  '��' => '劥',
  '��' => '劦',
  '��' => '劧',
  '��' => '劮',
  '��' => '劯',
  '��' => '劰',
  '��' => '労',
  '��' => '劵',
  '��' => '劶',
  '��' => '劷',
  '��' => '劸',
  '��' => '効',
  '��' => '劺',
  '��' => '劻',
  '��' => '劼',
  '��' => '劽',
  '��' => '勀',
  '��' => '勁',
  '��' => '勂',
  '��' => '勄',
  '��' => '勅',
  '��' => '勆',
  '��' => '勈',
  '��' => '勊',
  '��' => '勌',
  '��' => '勍',
  '��' => '勎',
  '��' => '勏',
  '��' => '勑',
  '��' => '勓',
  '��' => '勔',
  '��' => '動',
  '��' => '勗',
  '��' => '務',
  '��' => '勚',
  '��' => '勛',
  '��' => '勜',
  '��' => '勝',
  '��' => '勞',
  '��' => '勠',
  '��' => '勡',
  '��' => '勢',
  '��' => '勣',
  '��' => '勥',
  '��' => '勦',
  '��' => '勧',
  '��' => '勨',
  '��' => '勩',
  '��' => '勪',
  '��' => '勫',
  '��' => '勬',
  '��' => '勭',
  '��' => '勮',
  '��' => '勯',
  '��' => '勱',
  '��' => '勲',
  '��' => '勳',
  '��' => '勴',
  '��' => '勵',
  '��' => '勶',
  '��' => '勷',
  '��' => '勸',
  '��' => '勻',
  '��' => '勼',
  '��' => '勽',
  '��' => '匁',
  '��' => '匂',
  '��' => '匃',
  '��' => '匄',
  '��' => '匇',
  '��' => '匉',
  '��' => '匊',
  '��' => '匋',
  '��' => '匌',
  '��' => '匎',
  '�@' => '匑',
  '�A' => '匒',
  '�B' => '匓',
  '�C' => '匔',
  '�D' => '匘',
  '�E' => '匛',
  '�F' => '匜',
  '�G' => '匞',
  '�H' => '匟',
  '�I' => '匢',
  '�J' => '匤',
  '�K' => '匥',
  '�L' => '匧',
  '�M' => '匨',
  '�N' => '匩',
  '�O' => '匫',
  '�P' => '匬',
  '�Q' => '匭',
  '�R' => '匯',
  '�S' => '匰',
  '�T' => '匱',
  '�U' => '匲',
  '�V' => '匳',
  '�W' => '匴',
  '�X' => '匵',
  '�Y' => '匶',
  '�Z' => '匷',
  '�[' => '匸',
  '�\\' => '匼',
  '�]' => '匽',
  '�^' => '區',
  '�_' => '卂',
  '�`' => '卄',
  '�a' => '卆',
  '�b' => '卋',
  '�c' => '卌',
  '�d' => '卍',
  '�e' => '卐',
  '�f' => '協',
  '�g' => '単',
  '�h' => '卙',
  '�i' => '卛',
  '�j' => '卝',
  '�k' => '卥',
  '�l' => '卨',
  '�m' => '卪',
  '�n' => '卬',
  '�o' => '卭',
  '�p' => '卲',
  '�q' => '卶',
  '�r' => '卹',
  '�s' => '卻',
  '�t' => '卼',
  '�u' => '卽',
  '�v' => '卾',
  '�w' => '厀',
  '�x' => '厁',
  '�y' => '厃',
  '�z' => '厇',
  '�{' => '厈',
  '�|' => '厊',
  '�}' => '厎',
  '�~' => '厏',
  '��' => '厐',
  '��' => '厑',
  '��' => '厒',
  '��' => '厓',
  '��' => '厔',
  '��' => '厖',
  '��' => '厗',
  '��' => '厙',
  '��' => '厛',
  '��' => '厜',
  '��' => '厞',
  '��' => '厠',
  '��' => '厡',
  '��' => '厤',
  '��' => '厧',
  '��' => '厪',
  '��' => '厫',
  '��' => '厬',
  '��' => '厭',
  '��' => '厯',
  '��' => '厰',
  '��' => '厱',
  '��' => '厲',
  '��' => '厳',
  '��' => '厴',
  '��' => '厵',
  '��' => '厷',
  '��' => '厸',
  '��' => '厹',
  '��' => '厺',
  '��' => '厼',
  '��' => '厽',
  '��' => '厾',
  '��' => '叀',
  '��' => '參',
  '��' => '叄',
  '��' => '叅',
  '��' => '叆',
  '��' => '叇',
  '��' => '収',
  '��' => '叏',
  '��' => '叐',
  '��' => '叒',
  '��' => '叓',
  '��' => '叕',
  '��' => '叚',
  '��' => '叜',
  '��' => '叝',
  '��' => '叞',
  '��' => '叡',
  '��' => '叢',
  '��' => '叧',
  '��' => '叴',
  '��' => '叺',
  '��' => '叾',
  '��' => '叿',
  '��' => '吀',
  '��' => '吂',
  '��' => '吅',
  '��' => '吇',
  '��' => '吋',
  '��' => '吔',
  '��' => '吘',
  '��' => '吙',
  '��' => '吚',
  '��' => '吜',
  '��' => '吢',
  '��' => '吤',
  '��' => '吥',
  '��' => '吪',
  '��' => '吰',
  '��' => '吳',
  '��' => '吶',
  '��' => '吷',
  '��' => '吺',
  '��' => '吽',
  '��' => '吿',
  '��' => '呁',
  '��' => '呂',
  '��' => '呄',
  '��' => '呅',
  '��' => '呇',
  '��' => '呉',
  '��' => '呌',
  '��' => '呍',
  '��' => '呎',
  '��' => '呏',
  '��' => '呑',
  '��' => '呚',
  '��' => '呝',
  '��' => '呞',
  '��' => '呟',
  '��' => '呠',
  '��' => '呡',
  '��' => '呣',
  '��' => '呥',
  '��' => '呧',
  '��' => '呩',
  '��' => '呪',
  '��' => '呫',
  '��' => '呬',
  '��' => '呭',
  '��' => '呮',
  '��' => '呯',
  '��' => '呰',
  '��' => '呴',
  '��' => '呹',
  '��' => '呺',
  '��' => '呾',
  '��' => '呿',
  '��' => '咁',
  '��' => '咃',
  '��' => '咅',
  '��' => '咇',
  '��' => '咈',
  '��' => '咉',
  '��' => '咊',
  '��' => '咍',
  '��' => '咑',
  '��' => '咓',
  '��' => '咗',
  '��' => '咘',
  '��' => '咜',
  '��' => '咞',
  '��' => '咟',
  '��' => '咠',
  '��' => '咡',
  '�@' => '咢',
  '�A' => '咥',
  '�B' => '咮',
  '�C' => '咰',
  '�D' => '咲',
  '�E' => '咵',
  '�F' => '咶',
  '�G' => '咷',
  '�H' => '咹',
  '�I' => '咺',
  '�J' => '咼',
  '�K' => '咾',
  '�L' => '哃',
  '�M' => '哅',
  '�N' => '哊',
  '�O' => '哋',
  '�P' => '哖',
  '�Q' => '哘',
  '�R' => '哛',
  '�S' => '哠',
  '�T' => '員',
  '�U' => '哢',
  '�V' => '哣',
  '�W' => '哤',
  '�X' => '哫',
  '�Y' => '哬',
  '�Z' => '哯',
  '�[' => '哰',
  '�\\' => '哱',
  '�]' => '哴',
  '�^' => '哵',
  '�_' => '哶',
  '�`' => '哷',
  '�a' => '哸',
  '�b' => '哹',
  '�c' => '哻',
  '�d' => '哾',
  '�e' => '唀',
  '�f' => '唂',
  '�g' => '唃',
  '�h' => '唄',
  '�i' => '唅',
  '�j' => '唈',
  '�k' => '唊',
  '�l' => '唋',
  '�m' => '唌',
  '�n' => '唍',
  '�o' => '唎',
  '�p' => '唒',
  '�q' => '唓',
  '�r' => '唕',
  '�s' => '唖',
  '�t' => '唗',
  '�u' => '唘',
  '�v' => '唙',
  '�w' => '唚',
  '�x' => '唜',
  '�y' => '唝',
  '�z' => '唞',
  '�{' => '唟',
  '�|' => '唡',
  '�}' => '唥',
  '�~' => '唦',
  '��' => '唨',
  '��' => '唩',
  '��' => '唫',
  '��' => '唭',
  '��' => '唲',
  '��' => '唴',
  '��' => '唵',
  '��' => '唶',
  '��' => '唸',
  '��' => '唹',
  '��' => '唺',
  '��' => '唻',
  '��' => '唽',
  '��' => '啀',
  '��' => '啂',
  '��' => '啅',
  '��' => '啇',
  '��' => '啈',
  '��' => '啋',
  '��' => '啌',
  '��' => '啍',
  '��' => '啎',
  '��' => '問',
  '��' => '啑',
  '��' => '啒',
  '��' => '啓',
  '��' => '啔',
  '��' => '啗',
  '��' => '啘',
  '��' => '啙',
  '��' => '啚',
  '��' => '啛',
  '��' => '啝',
  '��' => '啞',
  '��' => '啟',
  '��' => '啠',
  '��' => '啢',
  '��' => '啣',
  '��' => '啨',
  '��' => '啩',
  '��' => '啫',
  '��' => '啯',
  '��' => '啰',
  '��' => '啱',
  '��' => '啲',
  '��' => '啳',
  '��' => '啴',
  '��' => '啹',
  '��' => '啺',
  '��' => '啽',
  '��' => '啿',
  '��' => '喅',
  '��' => '喆',
  '��' => '喌',
  '��' => '喍',
  '��' => '喎',
  '��' => '喐',
  '��' => '喒',
  '��' => '喓',
  '��' => '喕',
  '��' => '喖',
  '��' => '喗',
  '��' => '喚',
  '��' => '喛',
  '��' => '喞',
  '��' => '喠',
  '��' => '喡',
  '��' => '喢',
  '��' => '喣',
  '��' => '喤',
  '��' => '喥',
  '��' => '喦',
  '��' => '喨',
  '��' => '喩',
  '��' => '喪',
  '��' => '喫',
  '��' => '喬',
  '��' => '喭',
  '��' => '單',
  '��' => '喯',
  '��' => '喰',
  '��' => '喲',
  '��' => '喴',
  '��' => '営',
  '��' => '喸',
  '��' => '喺',
  '��' => '喼',
  '��' => '喿',
  '��' => '嗀',
  '��' => '嗁',
  '��' => '嗂',
  '��' => '嗃',
  '��' => '嗆',
  '��' => '嗇',
  '��' => '嗈',
  '��' => '嗊',
  '��' => '嗋',
  '��' => '嗎',
  '��' => '嗏',
  '��' => '嗐',
  '��' => '嗕',
  '��' => '嗗',
  '��' => '嗘',
  '��' => '嗙',
  '��' => '嗚',
  '��' => '嗛',
  '��' => '嗞',
  '��' => '嗠',
  '��' => '嗢',
  '��' => '嗧',
  '��' => '嗩',
  '��' => '嗭',
  '��' => '嗮',
  '��' => '嗰',
  '��' => '嗱',
  '��' => '嗴',
  '��' => '嗶',
  '��' => '嗸',
  '��' => '嗹',
  '��' => '嗺',
  '��' => '嗻',
  '��' => '嗼',
  '��' => '嗿',
  '��' => '嘂',
  '��' => '嘃',
  '��' => '嘄',
  '��' => '嘅',
  '�@' => '嘆',
  '�A' => '嘇',
  '�B' => '嘊',
  '�C' => '嘋',
  '�D' => '嘍',
  '�E' => '嘐',
  '�F' => '嘑',
  '�G' => '嘒',
  '�H' => '嘓',
  '�I' => '嘔',
  '�J' => '嘕',
  '�K' => '嘖',
  '�L' => '嘗',
  '�M' => '嘙',
  '�N' => '嘚',
  '�O' => '嘜',
  '�P' => '嘝',
  '�Q' => '嘠',
  '�R' => '嘡',
  '�S' => '嘢',
  '�T' => '嘥',
  '�U' => '嘦',
  '�V' => '嘨',
  '�W' => '嘩',
  '�X' => '嘪',
  '�Y' => '嘫',
  '�Z' => '嘮',
  '�[' => '嘯',
  '�\\' => '嘰',
  '�]' => '嘳',
  '�^' => '嘵',
  '�_' => '嘷',
  '�`' => '嘸',
  '�a' => '嘺',
  '�b' => '嘼',
  '�c' => '嘽',
  '�d' => '嘾',
  '�e' => '噀',
  '�f' => '噁',
  '�g' => '噂',
  '�h' => '噃',
  '�i' => '噄',
  '�j' => '噅',
  '�k' => '噆',
  '�l' => '噇',
  '�m' => '噈',
  '�n' => '噉',
  '�o' => '噊',
  '�p' => '噋',
  '�q' => '噏',
  '�r' => '噐',
  '�s' => '噑',
  '�t' => '噒',
  '�u' => '噓',
  '�v' => '噕',
  '�w' => '噖',
  '�x' => '噚',
  '�y' => '噛',
  '�z' => '噝',
  '�{' => '噞',
  '�|' => '噟',
  '�}' => '噠',
  '�~' => '噡',
  '��' => '噣',
  '��' => '噥',
  '��' => '噦',
  '��' => '噧',
  '��' => '噭',
  '��' => '噮',
  '��' => '噯',
  '��' => '噰',
  '��' => '噲',
  '��' => '噳',
  '��' => '噴',
  '��' => '噵',
  '��' => '噷',
  '��' => '噸',
  '��' => '噹',
  '��' => '噺',
  '��' => '噽',
  '��' => '噾',
  '��' => '噿',
  '��' => '嚀',
  '��' => '嚁',
  '��' => '嚂',
  '��' => '嚃',
  '��' => '嚄',
  '��' => '嚇',
  '��' => '嚈',
  '��' => '嚉',
  '��' => '嚊',
  '��' => '嚋',
  '��' => '嚌',
  '��' => '嚍',
  '��' => '嚐',
  '��' => '嚑',
  '��' => '嚒',
  '��' => '嚔',
  '��' => '嚕',
  '��' => '嚖',
  '��' => '嚗',
  '��' => '嚘',
  '��' => '嚙',
  '��' => '嚚',
  '��' => '嚛',
  '��' => '嚜',
  '��' => '嚝',
  '��' => '嚞',
  '��' => '嚟',
  '��' => '嚠',
  '��' => '嚡',
  '��' => '嚢',
  '��' => '嚤',
  '��' => '嚥',
  '��' => '嚦',
  '��' => '嚧',
  '��' => '嚨',
  '��' => '嚩',
  '��' => '嚪',
  '��' => '嚫',
  '��' => '嚬',
  '��' => '嚭',
  '��' => '嚮',
  '��' => '嚰',
  '��' => '嚱',
  '��' => '嚲',
  '��' => '嚳',
  '��' => '嚴',
  '��' => '嚵',
  '��' => '嚶',
  '��' => '嚸',
  '��' => '嚹',
  '��' => '嚺',
  '��' => '嚻',
  '��' => '嚽',
  '��' => '嚾',
  '��' => '嚿',
  '��' => '囀',
  '��' => '囁',
  '��' => '囂',
  '��' => '囃',
  '��' => '囄',
  '��' => '囅',
  '��' => '囆',
  '��' => '囇',
  '��' => '囈',
  '��' => '囉',
  '��' => '囋',
  '��' => '囌',
  '��' => '囍',
  '��' => '囎',
  '��' => '囏',
  '��' => '囐',
  '��' => '囑',
  '��' => '囒',
  '��' => '囓',
  '��' => '囕',
  '��' => '囖',
  '��' => '囘',
  '��' => '囙',
  '��' => '囜',
  '��' => '団',
  '��' => '囥',
  '��' => '囦',
  '��' => '囧',
  '��' => '囨',
  '��' => '囩',
  '��' => '囪',
  '��' => '囬',
  '��' => '囮',
  '��' => '囯',
  '��' => '囲',
  '��' => '図',
  '��' => '囶',
  '��' => '囷',
  '��' => '囸',
  '��' => '囻',
  '��' => '囼',
  '��' => '圀',
  '��' => '圁',
  '��' => '圂',
  '��' => '圅',
  '��' => '圇',
  '��' => '國',
  '��' => '圌',
  '��' => '圍',
  '��' => '圎',
  '��' => '圏',
  '��' => '圐',
  '��' => '圑',
  '�@' => '園',
  '�A' => '圓',
  '�B' => '圔',
  '�C' => '圕',
  '�D' => '圖',
  '�E' => '圗',
  '�F' => '團',
  '�G' => '圙',
  '�H' => '圚',
  '�I' => '圛',
  '�J' => '圝',
  '�K' => '圞',
  '�L' => '圠',
  '�M' => '圡',
  '�N' => '圢',
  '�O' => '圤',
  '�P' => '圥',
  '�Q' => '圦',
  '�R' => '圧',
  '�S' => '圫',
  '�T' => '圱',
  '�U' => '圲',
  '�V' => '圴',
  '�W' => '圵',
  '�X' => '圶',
  '�Y' => '圷',
  '�Z' => '圸',
  '�[' => '圼',
  '�\\' => '圽',
  '�]' => '圿',
  '�^' => '坁',
  '�_' => '坃',
  '�`' => '坄',
  '�a' => '坅',
  '�b' => '坆',
  '�c' => '坈',
  '�d' => '坉',
  '�e' => '坋',
  '�f' => '坒',
  '�g' => '坓',
  '�h' => '坔',
  '�i' => '坕',
  '�j' => '坖',
  '�k' => '坘',
  '�l' => '坙',
  '�m' => '坢',
  '�n' => '坣',
  '�o' => '坥',
  '�p' => '坧',
  '�q' => '坬',
  '�r' => '坮',
  '�s' => '坰',
  '�t' => '坱',
  '�u' => '坲',
  '�v' => '坴',
  '�w' => '坵',
  '�x' => '坸',
  '�y' => '坹',
  '�z' => '坺',
  '�{' => '坽',
  '�|' => '坾',
  '�}' => '坿',
  '�~' => '垀',
  '��' => '垁',
  '��' => '垇',
  '��' => '垈',
  '��' => '垉',
  '��' => '垊',
  '��' => '垍',
  '��' => '垎',
  '��' => '垏',
  '��' => '垐',
  '��' => '垑',
  '��' => '垔',
  '��' => '垕',
  '��' => '垖',
  '��' => '垗',
  '��' => '垘',
  '��' => '垙',
  '��' => '垚',
  '��' => '垜',
  '��' => '垝',
  '��' => '垞',
  '��' => '垟',
  '��' => '垥',
  '��' => '垨',
  '��' => '垪',
  '��' => '垬',
  '��' => '垯',
  '��' => '垰',
  '��' => '垱',
  '��' => '垳',
  '��' => '垵',
  '��' => '垶',
  '��' => '垷',
  '��' => '垹',
  '��' => '垺',
  '��' => '垻',
  '��' => '垼',
  '��' => '垽',
  '��' => '垾',
  '��' => '垿',
  '��' => '埀',
  '��' => '埁',
  '��' => '埄',
  '��' => '埅',
  '��' => '埆',
  '��' => '埇',
  '��' => '埈',
  '��' => '埉',
  '��' => '埊',
  '��' => '埌',
  '��' => '埍',
  '��' => '埐',
  '��' => '埑',
  '��' => '埓',
  '��' => '埖',
  '��' => '埗',
  '��' => '埛',
  '��' => '埜',
  '��' => '埞',
  '��' => '埡',
  '��' => '埢',
  '��' => '埣',
  '��' => '埥',
  '��' => '埦',
  '��' => '埧',
  '��' => '埨',
  '��' => '埩',
  '��' => '埪',
  '��' => '埫',
  '��' => '埬',
  '��' => '埮',
  '��' => '埰',
  '��' => '埱',
  '��' => '埲',
  '��' => '埳',
  '��' => '埵',
  '��' => '埶',
  '��' => '執',
  '��' => '埻',
  '��' => '埼',
  '��' => '埾',
  '��' => '埿',
  '��' => '堁',
  '��' => '堃',
  '��' => '堄',
  '��' => '堅',
  '��' => '堈',
  '��' => '堉',
  '��' => '堊',
  '��' => '堌',
  '��' => '堎',
  '��' => '堏',
  '��' => '堐',
  '��' => '堒',
  '��' => '堓',
  '��' => '堔',
  '��' => '堖',
  '��' => '堗',
  '��' => '堘',
  '��' => '堚',
  '��' => '堛',
  '��' => '堜',
  '��' => '堝',
  '��' => '堟',
  '��' => '堢',
  '��' => '堣',
  '��' => '堥',
  '��' => '堦',
  '��' => '堧',
  '��' => '堨',
  '��' => '堩',
  '��' => '堫',
  '��' => '堬',
  '��' => '堭',
  '��' => '堮',
  '��' => '堯',
  '��' => '報',
  '��' => '堲',
  '��' => '堳',
  '��' => '場',
  '��' => '堶',
  '��' => '堷',
  '��' => '堸',
  '��' => '堹',
  '��' => '堺',
  '��' => '堻',
  '��' => '堼',
  '��' => '堽',
  '�@' => '堾',
  '�A' => '堿',
  '�B' => '塀',
  '�C' => '塁',
  '�D' => '塂',
  '�E' => '塃',
  '�F' => '塅',
  '�G' => '塆',
  '�H' => '塇',
  '�I' => '塈',
  '�J' => '塉',
  '�K' => '塊',
  '�L' => '塋',
  '�M' => '塎',
  '�N' => '塏',
  '�O' => '塐',
  '�P' => '塒',
  '�Q' => '塓',
  '�R' => '塕',
  '�S' => '塖',
  '�T' => '塗',
  '�U' => '塙',
  '�V' => '塚',
  '�W' => '塛',
  '�X' => '塜',
  '�Y' => '塝',
  '�Z' => '塟',
  '�[' => '塠',
  '�\\' => '塡',
  '�]' => '塢',
  '�^' => '塣',
  '�_' => '塤',
  '�`' => '塦',
  '�a' => '塧',
  '�b' => '塨',
  '�c' => '塩',
  '�d' => '塪',
  '�e' => '塭',
  '�f' => '塮',
  '�g' => '塯',
  '�h' => '塰',
  '�i' => '塱',
  '�j' => '塲',
  '�k' => '塳',
  '�l' => '塴',
  '�m' => '塵',
  '�n' => '塶',
  '�o' => '塷',
  '�p' => '塸',
  '�q' => '塹',
  '�r' => '塺',
  '�s' => '塻',
  '�t' => '塼',
  '�u' => '塽',
  '�v' => '塿',
  '�w' => '墂',
  '�x' => '墄',
  '�y' => '墆',
  '�z' => '墇',
  '�{' => '墈',
  '�|' => '墊',
  '�}' => '墋',
  '�~' => '墌',
  '��' => '墍',
  '��' => '墎',
  '��' => '墏',
  '��' => '墐',
  '��' => '墑',
  '��' => '墔',
  '��' => '墕',
  '��' => '墖',
  '��' => '増',
  '��' => '墘',
  '��' => '墛',
  '��' => '墜',
  '��' => '墝',
  '��' => '墠',
  '��' => '墡',
  '��' => '墢',
  '��' => '墣',
  '��' => '墤',
  '��' => '墥',
  '��' => '墦',
  '��' => '墧',
  '��' => '墪',
  '��' => '墫',
  '��' => '墬',
  '��' => '墭',
  '��' => '墮',
  '��' => '墯',
  '��' => '墰',
  '��' => '墱',
  '��' => '墲',
  '��' => '墳',
  '��' => '墴',
  '��' => '墵',
  '��' => '墶',
  '��' => '墷',
  '��' => '墸',
  '��' => '墹',
  '��' => '墺',
  '��' => '墻',
  '��' => '墽',
  '��' => '墾',
  '��' => '墿',
  '��' => '壀',
  '��' => '壂',
  '��' => '壃',
  '��' => '壄',
  '��' => '壆',
  '��' => '壇',
  '��' => '壈',
  '��' => '壉',
  '��' => '壊',
  '��' => '壋',
  '��' => '壌',
  '��' => '壍',
  '��' => '壎',
  '��' => '壏',
  '��' => '壐',
  '��' => '壒',
  '��' => '壓',
  '��' => '壔',
  '��' => '壖',
  '��' => '壗',
  '��' => '壘',
  '��' => '壙',
  '��' => '壚',
  '��' => '壛',
  '��' => '壜',
  '��' => '壝',
  '��' => '壞',
  '��' => '壟',
  '��' => '壠',
  '��' => '壡',
  '��' => '壢',
  '��' => '壣',
  '��' => '壥',
  '��' => '壦',
  '��' => '壧',
  '��' => '壨',
  '��' => '壩',
  '��' => '壪',
  '��' => '壭',
  '��' => '壯',
  '��' => '壱',
  '��' => '売',
  '��' => '壴',
  '��' => '壵',
  '��' => '壷',
  '��' => '壸',
  '��' => '壺',
  '��' => '壻',
  '��' => '壼',
  '��' => '壽',
  '��' => '壾',
  '��' => '壿',
  '��' => '夀',
  '��' => '夁',
  '��' => '夃',
  '��' => '夅',
  '��' => '夆',
  '��' => '夈',
  '��' => '変',
  '��' => '夊',
  '��' => '夋',
  '��' => '夌',
  '��' => '夎',
  '��' => '夐',
  '��' => '夑',
  '��' => '夒',
  '��' => '夓',
  '��' => '夗',
  '��' => '夘',
  '��' => '夛',
  '��' => '夝',
  '��' => '夞',
  '��' => '夠',
  '��' => '夡',
  '��' => '夢',
  '��' => '夣',
  '��' => '夦',
  '��' => '夨',
  '��' => '夬',
  '��' => '夰',
  '��' => '夲',
  '��' => '夳',
  '��' => '夵',
  '��' => '夶',
  '��' => '夻',
  '�@' => '夽',
  '�A' => '夾',
  '�B' => '夿',
  '�C' => '奀',
  '�D' => '奃',
  '�E' => '奅',
  '�F' => '奆',
  '�G' => '奊',
  '�H' => '奌',
  '�I' => '奍',
  '�J' => '奐',
  '�K' => '奒',
  '�L' => '奓',
  '�M' => '奙',
  '�N' => '奛',
  '�O' => '奜',
  '�P' => '奝',
  '�Q' => '奞',
  '�R' => '奟',
  '�S' => '奡',
  '�T' => '奣',
  '�U' => '奤',
  '�V' => '奦',
  '�W' => '奧',
  '�X' => '奨',
  '�Y' => '奩',
  '�Z' => '奪',
  '�[' => '奫',
  '�\\' => '奬',
  '�]' => '奭',
  '�^' => '奮',
  '�_' => '奯',
  '�`' => '奰',
  '�a' => '奱',
  '�b' => '奲',
  '�c' => '奵',
  '�d' => '奷',
  '�e' => '奺',
  '�f' => '奻',
  '�g' => '奼',
  '�h' => '奾',
  '�i' => '奿',
  '�j' => '妀',
  '�k' => '妅',
  '�l' => '妉',
  '�m' => '妋',
  '�n' => '妌',
  '�o' => '妎',
  '�p' => '妏',
  '�q' => '妐',
  '�r' => '妑',
  '�s' => '妔',
  '�t' => '妕',
  '�u' => '妘',
  '�v' => '妚',
  '�w' => '妛',
  '�x' => '妜',
  '�y' => '妝',
  '�z' => '妟',
  '�{' => '妠',
  '�|' => '妡',
  '�}' => '妢',
  '�~' => '妦',
  '��' => '妧',
  '��' => '妬',
  '��' => '妭',
  '��' => '妰',
  '��' => '妱',
  '��' => '妳',
  '��' => '妴',
  '��' => '妵',
  '��' => '妶',
  '��' => '妷',
  '��' => '妸',
  '��' => '妺',
  '��' => '妼',
  '��' => '妽',
  '��' => '妿',
  '��' => '姀',
  '��' => '姁',
  '��' => '姂',
  '��' => '姃',
  '��' => '姄',
  '��' => '姅',
  '��' => '姇',
  '��' => '姈',
  '��' => '姉',
  '��' => '姌',
  '��' => '姍',
  '��' => '姎',
  '��' => '姏',
  '��' => '姕',
  '��' => '姖',
  '��' => '姙',
  '��' => '姛',
  '��' => '姞',
  '��' => '姟',
  '��' => '姠',
  '��' => '姡',
  '��' => '姢',
  '��' => '姤',
  '��' => '姦',
  '��' => '姧',
  '��' => '姩',
  '��' => '姪',
  '��' => '姫',
  '��' => '姭',
  '��' => '姮',
  '��' => '姯',
  '��' => '姰',
  '��' => '姱',
  '��' => '姲',
  '��' => '姳',
  '��' => '姴',
  '��' => '姵',
  '��' => '姶',
  '��' => '姷',
  '��' => '姸',
  '��' => '姺',
  '��' => '姼',
  '��' => '姽',
  '��' => '姾',
  '��' => '娀',
  '��' => '娂',
  '��' => '娊',
  '��' => '娋',
  '��' => '娍',
  '��' => '娎',
  '��' => '娏',
  '��' => '娐',
  '��' => '娒',
  '��' => '娔',
  '��' => '娕',
  '��' => '娖',
  '��' => '娗',
  '��' => '娙',
  '��' => '娚',
  '��' => '娛',
  '��' => '娝',
  '��' => '娞',
  '��' => '娡',
  '��' => '娢',
  '��' => '娤',
  '��' => '娦',
  '��' => '娧',
  '��' => '娨',
  '��' => '娪',
  '��' => '娫',
  '��' => '娬',
  '��' => '娭',
  '��' => '娮',
  '��' => '娯',
  '��' => '娰',
  '��' => '娳',
  '��' => '娵',
  '��' => '娷',
  '��' => '娸',
  '��' => '娹',
  '��' => '娺',
  '��' => '娻',
  '��' => '娽',
  '��' => '娾',
  '��' => '娿',
  '��' => '婁',
  '��' => '婂',
  '��' => '婃',
  '��' => '婄',
  '��' => '婅',
  '��' => '婇',
  '��' => '婈',
  '��' => '婋',
  '��' => '婌',
  '��' => '婍',
  '��' => '婎',
  '��' => '婏',
  '��' => '婐',
  '��' => '婑',
  '��' => '婒',
  '��' => '婓',
  '��' => '婔',
  '��' => '婖',
  '��' => '婗',
  '��' => '婘',
  '��' => '婙',
  '��' => '婛',
  '��' => '婜',
  '��' => '婝',
  '��' => '婞',
  '��' => '婟',
  '��' => '婠',
  '�@' => '婡',
  '�A' => '婣',
  '�B' => '婤',
  '�C' => '婥',
  '�D' => '婦',
  '�E' => '婨',
  '�F' => '婩',
  '�G' => '婫',
  '�H' => '婬',
  '�I' => '婭',
  '�J' => '婮',
  '�K' => '婯',
  '�L' => '婰',
  '�M' => '婱',
  '�N' => '婲',
  '�O' => '婳',
  '�P' => '婸',
  '�Q' => '婹',
  '�R' => '婻',
  '�S' => '婼',
  '�T' => '婽',
  '�U' => '婾',
  '�V' => '媀',
  '�W' => '媁',
  '�X' => '媂',
  '�Y' => '媃',
  '�Z' => '媄',
  '�[' => '媅',
  '�\\' => '媆',
  '�]' => '媇',
  '�^' => '媈',
  '�_' => '媉',
  '�`' => '媊',
  '�a' => '媋',
  '�b' => '媌',
  '�c' => '媍',
  '�d' => '媎',
  '�e' => '媏',
  '�f' => '媐',
  '�g' => '媑',
  '�h' => '媓',
  '�i' => '媔',
  '�j' => '媕',
  '�k' => '媖',
  '�l' => '媗',
  '�m' => '媘',
  '�n' => '媙',
  '�o' => '媜',
  '�p' => '媝',
  '�q' => '媞',
  '�r' => '媟',
  '�s' => '媠',
  '�t' => '媡',
  '�u' => '媢',
  '�v' => '媣',
  '�w' => '媤',
  '�x' => '媥',
  '�y' => '媦',
  '�z' => '媧',
  '�{' => '媨',
  '�|' => '媩',
  '�}' => '媫',
  '�~' => '媬',
  '��' => '媭',
  '��' => '媮',
  '��' => '媯',
  '��' => '媰',
  '��' => '媱',
  '��' => '媴',
  '��' => '媶',
  '��' => '媷',
  '��' => '媹',
  '��' => '媺',
  '��' => '媻',
  '��' => '媼',
  '��' => '媽',
  '��' => '媿',
  '��' => '嫀',
  '��' => '嫃',
  '��' => '嫄',
  '��' => '嫅',
  '��' => '嫆',
  '��' => '嫇',
  '��' => '嫈',
  '��' => '嫊',
  '��' => '嫋',
  '��' => '嫍',
  '��' => '嫎',
  '��' => '嫏',
  '��' => '嫐',
  '��' => '嫑',
  '��' => '嫓',
  '��' => '嫕',
  '��' => '嫗',
  '��' => '嫙',
  '��' => '嫚',
  '��' => '嫛',
  '��' => '嫝',
  '��' => '嫞',
  '��' => '嫟',
  '��' => '嫢',
  '��' => '嫤',
  '��' => '嫥',
  '��' => '嫧',
  '��' => '嫨',
  '��' => '嫪',
  '��' => '嫬',
  '��' => '嫭',
  '��' => '嫮',
  '��' => '嫯',
  '��' => '嫰',
  '��' => '嫲',
  '��' => '嫳',
  '��' => '嫴',
  '��' => '嫵',
  '��' => '嫶',
  '��' => '嫷',
  '��' => '嫸',
  '��' => '嫹',
  '��' => '嫺',
  '��' => '嫻',
  '��' => '嫼',
  '��' => '嫽',
  '��' => '嫾',
  '��' => '嫿',
  '��' => '嬀',
  '��' => '嬁',
  '��' => '嬂',
  '��' => '嬃',
  '��' => '嬄',
  '��' => '嬅',
  '��' => '嬆',
  '��' => '嬇',
  '��' => '嬈',
  '��' => '嬊',
  '��' => '嬋',
  '��' => '嬌',
  '��' => '嬍',
  '��' => '嬎',
  '��' => '嬏',
  '��' => '嬐',
  '��' => '嬑',
  '��' => '嬒',
  '��' => '嬓',
  '��' => '嬔',
  '��' => '嬕',
  '��' => '嬘',
  '��' => '嬙',
  '��' => '嬚',
  '��' => '嬛',
  '��' => '嬜',
  '��' => '嬝',
  '��' => '嬞',
  '��' => '嬟',
  '��' => '嬠',
  '��' => '嬡',
  '��' => '嬢',
  '��' => '嬣',
  '��' => '嬤',
  '��' => '嬥',
  '��' => '嬦',
  '��' => '嬧',
  '��' => '嬨',
  '��' => '嬩',
  '��' => '嬪',
  '��' => '嬫',
  '��' => '嬬',
  '��' => '嬭',
  '��' => '嬮',
  '��' => '嬯',
  '��' => '嬰',
  '��' => '嬱',
  '��' => '嬳',
  '��' => '嬵',
  '��' => '嬶',
  '��' => '嬸',
  '��' => '嬹',
  '��' => '嬺',
  '��' => '嬻',
  '��' => '嬼',
  '��' => '嬽',
  '��' => '嬾',
  '��' => '嬿',
  '��' => '孁',
  '��' => '孂',
  '��' => '孃',
  '��' => '孄',
  '��' => '孅',
  '��' => '孆',
  '��' => '孇',
  '�@' => '孈',
  '�A' => '孉',
  '�B' => '孊',
  '�C' => '孋',
  '�D' => '孌',
  '�E' => '孍',
  '�F' => '孎',
  '�G' => '孏',
  '�H' => '孒',
  '�I' => '孖',
  '�J' => '孞',
  '�K' => '孠',
  '�L' => '孡',
  '�M' => '孧',
  '�N' => '孨',
  '�O' => '孫',
  '�P' => '孭',
  '�Q' => '孮',
  '�R' => '孯',
  '�S' => '孲',
  '�T' => '孴',
  '�U' => '孶',
  '�V' => '孷',
  '�W' => '學',
  '�X' => '孹',
  '�Y' => '孻',
  '�Z' => '孼',
  '�[' => '孾',
  '�\\' => '孿',
  '�]' => '宂',
  '�^' => '宆',
  '�_' => '宊',
  '�`' => '宍',
  '�a' => '宎',
  '�b' => '宐',
  '�c' => '宑',
  '�d' => '宒',
  '�e' => '宔',
  '�f' => '宖',
  '�g' => '実',
  '�h' => '宧',
  '�i' => '宨',
  '�j' => '宩',
  '�k' => '宬',
  '�l' => '宭',
  '�m' => '宮',
  '�n' => '宯',
  '�o' => '宱',
  '�p' => '宲',
  '�q' => '宷',
  '�r' => '宺',
  '�s' => '宻',
  '�t' => '宼',
  '�u' => '寀',
  '�v' => '寁',
  '�w' => '寃',
  '�x' => '寈',
  '�y' => '寉',
  '�z' => '寊',
  '�{' => '寋',
  '�|' => '寍',
  '�}' => '寎',
  '�~' => '寏',
  '��' => '寑',
  '��' => '寔',
  '��' => '寕',
  '��' => '寖',
  '��' => '寗',
  '��' => '寘',
  '��' => '寙',
  '��' => '寚',
  '��' => '寛',
  '��' => '寜',
  '��' => '寠',
  '��' => '寢',
  '��' => '寣',
  '��' => '實',
  '��' => '寧',
  '��' => '審',
  '��' => '寪',
  '��' => '寫',
  '��' => '寬',
  '��' => '寭',
  '��' => '寯',
  '��' => '寱',
  '��' => '寲',
  '��' => '寳',
  '��' => '寴',
  '��' => '寵',
  '��' => '寶',
  '��' => '寷',
  '��' => '寽',
  '��' => '対',
  '��' => '尀',
  '��' => '専',
  '��' => '尃',
  '��' => '尅',
  '��' => '將',
  '��' => '專',
  '��' => '尋',
  '��' => '尌',
  '��' => '對',
  '��' => '導',
  '��' => '尐',
  '��' => '尒',
  '��' => '尓',
  '��' => '尗',
  '��' => '尙',
  '��' => '尛',
  '��' => '尞',
  '��' => '尟',
  '��' => '尠',
  '��' => '尡',
  '��' => '尣',
  '��' => '尦',
  '��' => '尨',
  '��' => '尩',
  '��' => '尪',
  '��' => '尫',
  '��' => '尭',
  '��' => '尮',
  '��' => '尯',
  '��' => '尰',
  '��' => '尲',
  '��' => '尳',
  '��' => '尵',
  '��' => '尶',
  '��' => '尷',
  '��' => '屃',
  '��' => '屄',
  '��' => '屆',
  '��' => '屇',
  '��' => '屌',
  '��' => '屍',
  '��' => '屒',
  '��' => '屓',
  '��' => '屔',
  '��' => '屖',
  '��' => '屗',
  '��' => '屘',
  '��' => '屚',
  '��' => '屛',
  '��' => '屜',
  '��' => '屝',
  '��' => '屟',
  '��' => '屢',
  '��' => '層',
  '��' => '屧',
  '��' => '屨',
  '��' => '屩',
  '��' => '屪',
  '��' => '屫',
  '��' => '屬',
  '��' => '屭',
  '��' => '屰',
  '��' => '屲',
  '��' => '屳',
  '��' => '屴',
  '��' => '屵',
  '��' => '屶',
  '��' => '屷',
  '��' => '屸',
  '��' => '屻',
  '��' => '屼',
  '��' => '屽',
  '��' => '屾',
  '��' => '岀',
  '��' => '岃',
  '��' => '岄',
  '��' => '岅',
  '��' => '岆',
  '��' => '岇',
  '��' => '岉',
  '��' => '岊',
  '��' => '岋',
  '��' => '岎',
  '��' => '岏',
  '��' => '岒',
  '��' => '岓',
  '��' => '岕',
  '��' => '岝',
  '��' => '岞',
  '��' => '岟',
  '��' => '岠',
  '��' => '岡',
  '��' => '岤',
  '��' => '岥',
  '��' => '岦',
  '��' => '岧',
  '��' => '岨',
  '�@' => '岪',
  '�A' => '岮',
  '�B' => '岯',
  '�C' => '岰',
  '�D' => '岲',
  '�E' => '岴',
  '�F' => '岶',
  '�G' => '岹',
  '�H' => '岺',
  '�I' => '岻',
  '�J' => '岼',
  '�K' => '岾',
  '�L' => '峀',
  '�M' => '峂',
  '�N' => '峃',
  '�O' => '峅',
  '�P' => '峆',
  '�Q' => '峇',
  '�R' => '峈',
  '�S' => '峉',
  '�T' => '峊',
  '�U' => '峌',
  '�V' => '峍',
  '�W' => '峎',
  '�X' => '峏',
  '�Y' => '峐',
  '�Z' => '峑',
  '�[' => '峓',
  '�\\' => '峔',
  '�]' => '峕',
  '�^' => '峖',
  '�_' => '峗',
  '�`' => '峘',
  '�a' => '峚',
  '�b' => '峛',
  '�c' => '峜',
  '�d' => '峝',
  '�e' => '峞',
  '�f' => '峟',
  '�g' => '峠',
  '�h' => '峢',
  '�i' => '峣',
  '�j' => '峧',
  '�k' => '峩',
  '�l' => '峫',
  '�m' => '峬',
  '�n' => '峮',
  '�o' => '峯',
  '�p' => '峱',
  '�q' => '峲',
  '�r' => '峳',
  '�s' => '峴',
  '�t' => '峵',
  '�u' => '島',
  '�v' => '峷',
  '�w' => '峸',
  '�x' => '峹',
  '�y' => '峺',
  '�z' => '峼',
  '�{' => '峽',
  '�|' => '峾',
  '�}' => '峿',
  '�~' => '崀',
  '��' => '崁',
  '��' => '崄',
  '��' => '崅',
  '��' => '崈',
  '��' => '崉',
  '��' => '崊',
  '��' => '崋',
  '��' => '崌',
  '��' => '崍',
  '��' => '崏',
  '��' => '崐',
  '��' => '崑',
  '��' => '崒',
  '��' => '崓',
  '��' => '崕',
  '��' => '崗',
  '��' => '崘',
  '��' => '崙',
  '��' => '崚',
  '��' => '崜',
  '��' => '崝',
  '��' => '崟',
  '��' => '崠',
  '��' => '崡',
  '��' => '崢',
  '��' => '崣',
  '��' => '崥',
  '��' => '崨',
  '��' => '崪',
  '��' => '崫',
  '��' => '崬',
  '��' => '崯',
  '��' => '崰',
  '��' => '崱',
  '��' => '崲',
  '��' => '崳',
  '��' => '崵',
  '��' => '崶',
  '��' => '崷',
  '��' => '崸',
  '��' => '崹',
  '��' => '崺',
  '��' => '崻',
  '��' => '崼',
  '��' => '崿',
  '��' => '嵀',
  '��' => '嵁',
  '��' => '嵂',
  '��' => '嵃',
  '��' => '嵄',
  '��' => '嵅',
  '��' => '嵆',
  '��' => '嵈',
  '��' => '嵉',
  '��' => '嵍',
  '��' => '嵎',
  '��' => '嵏',
  '��' => '嵐',
  '��' => '嵑',
  '��' => '嵒',
  '��' => '嵓',
  '��' => '嵔',
  '��' => '嵕',
  '��' => '嵖',
  '��' => '嵗',
  '��' => '嵙',
  '��' => '嵚',
  '��' => '嵜',
  '��' => '嵞',
  '��' => '嵟',
  '��' => '嵠',
  '��' => '嵡',
  '��' => '嵢',
  '��' => '嵣',
  '��' => '嵤',
  '��' => '嵥',
  '��' => '嵦',
  '��' => '嵧',
  '��' => '嵨',
  '��' => '嵪',
  '��' => '嵭',
  '��' => '嵮',
  '��' => '嵰',
  '��' => '嵱',
  '��' => '嵲',
  '��' => '嵳',
  '��' => '嵵',
  '��' => '嵶',
  '��' => '嵷',
  '��' => '嵸',
  '��' => '嵹',
  '��' => '嵺',
  '��' => '嵻',
  '��' => '嵼',
  '��' => '嵽',
  '��' => '嵾',
  '��' => '嵿',
  '��' => '嶀',
  '��' => '嶁',
  '��' => '嶃',
  '��' => '嶄',
  '��' => '嶅',
  '��' => '嶆',
  '��' => '嶇',
  '��' => '嶈',
  '��' => '嶉',
  '��' => '嶊',
  '��' => '嶋',
  '��' => '嶌',
  '��' => '嶍',
  '��' => '嶎',
  '��' => '嶏',
  '��' => '嶐',
  '��' => '嶑',
  '��' => '嶒',
  '��' => '嶓',
  '��' => '嶔',
  '��' => '嶕',
  '��' => '嶖',
  '��' => '嶗',
  '��' => '嶘',
  '��' => '嶚',
  '��' => '嶛',
  '��' => '嶜',
  '��' => '嶞',
  '��' => '嶟',
  '��' => '嶠',
  '�@' => '嶡',
  '�A' => '嶢',
  '�B' => '嶣',
  '�C' => '嶤',
  '�D' => '嶥',
  '�E' => '嶦',
  '�F' => '嶧',
  '�G' => '嶨',
  '�H' => '嶩',
  '�I' => '嶪',
  '�J' => '嶫',
  '�K' => '嶬',
  '�L' => '嶭',
  '�M' => '嶮',
  '�N' => '嶯',
  '�O' => '嶰',
  '�P' => '嶱',
  '�Q' => '嶲',
  '�R' => '嶳',
  '�S' => '嶴',
  '�T' => '嶵',
  '�U' => '嶶',
  '�V' => '嶸',
  '�W' => '嶹',
  '�X' => '嶺',
  '�Y' => '嶻',
  '�Z' => '嶼',
  '�[' => '嶽',
  '�\\' => '嶾',
  '�]' => '嶿',
  '�^' => '巀',
  '�_' => '巁',
  '�`' => '巂',
  '�a' => '巃',
  '�b' => '巄',
  '�c' => '巆',
  '�d' => '巇',
  '�e' => '巈',
  '�f' => '巉',
  '�g' => '巊',
  '�h' => '巋',
  '�i' => '巌',
  '�j' => '巎',
  '�k' => '巏',
  '�l' => '巐',
  '�m' => '巑',
  '�n' => '巒',
  '�o' => '巓',
  '�p' => '巔',
  '�q' => '巕',
  '�r' => '巖',
  '�s' => '巗',
  '�t' => '巘',
  '�u' => '巙',
  '�v' => '巚',
  '�w' => '巜',
  '�x' => '巟',
  '�y' => '巠',
  '�z' => '巣',
  '�{' => '巤',
  '�|' => '巪',
  '�}' => '巬',
  '�~' => '巭',
  '��' => '巰',
  '��' => '巵',
  '��' => '巶',
  '��' => '巸',
  '��' => '巹',
  '��' => '巺',
  '��' => '巻',
  '��' => '巼',
  '��' => '巿',
  '��' => '帀',
  '��' => '帄',
  '��' => '帇',
  '��' => '帉',
  '��' => '帊',
  '��' => '帋',
  '��' => '帍',
  '��' => '帎',
  '��' => '帒',
  '��' => '帓',
  '��' => '帗',
  '��' => '帞',
  '��' => '帟',
  '��' => '帠',
  '��' => '帡',
  '��' => '帢',
  '��' => '帣',
  '��' => '帤',
  '��' => '帥',
  '��' => '帨',
  '��' => '帩',
  '��' => '帪',
  '��' => '師',
  '��' => '帬',
  '��' => '帯',
  '��' => '帰',
  '��' => '帲',
  '��' => '帳',
  '��' => '帴',
  '��' => '帵',
  '��' => '帶',
  '��' => '帹',
  '��' => '帺',
  '��' => '帾',
  '��' => '帿',
  '��' => '幀',
  '��' => '幁',
  '��' => '幃',
  '��' => '幆',
  '��' => '幇',
  '��' => '幈',
  '��' => '幉',
  '��' => '幊',
  '��' => '幋',
  '��' => '幍',
  '��' => '幎',
  '��' => '幏',
  '��' => '幐',
  '��' => '幑',
  '��' => '幒',
  '��' => '幓',
  '��' => '幖',
  '��' => '幗',
  '��' => '幘',
  '��' => '幙',
  '��' => '幚',
  '��' => '幜',
  '��' => '幝',
  '��' => '幟',
  '��' => '幠',
  '��' => '幣',
  '��' => '幤',
  '��' => '幥',
  '��' => '幦',
  '��' => '幧',
  '��' => '幨',
  '��' => '幩',
  '��' => '幪',
  '��' => '幫',
  '��' => '幬',
  '��' => '幭',
  '��' => '幮',
  '��' => '幯',
  '��' => '幰',
  '��' => '幱',
  '��' => '幵',
  '��' => '幷',
  '��' => '幹',
  '��' => '幾',
  '��' => '庁',
  '��' => '庂',
  '��' => '広',
  '��' => '庅',
  '��' => '庈',
  '��' => '庉',
  '��' => '庌',
  '��' => '庍',
  '��' => '庎',
  '��' => '庒',
  '��' => '庘',
  '��' => '庛',
  '��' => '庝',
  '��' => '庡',
  '��' => '庢',
  '��' => '庣',
  '��' => '庤',
  '��' => '庨',
  '��' => '庩',
  '��' => '庪',
  '��' => '庫',
  '��' => '庬',
  '��' => '庮',
  '��' => '庯',
  '��' => '庰',
  '��' => '庱',
  '��' => '庲',
  '��' => '庴',
  '��' => '庺',
  '��' => '庻',
  '��' => '庼',
  '��' => '庽',
  '��' => '庿',
  '��' => '廀',
  '��' => '廁',
  '��' => '廂',
  '��' => '廃',
  '��' => '廄',
  '��' => '廅',
  '�@' => '廆',
  '�A' => '廇',
  '�B' => '廈',
  '�C' => '廋',
  '�D' => '廌',
  '�E' => '廍',
  '�F' => '廎',
  '�G' => '廏',
  '�H' => '廐',
  '�I' => '廔',
  '�J' => '廕',
  '�K' => '廗',
  '�L' => '廘',
  '�M' => '廙',
  '�N' => '廚',
  '�O' => '廜',
  '�P' => '廝',
  '�Q' => '廞',
  '�R' => '廟',
  '�S' => '廠',
  '�T' => '廡',
  '�U' => '廢',
  '�V' => '廣',
  '�W' => '廤',
  '�X' => '廥',
  '�Y' => '廦',
  '�Z' => '廧',
  '�[' => '廩',
  '�\\' => '廫',
  '�]' => '廬',
  '�^' => '廭',
  '�_' => '廮',
  '�`' => '廯',
  '�a' => '廰',
  '�b' => '廱',
  '�c' => '廲',
  '�d' => '廳',
  '�e' => '廵',
  '�f' => '廸',
  '�g' => '廹',
  '�h' => '廻',
  '�i' => '廼',
  '�j' => '廽',
  '�k' => '弅',
  '�l' => '弆',
  '�m' => '弇',
  '�n' => '弉',
  '�o' => '弌',
  '�p' => '弍',
  '�q' => '弎',
  '�r' => '弐',
  '�s' => '弒',
  '�t' => '弔',
  '�u' => '弖',
  '�v' => '弙',
  '�w' => '弚',
  '�x' => '弜',
  '�y' => '弝',
  '�z' => '弞',
  '�{' => '弡',
  '�|' => '弢',
  '�}' => '弣',
  '�~' => '弤',
  '��' => '弨',
  '��' => '弫',
  '��' => '弬',
  '��' => '弮',
  '��' => '弰',
  '��' => '弲',
  '��' => '弳',
  '��' => '弴',
  '��' => '張',
  '��' => '弶',
  '��' => '強',
  '��' => '弸',
  '��' => '弻',
  '��' => '弽',
  '��' => '弾',
  '��' => '弿',
  '��' => '彁',
  '��' => '彂',
  '��' => '彃',
  '��' => '彄',
  '��' => '彅',
  '��' => '彆',
  '��' => '彇',
  '��' => '彈',
  '��' => '彉',
  '��' => '彊',
  '��' => '彋',
  '��' => '彌',
  '��' => '彍',
  '��' => '彎',
  '��' => '彏',
  '��' => '彑',
  '��' => '彔',
  '��' => '彙',
  '��' => '彚',
  '��' => '彛',
  '��' => '彜',
  '��' => '彞',
  '��' => '彟',
  '��' => '彠',
  '��' => '彣',
  '��' => '彥',
  '��' => '彧',
  '��' => '彨',
  '��' => '彫',
  '��' => '彮',
  '��' => '彯',
  '��' => '彲',
  '��' => '彴',
  '��' => '彵',
  '��' => '彶',
  '��' => '彸',
  '��' => '彺',
  '��' => '彽',
  '��' => '彾',
  '��' => '彿',
  '��' => '徃',
  '��' => '徆',
  '��' => '徍',
  '��' => '徎',
  '��' => '徏',
  '��' => '徑',
  '��' => '従',
  '��' => '徔',
  '��' => '徖',
  '��' => '徚',
  '��' => '徛',
  '��' => '徝',
  '��' => '從',
  '��' => '徟',
  '��' => '徠',
  '��' => '徢',
  '��' => '徣',
  '��' => '徤',
  '��' => '徥',
  '��' => '徦',
  '��' => '徧',
  '��' => '復',
  '��' => '徫',
  '��' => '徬',
  '��' => '徯',
  '��' => '徰',
  '��' => '徱',
  '��' => '徲',
  '��' => '徳',
  '��' => '徴',
  '��' => '徶',
  '��' => '徸',
  '��' => '徹',
  '��' => '徺',
  '��' => '徻',
  '��' => '徾',
  '��' => '徿',
  '��' => '忀',
  '��' => '忁',
  '��' => '忂',
  '��' => '忇',
  '��' => '忈',
  '��' => '忊',
  '��' => '忋',
  '��' => '忎',
  '��' => '忓',
  '��' => '忔',
  '��' => '忕',
  '��' => '忚',
  '��' => '忛',
  '��' => '応',
  '��' => '忞',
  '��' => '忟',
  '��' => '忢',
  '��' => '忣',
  '��' => '忥',
  '��' => '忦',
  '��' => '忨',
  '��' => '忩',
  '��' => '忬',
  '��' => '忯',
  '��' => '忰',
  '��' => '忲',
  '��' => '忳',
  '��' => '忴',
  '��' => '忶',
  '��' => '忷',
  '��' => '忹',
  '��' => '忺',
  '��' => '忼',
  '��' => '怇',
  '�@' => '怈',
  '�A' => '怉',
  '�B' => '怋',
  '�C' => '怌',
  '�D' => '怐',
  '�E' => '怑',
  '�F' => '怓',
  '�G' => '怗',
  '�H' => '怘',
  '�I' => '怚',
  '�J' => '怞',
  '�K' => '怟',
  '�L' => '怢',
  '�M' => '怣',
  '�N' => '怤',
  '�O' => '怬',
  '�P' => '怭',
  '�Q' => '怮',
  '�R' => '怰',
  '�S' => '怱',
  '�T' => '怲',
  '�U' => '怳',
  '�V' => '怴',
  '�W' => '怶',
  '�X' => '怷',
  '�Y' => '怸',
  '�Z' => '怹',
  '�[' => '怺',
  '�\\' => '怽',
  '�]' => '怾',
  '�^' => '恀',
  '�_' => '恄',
  '�`' => '恅',
  '�a' => '恆',
  '�b' => '恇',
  '�c' => '恈',
  '�d' => '恉',
  '�e' => '恊',
  '�f' => '恌',
  '�g' => '恎',
  '�h' => '恏',
  '�i' => '恑',
  '�j' => '恓',
  '�k' => '恔',
  '�l' => '恖',
  '�m' => '恗',
  '�n' => '恘',
  '�o' => '恛',
  '�p' => '恜',
  '�q' => '恞',
  '�r' => '恟',
  '�s' => '恠',
  '�t' => '恡',
  '�u' => '恥',
  '�v' => '恦',
  '�w' => '恮',
  '�x' => '恱',
  '�y' => '恲',
  '�z' => '恴',
  '�{' => '恵',
  '�|' => '恷',
  '�}' => '恾',
  '�~' => '悀',
  '��' => '悁',
  '��' => '悂',
  '��' => '悅',
  '��' => '悆',
  '��' => '悇',
  '��' => '悈',
  '��' => '悊',
  '��' => '悋',
  '��' => '悎',
  '��' => '悏',
  '��' => '悐',
  '��' => '悑',
  '��' => '悓',
  '��' => '悕',
  '��' => '悗',
  '��' => '悘',
  '��' => '悙',
  '��' => '悜',
  '��' => '悞',
  '��' => '悡',
  '��' => '悢',
  '��' => '悤',
  '��' => '悥',
  '��' => '悧',
  '��' => '悩',
  '��' => '悪',
  '��' => '悮',
  '��' => '悰',
  '��' => '悳',
  '��' => '悵',
  '��' => '悶',
  '��' => '悷',
  '��' => '悹',
  '��' => '悺',
  '��' => '悽',
  '��' => '悾',
  '��' => '悿',
  '��' => '惀',
  '��' => '惁',
  '��' => '惂',
  '��' => '惃',
  '��' => '惄',
  '��' => '惇',
  '��' => '惈',
  '��' => '惉',
  '��' => '惌',
  '��' => '惍',
  '��' => '惎',
  '��' => '惏',
  '��' => '惐',
  '��' => '惒',
  '��' => '惓',
  '��' => '惔',
  '��' => '惖',
  '��' => '惗',
  '��' => '惙',
  '��' => '惛',
  '��' => '惞',
  '��' => '惡',
  '��' => '惢',
  '��' => '惣',
  '��' => '惤',
  '��' => '惥',
  '��' => '惪',
  '��' => '惱',
  '��' => '惲',
  '��' => '惵',
  '��' => '惷',
  '��' => '惸',
  '��' => '惻',
  '��' => '惼',
  '��' => '惽',
  '��' => '惾',
  '��' => '惿',
  '��' => '愂',
  '��' => '愃',
  '��' => '愄',
  '��' => '愅',
  '��' => '愇',
  '��' => '愊',
  '��' => '愋',
  '��' => '愌',
  '��' => '愐',
  '��' => '愑',
  '��' => '愒',
  '��' => '愓',
  '��' => '愔',
  '��' => '愖',
  '��' => '愗',
  '��' => '愘',
  '��' => '愙',
  '��' => '愛',
  '��' => '愜',
  '��' => '愝',
  '��' => '愞',
  '��' => '愡',
  '��' => '愢',
  '��' => '愥',
  '��' => '愨',
  '��' => '愩',
  '��' => '愪',
  '��' => '愬',
  '��' => '愭',
  '��' => '愮',
  '��' => '愯',
  '��' => '愰',
  '��' => '愱',
  '��' => '愲',
  '��' => '愳',
  '��' => '愴',
  '��' => '愵',
  '��' => '愶',
  '��' => '愷',
  '��' => '愸',
  '��' => '愹',
  '��' => '愺',
  '��' => '愻',
  '��' => '愼',
  '��' => '愽',
  '��' => '愾',
  '��' => '慀',
  '��' => '慁',
  '��' => '慂',
  '��' => '慃',
  '��' => '慄',
  '��' => '慅',
  '��' => '慆',
  '�@' => '慇',
  '�A' => '慉',
  '�B' => '態',
  '�C' => '慍',
  '�D' => '慏',
  '�E' => '慐',
  '�F' => '慒',
  '�G' => '慓',
  '�H' => '慔',
  '�I' => '慖',
  '�J' => '慗',
  '�K' => '慘',
  '�L' => '慙',
  '�M' => '慚',
  '�N' => '慛',
  '�O' => '慜',
  '�P' => '慞',
  '�Q' => '慟',
  '�R' => '慠',
  '�S' => '慡',
  '�T' => '慣',
  '�U' => '慤',
  '�V' => '慥',
  '�W' => '慦',
  '�X' => '慩',
  '�Y' => '慪',
  '�Z' => '慫',
  '�[' => '慬',
  '�\\' => '慭',
  '�]' => '慮',
  '�^' => '慯',
  '�_' => '慱',
  '�`' => '慲',
  '�a' => '慳',
  '�b' => '慴',
  '�c' => '慶',
  '�d' => '慸',
  '�e' => '慹',
  '�f' => '慺',
  '�g' => '慻',
  '�h' => '慼',
  '�i' => '慽',
  '�j' => '慾',
  '�k' => '慿',
  '�l' => '憀',
  '�m' => '憁',
  '�n' => '憂',
  '�o' => '憃',
  '�p' => '憄',
  '�q' => '憅',
  '�r' => '憆',
  '�s' => '憇',
  '�t' => '憈',
  '�u' => '憉',
  '�v' => '憊',
  '�w' => '憌',
  '�x' => '憍',
  '�y' => '憏',
  '�z' => '憐',
  '�{' => '憑',
  '�|' => '憒',
  '�}' => '憓',
  '�~' => '憕',
  '��' => '憖',
  '��' => '憗',
  '��' => '憘',
  '��' => '憙',
  '��' => '憚',
  '��' => '憛',
  '��' => '憜',
  '��' => '憞',
  '��' => '憟',
  '��' => '憠',
  '��' => '憡',
  '��' => '憢',
  '��' => '憣',
  '��' => '憤',
  '��' => '憥',
  '��' => '憦',
  '��' => '憪',
  '��' => '憫',
  '��' => '憭',
  '��' => '憮',
  '��' => '憯',
  '��' => '憰',
  '��' => '憱',
  '��' => '憲',
  '��' => '憳',
  '��' => '憴',
  '��' => '憵',
  '��' => '憶',
  '��' => '憸',
  '��' => '憹',
  '��' => '憺',
  '��' => '憻',
  '��' => '憼',
  '��' => '憽',
  '��' => '憿',
  '��' => '懀',
  '��' => '懁',
  '��' => '懃',
  '��' => '懄',
  '��' => '懅',
  '��' => '懆',
  '��' => '懇',
  '��' => '應',
  '��' => '懌',
  '��' => '懍',
  '��' => '懎',
  '��' => '懏',
  '��' => '懐',
  '��' => '懓',
  '��' => '懕',
  '��' => '懖',
  '��' => '懗',
  '��' => '懘',
  '��' => '懙',
  '��' => '懚',
  '��' => '懛',
  '��' => '懜',
  '��' => '懝',
  '��' => '懞',
  '��' => '懟',
  '��' => '懠',
  '��' => '懡',
  '��' => '懢',
  '��' => '懣',
  '��' => '懤',
  '��' => '懥',
  '��' => '懧',
  '��' => '懨',
  '��' => '懩',
  '��' => '懪',
  '��' => '懫',
  '��' => '懬',
  '��' => '懭',
  '��' => '懮',
  '��' => '懯',
  '��' => '懰',
  '��' => '懱',
  '��' => '懲',
  '��' => '懳',
  '��' => '懴',
  '��' => '懶',
  '��' => '懷',
  '��' => '懸',
  '��' => '懹',
  '��' => '懺',
  '��' => '懻',
  '��' => '懼',
  '��' => '懽',
  '��' => '懾',
  '��' => '戀',
  '��' => '戁',
  '��' => '戂',
  '��' => '戃',
  '��' => '戄',
  '��' => '戅',
  '��' => '戇',
  '��' => '戉',
  '��' => '戓',
  '��' => '戔',
  '��' => '戙',
  '��' => '戜',
  '��' => '戝',
  '��' => '戞',
  '��' => '戠',
  '��' => '戣',
  '��' => '戦',
  '��' => '戧',
  '��' => '戨',
  '��' => '戩',
  '��' => '戫',
  '��' => '戭',
  '��' => '戯',
  '��' => '戰',
  '��' => '戱',
  '��' => '戲',
  '��' => '戵',
  '��' => '戶',
  '��' => '戸',
  '��' => '戹',
  '��' => '戺',
  '��' => '戻',
  '��' => '戼',
  '��' => '扂',
  '��' => '扄',
  '��' => '扅',
  '��' => '扆',
  '��' => '扊',
  '�@' => '扏',
  '�A' => '扐',
  '�B' => '払',
  '�C' => '扖',
  '�D' => '扗',
  '�E' => '扙',
  '�F' => '扚',
  '�G' => '扜',
  '�H' => '扝',
  '�I' => '扞',
  '�J' => '扟',
  '�K' => '扠',
  '�L' => '扡',
  '�M' => '扢',
  '�N' => '扤',
  '�O' => '扥',
  '�P' => '扨',
  '�Q' => '扱',
  '�R' => '扲',
  '�S' => '扴',
  '�T' => '扵',
  '�U' => '扷',
  '�V' => '扸',
  '�W' => '扺',
  '�X' => '扻',
  '�Y' => '扽',
  '�Z' => '抁',
  '�[' => '抂',
  '�\\' => '抃',
  '�]' => '抅',
  '�^' => '抆',
  '�_' => '抇',
  '�`' => '抈',
  '�a' => '抋',
  '�b' => '抌',
  '�c' => '抍',
  '�d' => '抎',
  '�e' => '抏',
  '�f' => '抐',
  '�g' => '抔',
  '�h' => '抙',
  '�i' => '抜',
  '�j' => '抝',
  '�k' => '択',
  '�l' => '抣',
  '�m' => '抦',
  '�n' => '抧',
  '�o' => '抩',
  '�p' => '抪',
  '�q' => '抭',
  '�r' => '抮',
  '�s' => '抯',
  '�t' => '抰',
  '�u' => '抲',
  '�v' => '抳',
  '�w' => '抴',
  '�x' => '抶',
  '�y' => '抷',
  '�z' => '抸',
  '�{' => '抺',
  '�|' => '抾',
  '�}' => '拀',
  '�~' => '拁',
  '��' => '拃',
  '��' => '拋',
  '��' => '拏',
  '��' => '拑',
  '��' => '拕',
  '��' => '拝',
  '��' => '拞',
  '��' => '拠',
  '��' => '拡',
  '��' => '拤',
  '��' => '拪',
  '��' => '拫',
  '��' => '拰',
  '��' => '拲',
  '��' => '拵',
  '��' => '拸',
  '��' => '拹',
  '��' => '拺',
  '��' => '拻',
  '��' => '挀',
  '��' => '挃',
  '��' => '挄',
  '��' => '挅',
  '��' => '挆',
  '��' => '挊',
  '��' => '挋',
  '��' => '挌',
  '��' => '挍',
  '��' => '挏',
  '��' => '挐',
  '��' => '挒',
  '��' => '挓',
  '��' => '挔',
  '��' => '挕',
  '��' => '挗',
  '��' => '挘',
  '��' => '挙',
  '��' => '挜',
  '��' => '挦',
  '��' => '挧',
  '��' => '挩',
  '��' => '挬',
  '��' => '挭',
  '��' => '挮',
  '��' => '挰',
  '��' => '挱',
  '��' => '挳',
  '��' => '挴',
  '��' => '挵',
  '��' => '挶',
  '��' => '挷',
  '��' => '挸',
  '��' => '挻',
  '��' => '挼',
  '��' => '挾',
  '��' => '挿',
  '��' => '捀',
  '��' => '捁',
  '��' => '捄',
  '��' => '捇',
  '��' => '捈',
  '��' => '捊',
  '��' => '捑',
  '��' => '捒',
  '��' => '捓',
  '��' => '捔',
  '��' => '捖',
  '��' => '捗',
  '��' => '捘',
  '��' => '捙',
  '��' => '捚',
  '��' => '捛',
  '��' => '捜',
  '��' => '捝',
  '��' => '捠',
  '��' => '捤',
  '��' => '捥',
  '��' => '捦',
  '��' => '捨',
  '��' => '捪',
  '��' => '捫',
  '��' => '捬',
  '��' => '捯',
  '��' => '捰',
  '��' => '捲',
  '��' => '捳',
  '��' => '捴',
  '��' => '捵',
  '��' => '捸',
  '��' => '捹',
  '��' => '捼',
  '��' => '捽',
  '��' => '捾',
  '��' => '捿',
  '��' => '掁',
  '��' => '掃',
  '��' => '掄',
  '��' => '掅',
  '��' => '掆',
  '��' => '掋',
  '��' => '掍',
  '��' => '掑',
  '��' => '掓',
  '��' => '掔',
  '��' => '掕',
  '��' => '掗',
  '��' => '掙',
  '��' => '掚',
  '��' => '掛',
  '��' => '掜',
  '��' => '掝',
  '��' => '掞',
  '��' => '掟',
  '��' => '採',
  '��' => '掤',
  '��' => '掦',
  '��' => '掫',
  '��' => '掯',
  '��' => '掱',
  '��' => '掲',
  '��' => '掵',
  '��' => '掶',
  '��' => '掹',
  '��' => '掻',
  '��' => '掽',
  '��' => '掿',
  '��' => '揀',
  '�@' => '揁',
  '�A' => '揂',
  '�B' => '揃',
  '�C' => '揅',
  '�D' => '揇',
  '�E' => '揈',
  '�F' => '揊',
  '�G' => '揋',
  '�H' => '揌',
  '�I' => '揑',
  '�J' => '揓',
  '�K' => '揔',
  '�L' => '揕',
  '�M' => '揗',
  '�N' => '揘',
  '�O' => '揙',
  '�P' => '揚',
  '�Q' => '換',
  '�R' => '揜',
  '�S' => '揝',
  '�T' => '揟',
  '�U' => '揢',
  '�V' => '揤',
  '�W' => '揥',
  '�X' => '揦',
  '�Y' => '揧',
  '�Z' => '揨',
  '�[' => '揫',
  '�\\' => '揬',
  '�]' => '揮',
  '�^' => '揯',
  '�_' => '揰',
  '�`' => '揱',
  '�a' => '揳',
  '�b' => '揵',
  '�c' => '揷',
  '�d' => '揹',
  '�e' => '揺',
  '�f' => '揻',
  '�g' => '揼',
  '�h' => '揾',
  '�i' => '搃',
  '�j' => '搄',
  '�k' => '搆',
  '�l' => '搇',
  '�m' => '搈',
  '�n' => '搉',
  '�o' => '搊',
  '�p' => '損',
  '�q' => '搎',
  '�r' => '搑',
  '�s' => '搒',
  '�t' => '搕',
  '�u' => '搖',
  '�v' => '搗',
  '�w' => '搘',
  '�x' => '搙',
  '�y' => '搚',
  '�z' => '搝',
  '�{' => '搟',
  '�|' => '搢',
  '�}' => '搣',
  '�~' => '搤',
  '��' => '搥',
  '��' => '搧',
  '��' => '搨',
  '��' => '搩',
  '��' => '搫',
  '��' => '搮',
  '��' => '搯',
  '��' => '搰',
  '��' => '搱',
  '��' => '搲',
  '��' => '搳',
  '��' => '搵',
  '��' => '搶',
  '��' => '搷',
  '��' => '搸',
  '��' => '搹',
  '��' => '搻',
  '��' => '搼',
  '��' => '搾',
  '��' => '摀',
  '��' => '摂',
  '��' => '摃',
  '��' => '摉',
  '��' => '摋',
  '��' => '摌',
  '��' => '摍',
  '��' => '摎',
  '��' => '摏',
  '��' => '摐',
  '��' => '摑',
  '��' => '摓',
  '��' => '摕',
  '��' => '摖',
  '��' => '摗',
  '��' => '摙',
  '��' => '摚',
  '��' => '摛',
  '��' => '摜',
  '��' => '摝',
  '��' => '摟',
  '��' => '摠',
  '��' => '摡',
  '��' => '摢',
  '��' => '摣',
  '��' => '摤',
  '��' => '摥',
  '��' => '摦',
  '��' => '摨',
  '��' => '摪',
  '��' => '摫',
  '��' => '摬',
  '��' => '摮',
  '��' => '摯',
  '��' => '摰',
  '��' => '摱',
  '��' => '摲',
  '��' => '摳',
  '��' => '摴',
  '��' => '摵',
  '��' => '摶',
  '��' => '摷',
  '��' => '摻',
  '��' => '摼',
  '��' => '摽',
  '��' => '摾',
  '��' => '摿',
  '��' => '撀',
  '��' => '撁',
  '��' => '撃',
  '��' => '撆',
  '��' => '撈',
  '��' => '撉',
  '��' => '撊',
  '��' => '撋',
  '��' => '撌',
  '��' => '撍',
  '��' => '撎',
  '��' => '撏',
  '��' => '撐',
  '��' => '撓',
  '��' => '撔',
  '��' => '撗',
  '��' => '撘',
  '��' => '撚',
  '��' => '撛',
  '��' => '撜',
  '��' => '撝',
  '��' => '撟',
  '��' => '撠',
  '��' => '撡',
  '��' => '撢',
  '��' => '撣',
  '��' => '撥',
  '��' => '撦',
  '��' => '撧',
  '��' => '撨',
  '��' => '撪',
  '��' => '撫',
  '��' => '撯',
  '��' => '撱',
  '��' => '撲',
  '��' => '撳',
  '��' => '撴',
  '��' => '撶',
  '��' => '撹',
  '��' => '撻',
  '��' => '撽',
  '��' => '撾',
  '��' => '撿',
  '��' => '擁',
  '��' => '擃',
  '��' => '擄',
  '��' => '擆',
  '��' => '擇',
  '��' => '擈',
  '��' => '擉',
  '��' => '擊',
  '��' => '擋',
  '��' => '擌',
  '��' => '擏',
  '��' => '擑',
  '��' => '擓',
  '��' => '擔',
  '��' => '擕',
  '��' => '擖',
  '��' => '擙',
  '��' => '據',
  '�@' => '擛',
  '�A' => '擜',
  '�B' => '擝',
  '�C' => '擟',
  '�D' => '擠',
  '�E' => '擡',
  '�F' => '擣',
  '�G' => '擥',
  '�H' => '擧',
  '�I' => '擨',
  '�J' => '擩',
  '�K' => '擪',
  '�L' => '擫',
  '�M' => '擬',
  '�N' => '擭',
  '�O' => '擮',
  '�P' => '擯',
  '�Q' => '擰',
  '�R' => '擱',
  '�S' => '擲',
  '�T' => '擳',
  '�U' => '擴',
  '�V' => '擵',
  '�W' => '擶',
  '�X' => '擷',
  '�Y' => '擸',
  '�Z' => '擹',
  '�[' => '擺',
  '�\\' => '擻',
  '�]' => '擼',
  '�^' => '擽',
  '�_' => '擾',
  '�`' => '擿',
  '�a' => '攁',
  '�b' => '攂',
  '�c' => '攃',
  '�d' => '攄',
  '�e' => '攅',
  '�f' => '攆',
  '�g' => '攇',
  '�h' => '攈',
  '�i' => '攊',
  '�j' => '攋',
  '�k' => '攌',
  '�l' => '攍',
  '�m' => '攎',
  '�n' => '攏',
  '�o' => '攐',
  '�p' => '攑',
  '�q' => '攓',
  '�r' => '攔',
  '�s' => '攕',
  '�t' => '攖',
  '�u' => '攗',
  '�v' => '攙',
  '�w' => '攚',
  '�x' => '攛',
  '�y' => '攜',
  '�z' => '攝',
  '�{' => '攞',
  '�|' => '攟',
  '�}' => '攠',
  '�~' => '攡',
  '��' => '攢',
  '��' => '攣',
  '��' => '攤',
  '��' => '攦',
  '��' => '攧',
  '��' => '攨',
  '��' => '攩',
  '��' => '攪',
  '��' => '攬',
  '��' => '攭',
  '��' => '攰',
  '��' => '攱',
  '��' => '攲',
  '��' => '攳',
  '��' => '攷',
  '��' => '攺',
  '��' => '攼',
  '��' => '攽',
  '��' => '敀',
  '��' => '敁',
  '��' => '敂',
  '��' => '敃',
  '��' => '敄',
  '��' => '敆',
  '��' => '敇',
  '��' => '敊',
  '��' => '敋',
  '��' => '敍',
  '��' => '敎',
  '��' => '敐',
  '��' => '敒',
  '��' => '敓',
  '��' => '敔',
  '��' => '敗',
  '��' => '敘',
  '��' => '敚',
  '��' => '敜',
  '��' => '敟',
  '��' => '敠',
  '��' => '敡',
  '��' => '敤',
  '��' => '敥',
  '��' => '敧',
  '��' => '敨',
  '��' => '敩',
  '��' => '敪',
  '��' => '敭',
  '��' => '敮',
  '��' => '敯',
  '��' => '敱',
  '��' => '敳',
  '��' => '敵',
  '��' => '敶',
  '��' => '數',
  '��' => '敹',
  '��' => '敺',
  '��' => '敻',
  '��' => '敼',
  '��' => '敽',
  '��' => '敾',
  '��' => '敿',
  '��' => '斀',
  '��' => '斁',
  '��' => '斂',
  '��' => '斃',
  '��' => '斄',
  '��' => '斅',
  '��' => '斆',
  '��' => '斈',
  '��' => '斉',
  '��' => '斊',
  '��' => '斍',
  '��' => '斎',
  '��' => '斏',
  '��' => '斒',
  '��' => '斔',
  '��' => '斕',
  '��' => '斖',
  '��' => '斘',
  '��' => '斚',
  '��' => '斝',
  '��' => '斞',
  '��' => '斠',
  '��' => '斢',
  '��' => '斣',
  '��' => '斦',
  '��' => '斨',
  '��' => '斪',
  '��' => '斬',
  '��' => '斮',
  '��' => '斱',
  '��' => '斲',
  '��' => '斳',
  '��' => '斴',
  '��' => '斵',
  '��' => '斶',
  '��' => '斷',
  '��' => '斸',
  '��' => '斺',
  '��' => '斻',
  '��' => '斾',
  '��' => '斿',
  '��' => '旀',
  '��' => '旂',
  '��' => '旇',
  '��' => '旈',
  '��' => '旉',
  '��' => '旊',
  '��' => '旍',
  '��' => '旐',
  '��' => '旑',
  '��' => '旓',
  '��' => '旔',
  '��' => '旕',
  '��' => '旘',
  '��' => '旙',
  '��' => '旚',
  '��' => '旛',
  '��' => '旜',
  '��' => '旝',
  '��' => '旞',
  '��' => '旟',
  '��' => '旡',
  '��' => '旣',
  '��' => '旤',
  '��' => '旪',
  '��' => '旫',
  '�@' => '旲',
  '�A' => '旳',
  '�B' => '旴',
  '�C' => '旵',
  '�D' => '旸',
  '�E' => '旹',
  '�F' => '旻',
  '�G' => '旼',
  '�H' => '旽',
  '�I' => '旾',
  '�J' => '旿',
  '�K' => '昁',
  '�L' => '昄',
  '�M' => '昅',
  '�N' => '昇',
  '�O' => '昈',
  '�P' => '昉',
  '�Q' => '昋',
  '�R' => '昍',
  '�S' => '昐',
  '�T' => '昑',
  '�U' => '昒',
  '�V' => '昖',
  '�W' => '昗',
  '�X' => '昘',
  '�Y' => '昚',
  '�Z' => '昛',
  '�[' => '昜',
  '�\\' => '昞',
  '�]' => '昡',
  '�^' => '昢',
  '�_' => '昣',
  '�`' => '昤',
  '�a' => '昦',
  '�b' => '昩',
  '�c' => '昪',
  '�d' => '昫',
  '�e' => '昬',
  '�f' => '昮',
  '�g' => '昰',
  '�h' => '昲',
  '�i' => '昳',
  '�j' => '昷',
  '�k' => '昸',
  '�l' => '昹',
  '�m' => '昺',
  '�n' => '昻',
  '�o' => '昽',
  '�p' => '昿',
  '�q' => '晀',
  '�r' => '時',
  '�s' => '晄',
  '�t' => '晅',
  '�u' => '晆',
  '�v' => '晇',
  '�w' => '晈',
  '�x' => '晉',
  '�y' => '晊',
  '�z' => '晍',
  '�{' => '晎',
  '�|' => '晐',
  '�}' => '晑',
  '�~' => '晘',
  '��' => '晙',
  '��' => '晛',
  '��' => '晜',
  '��' => '晝',
  '��' => '晞',
  '��' => '晠',
  '��' => '晢',
  '��' => '晣',
  '��' => '晥',
  '��' => '晧',
  '��' => '晩',
  '��' => '晪',
  '��' => '晫',
  '��' => '晬',
  '��' => '晭',
  '��' => '晱',
  '��' => '晲',
  '��' => '晳',
  '��' => '晵',
  '��' => '晸',
  '��' => '晹',
  '��' => '晻',
  '��' => '晼',
  '��' => '晽',
  '��' => '晿',
  '��' => '暀',
  '��' => '暁',
  '��' => '暃',
  '��' => '暅',
  '��' => '暆',
  '��' => '暈',
  '��' => '暉',
  '��' => '暊',
  '��' => '暋',
  '��' => '暍',
  '��' => '暎',
  '��' => '暏',
  '��' => '暐',
  '��' => '暒',
  '��' => '暓',
  '��' => '暔',
  '��' => '暕',
  '��' => '暘',
  '��' => '暙',
  '��' => '暚',
  '��' => '暛',
  '��' => '暜',
  '��' => '暞',
  '��' => '暟',
  '��' => '暠',
  '��' => '暡',
  '��' => '暢',
  '��' => '暣',
  '��' => '暤',
  '��' => '暥',
  '��' => '暦',
  '��' => '暩',
  '��' => '暪',
  '��' => '暫',
  '��' => '暬',
  '��' => '暭',
  '��' => '暯',
  '��' => '暰',
  '��' => '暱',
  '��' => '暲',
  '��' => '暳',
  '��' => '暵',
  '��' => '暶',
  '��' => '暷',
  '��' => '暸',
  '��' => '暺',
  '��' => '暻',
  '��' => '暼',
  '��' => '暽',
  '��' => '暿',
  '��' => '曀',
  '��' => '曁',
  '��' => '曂',
  '��' => '曃',
  '��' => '曄',
  '��' => '曅',
  '��' => '曆',
  '��' => '曇',
  '��' => '曈',
  '��' => '曉',
  '��' => '曊',
  '��' => '曋',
  '��' => '曌',
  '��' => '曍',
  '��' => '曎',
  '��' => '曏',
  '��' => '曐',
  '��' => '曑',
  '��' => '曒',
  '��' => '曓',
  '��' => '曔',
  '��' => '曕',
  '��' => '曖',
  '��' => '曗',
  '��' => '曘',
  '��' => '曚',
  '��' => '曞',
  '��' => '曟',
  '��' => '曠',
  '��' => '曡',
  '��' => '曢',
  '��' => '曣',
  '��' => '曤',
  '��' => '曥',
  '��' => '曧',
  '��' => '曨',
  '��' => '曪',
  '��' => '曫',
  '��' => '曬',
  '��' => '曭',
  '��' => '曮',
  '��' => '曯',
  '��' => '曱',
  '��' => '曵',
  '��' => '曶',
  '��' => '書',
  '��' => '曺',
  '��' => '曻',
  '��' => '曽',
  '��' => '朁',
  '��' => '朂',
  '��' => '會',
  '�@' => '朄',
  '�A' => '朅',
  '�B' => '朆',
  '�C' => '朇',
  '�D' => '朌',
  '�E' => '朎',
  '�F' => '朏',
  '�G' => '朑',
  '�H' => '朒',
  '�I' => '朓',
  '�J' => '朖',
  '�K' => '朘',
  '�L' => '朙',
  '�M' => '朚',
  '�N' => '朜',
  '�O' => '朞',
  '�P' => '朠',
  '�Q' => '朡',
  '�R' => '朢',
  '�S' => '朣',
  '�T' => '朤',
  '�U' => '朥',
  '�V' => '朧',
  '�W' => '朩',
  '�X' => '朮',
  '�Y' => '朰',
  '�Z' => '朲',
  '�[' => '朳',
  '�\\' => '朶',
  '�]' => '朷',
  '�^' => '朸',
  '�_' => '朹',
  '�`' => '朻',
  '�a' => '朼',
  '�b' => '朾',
  '�c' => '朿',
  '�d' => '杁',
  '�e' => '杄',
  '�f' => '杅',
  '�g' => '杇',
  '�h' => '杊',
  '�i' => '杋',
  '�j' => '杍',
  '�k' => '杒',
  '�l' => '杔',
  '�m' => '杕',
  '�n' => '杗',
  '�o' => '杘',
  '�p' => '杙',
  '�q' => '杚',
  '�r' => '杛',
  '�s' => '杝',
  '�t' => '杢',
  '�u' => '杣',
  '�v' => '杤',
  '�w' => '杦',
  '�x' => '杧',
  '�y' => '杫',
  '�z' => '杬',
  '�{' => '杮',
  '�|' => '東',
  '�}' => '杴',
  '�~' => '杶',
  '��' => '杸',
  '��' => '杹',
  '��' => '杺',
  '��' => '杻',
  '��' => '杽',
  '��' => '枀',
  '��' => '枂',
  '��' => '枃',
  '��' => '枅',
  '��' => '枆',
  '��' => '枈',
  '��' => '枊',
  '��' => '枌',
  '��' => '枍',
  '��' => '枎',
  '��' => '枏',
  '��' => '枑',
  '��' => '枒',
  '��' => '枓',
  '��' => '枔',
  '��' => '枖',
  '��' => '枙',
  '��' => '枛',
  '��' => '枟',
  '��' => '枠',
  '��' => '枡',
  '��' => '枤',
  '��' => '枦',
  '��' => '枩',
  '��' => '枬',
  '��' => '枮',
  '��' => '枱',
  '��' => '枲',
  '��' => '枴',
  '��' => '枹',
  '��' => '枺',
  '��' => '枻',
  '��' => '枼',
  '��' => '枽',
  '��' => '枾',
  '��' => '枿',
  '��' => '柀',
  '��' => '柂',
  '��' => '柅',
  '��' => '柆',
  '��' => '柇',
  '��' => '柈',
  '��' => '柉',
  '��' => '柊',
  '��' => '柋',
  '��' => '柌',
  '��' => '柍',
  '��' => '柎',
  '��' => '柕',
  '��' => '柖',
  '��' => '柗',
  '��' => '柛',
  '��' => '柟',
  '��' => '柡',
  '��' => '柣',
  '��' => '柤',
  '��' => '柦',
  '��' => '柧',
  '��' => '柨',
  '��' => '柪',
  '��' => '柫',
  '��' => '柭',
  '��' => '柮',
  '��' => '柲',
  '��' => '柵',
  '��' => '柶',
  '��' => '柷',
  '��' => '柸',
  '��' => '柹',
  '��' => '柺',
  '��' => '査',
  '��' => '柼',
  '��' => '柾',
  '��' => '栁',
  '��' => '栂',
  '��' => '栃',
  '��' => '栄',
  '��' => '栆',
  '��' => '栍',
  '��' => '栐',
  '��' => '栒',
  '��' => '栔',
  '��' => '栕',
  '��' => '栘',
  '��' => '栙',
  '��' => '栚',
  '��' => '栛',
  '��' => '栜',
  '��' => '栞',
  '��' => '栟',
  '��' => '栠',
  '��' => '栢',
  '��' => '栣',
  '��' => '栤',
  '��' => '栥',
  '��' => '栦',
  '��' => '栧',
  '��' => '栨',
  '��' => '栫',
  '��' => '栬',
  '��' => '栭',
  '��' => '栮',
  '��' => '栯',
  '��' => '栰',
  '��' => '栱',
  '��' => '栴',
  '��' => '栵',
  '��' => '栶',
  '��' => '栺',
  '��' => '栻',
  '��' => '栿',
  '��' => '桇',
  '��' => '桋',
  '��' => '桍',
  '��' => '桏',
  '��' => '桒',
  '��' => '桖',
  '��' => '桗',
  '��' => '桘',
  '��' => '桙',
  '��' => '桚',
  '��' => '桛',
  '�@' => '桜',
  '�A' => '桝',
  '�B' => '桞',
  '�C' => '桟',
  '�D' => '桪',
  '�E' => '桬',
  '�F' => '桭',
  '�G' => '桮',
  '�H' => '桯',
  '�I' => '桰',
  '�J' => '桱',
  '�K' => '桲',
  '�L' => '桳',
  '�M' => '桵',
  '�N' => '桸',
  '�O' => '桹',
  '�P' => '桺',
  '�Q' => '桻',
  '�R' => '桼',
  '�S' => '桽',
  '�T' => '桾',
  '�U' => '桿',
  '�V' => '梀',
  '�W' => '梂',
  '�X' => '梄',
  '�Y' => '梇',
  '�Z' => '梈',
  '�[' => '梉',
  '�\\' => '梊',
  '�]' => '梋',
  '�^' => '梌',
  '�_' => '梍',
  '�`' => '梎',
  '�a' => '梐',
  '�b' => '梑',
  '�c' => '梒',
  '�d' => '梔',
  '�e' => '梕',
  '�f' => '梖',
  '�g' => '梘',
  '�h' => '梙',
  '�i' => '梚',
  '�j' => '梛',
  '�k' => '梜',
  '�l' => '條',
  '�m' => '梞',
  '�n' => '梟',
  '�o' => '梠',
  '�p' => '梡',
  '�q' => '梣',
  '�r' => '梤',
  '�s' => '梥',
  '�t' => '梩',
  '�u' => '梪',
  '�v' => '梫',
  '�w' => '梬',
  '�x' => '梮',
  '�y' => '梱',
  '�z' => '梲',
  '�{' => '梴',
  '�|' => '梶',
  '�}' => '梷',
  '�~' => '梸',
  '��' => '梹',
  '��' => '梺',
  '��' => '梻',
  '��' => '梼',
  '��' => '梽',
  '��' => '梾',
  '��' => '梿',
  '��' => '棁',
  '��' => '棃',
  '��' => '棄',
  '��' => '棅',
  '��' => '棆',
  '��' => '棇',
  '��' => '棈',
  '��' => '棊',
  '��' => '棌',
  '��' => '棎',
  '��' => '棏',
  '��' => '棐',
  '��' => '棑',
  '��' => '棓',
  '��' => '棔',
  '��' => '棖',
  '��' => '棗',
  '��' => '棙',
  '��' => '棛',
  '��' => '棜',
  '��' => '棝',
  '��' => '棞',
  '��' => '棟',
  '��' => '棡',
  '��' => '棢',
  '��' => '棤',
  '��' => '棥',
  '��' => '棦',
  '��' => '棧',
  '��' => '棨',
  '��' => '棩',
  '��' => '棪',
  '��' => '棫',
  '��' => '棬',
  '��' => '棭',
  '��' => '棯',
  '��' => '棲',
  '��' => '棳',
  '��' => '棴',
  '��' => '棶',
  '��' => '棷',
  '��' => '棸',
  '��' => '棻',
  '��' => '棽',
  '��' => '棾',
  '��' => '棿',
  '��' => '椀',
  '��' => '椂',
  '��' => '椃',
  '��' => '椄',
  '��' => '椆',
  '��' => '椇',
  '��' => '椈',
  '��' => '椉',
  '��' => '椊',
  '��' => '椌',
  '��' => '椏',
  '��' => '椑',
  '��' => '椓',
  '��' => '椔',
  '��' => '椕',
  '��' => '椖',
  '��' => '椗',
  '��' => '椘',
  '��' => '椙',
  '��' => '椚',
  '��' => '椛',
  '��' => '検',
  '��' => '椝',
  '��' => '椞',
  '��' => '椡',
  '��' => '椢',
  '��' => '椣',
  '��' => '椥',
  '��' => '椦',
  '��' => '椧',
  '��' => '椨',
  '��' => '椩',
  '��' => '椪',
  '��' => '椫',
  '��' => '椬',
  '��' => '椮',
  '��' => '椯',
  '��' => '椱',
  '��' => '椲',
  '��' => '椳',
  '��' => '椵',
  '��' => '椶',
  '��' => '椷',
  '��' => '椸',
  '��' => '椺',
  '��' => '椻',
  '��' => '椼',
  '��' => '椾',
  '��' => '楀',
  '��' => '楁',
  '��' => '楃',
  '��' => '楄',
  '��' => '楅',
  '��' => '楆',
  '��' => '楇',
  '��' => '楈',
  '��' => '楉',
  '��' => '楊',
  '��' => '楋',
  '��' => '楌',
  '��' => '楍',
  '��' => '楎',
  '��' => '楏',
  '��' => '楐',
  '��' => '楑',
  '��' => '楒',
  '��' => '楓',
  '��' => '楕',
  '��' => '楖',
  '��' => '楘',
  '��' => '楙',
  '��' => '楛',
  '��' => '楜',
  '��' => '楟',
  '�@' => '楡',
  '�A' => '楢',
  '�B' => '楤',
  '�C' => '楥',
  '�D' => '楧',
  '�E' => '楨',
  '�F' => '楩',
  '�G' => '楪',
  '�H' => '楬',
  '�I' => '業',
  '�J' => '楯',
  '�K' => '楰',
  '�L' => '楲',
  '�M' => '楳',
  '�N' => '楴',
  '�O' => '極',
  '�P' => '楶',
  '�Q' => '楺',
  '�R' => '楻',
  '�S' => '楽',
  '�T' => '楾',
  '�U' => '楿',
  '�V' => '榁',
  '�W' => '榃',
  '�X' => '榅',
  '�Y' => '榊',
  '�Z' => '榋',
  '�[' => '榌',
  '�\\' => '榎',
  '�]' => '榏',
  '�^' => '榐',
  '�_' => '榑',
  '�`' => '榒',
  '�a' => '榓',
  '�b' => '榖',
  '�c' => '榗',
  '�d' => '榙',
  '�e' => '榚',
  '�f' => '榝',
  '�g' => '榞',
  '�h' => '榟',
  '�i' => '榠',
  '�j' => '榡',
  '�k' => '榢',
  '�l' => '榣',
  '�m' => '榤',
  '�n' => '榥',
  '�o' => '榦',
  '�p' => '榩',
  '�q' => '榪',
  '�r' => '榬',
  '�s' => '榮',
  '�t' => '榯',
  '�u' => '榰',
  '�v' => '榲',
  '�w' => '榳',
  '�x' => '榵',
  '�y' => '榶',
  '�z' => '榸',
  '�{' => '榹',
  '�|' => '榺',
  '�}' => '榼',
  '�~' => '榽',
  '��' => '榾',
  '��' => '榿',
  '��' => '槀',
  '��' => '槂',
  '��' => '槃',
  '��' => '槄',
  '��' => '槅',
  '��' => '槆',
  '��' => '槇',
  '��' => '槈',
  '��' => '槉',
  '��' => '構',
  '��' => '槍',
  '��' => '槏',
  '��' => '槑',
  '��' => '槒',
  '��' => '槓',
  '��' => '槕',
  '��' => '槖',
  '��' => '槗',
  '��' => '様',
  '��' => '槙',
  '��' => '槚',
  '��' => '槜',
  '��' => '槝',
  '��' => '槞',
  '��' => '槡',
  '��' => '槢',
  '��' => '槣',
  '��' => '槤',
  '��' => '槥',
  '��' => '槦',
  '��' => '槧',
  '��' => '槨',
  '��' => '槩',
  '��' => '槪',
  '��' => '槫',
  '��' => '槬',
  '��' => '槮',
  '��' => '槯',
  '��' => '槰',
  '��' => '槱',
  '��' => '槳',
  '��' => '槴',
  '��' => '槵',
  '��' => '槶',
  '��' => '槷',
  '��' => '槸',
  '��' => '槹',
  '��' => '槺',
  '��' => '槻',
  '��' => '槼',
  '��' => '槾',
  '��' => '樀',
  '��' => '樁',
  '��' => '樂',
  '��' => '樃',
  '��' => '樄',
  '��' => '樅',
  '��' => '樆',
  '��' => '樇',
  '��' => '樈',
  '��' => '樉',
  '��' => '樋',
  '��' => '樌',
  '��' => '樍',
  '��' => '樎',
  '��' => '樏',
  '��' => '樐',
  '��' => '樑',
  '��' => '樒',
  '��' => '樓',
  '��' => '樔',
  '��' => '樕',
  '��' => '樖',
  '��' => '標',
  '��' => '樚',
  '��' => '樛',
  '��' => '樜',
  '��' => '樝',
  '��' => '樞',
  '��' => '樠',
  '��' => '樢',
  '��' => '樣',
  '��' => '樤',
  '��' => '樥',
  '��' => '樦',
  '��' => '樧',
  '��' => '権',
  '��' => '樫',
  '��' => '樬',
  '��' => '樭',
  '��' => '樮',
  '��' => '樰',
  '��' => '樲',
  '��' => '樳',
  '��' => '樴',
  '��' => '樶',
  '��' => '樷',
  '��' => '樸',
  '��' => '樹',
  '��' => '樺',
  '��' => '樻',
  '��' => '樼',
  '��' => '樿',
  '��' => '橀',
  '��' => '橁',
  '��' => '橂',
  '��' => '橃',
  '��' => '橅',
  '��' => '橆',
  '��' => '橈',
  '��' => '橉',
  '��' => '橊',
  '��' => '橋',
  '��' => '橌',
  '��' => '橍',
  '��' => '橎',
  '��' => '橏',
  '��' => '橑',
  '��' => '橒',
  '��' => '橓',
  '��' => '橔',
  '��' => '橕',
  '��' => '橖',
  '��' => '橗',
  '��' => '橚',
  '�@' => '橜',
  '�A' => '橝',
  '�B' => '橞',
  '�C' => '機',
  '�D' => '橠',
  '�E' => '橢',
  '�F' => '橣',
  '�G' => '橤',
  '�H' => '橦',
  '�I' => '橧',
  '�J' => '橨',
  '�K' => '橩',
  '�L' => '橪',
  '�M' => '橫',
  '�N' => '橬',
  '�O' => '橭',
  '�P' => '橮',
  '�Q' => '橯',
  '�R' => '橰',
  '�S' => '橲',
  '�T' => '橳',
  '�U' => '橴',
  '�V' => '橵',
  '�W' => '橶',
  '�X' => '橷',
  '�Y' => '橸',
  '�Z' => '橺',
  '�[' => '橻',
  '�\\' => '橽',
  '�]' => '橾',
  '�^' => '橿',
  '�_' => '檁',
  '�`' => '檂',
  '�a' => '檃',
  '�b' => '檅',
  '�c' => '檆',
  '�d' => '檇',
  '�e' => '檈',
  '�f' => '檉',
  '�g' => '檊',
  '�h' => '檋',
  '�i' => '檌',
  '�j' => '檍',
  '�k' => '檏',
  '�l' => '檒',
  '�m' => '檓',
  '�n' => '檔',
  '�o' => '檕',
  '�p' => '檖',
  '�q' => '檘',
  '�r' => '檙',
  '�s' => '檚',
  '�t' => '檛',
  '�u' => '檜',
  '�v' => '檝',
  '�w' => '檞',
  '�x' => '檟',
  '�y' => '檡',
  '�z' => '檢',
  '�{' => '檣',
  '�|' => '檤',
  '�}' => '檥',
  '�~' => '檦',
  '��' => '檧',
  '��' => '檨',
  '��' => '檪',
  '��' => '檭',
  '��' => '檮',
  '��' => '檯',
  '��' => '檰',
  '��' => '檱',
  '��' => '檲',
  '��' => '檳',
  '��' => '檴',
  '��' => '檵',
  '��' => '檶',
  '��' => '檷',
  '��' => '檸',
  '��' => '檹',
  '��' => '檺',
  '��' => '檻',
  '��' => '檼',
  '��' => '檽',
  '��' => '檾',
  '��' => '檿',
  '��' => '櫀',
  '��' => '櫁',
  '��' => '櫂',
  '��' => '櫃',
  '��' => '櫄',
  '��' => '櫅',
  '��' => '櫆',
  '��' => '櫇',
  '��' => '櫈',
  '��' => '櫉',
  '��' => '櫊',
  '��' => '櫋',
  '��' => '櫌',
  '��' => '櫍',
  '��' => '櫎',
  '��' => '櫏',
  '��' => '櫐',
  '��' => '櫑',
  '��' => '櫒',
  '��' => '櫓',
  '��' => '櫔',
  '��' => '櫕',
  '��' => '櫖',
  '��' => '櫗',
  '��' => '櫘',
  '��' => '櫙',
  '��' => '櫚',
  '��' => '櫛',
  '��' => '櫜',
  '��' => '櫝',
  '��' => '櫞',
  '��' => '櫟',
  '��' => '櫠',
  '��' => '櫡',
  '��' => '櫢',
  '��' => '櫣',
  '��' => '櫤',
  '��' => '櫥',
  '��' => '櫦',
  '��' => '櫧',
  '��' => '櫨',
  '��' => '櫩',
  '��' => '櫪',
  '��' => '櫫',
  '��' => '櫬',
  '��' => '櫭',
  '��' => '櫮',
  '��' => '櫯',
  '��' => '櫰',
  '��' => '櫱',
  '��' => '櫲',
  '��' => '櫳',
  '��' => '櫴',
  '��' => '櫵',
  '��' => '櫶',
  '��' => '櫷',
  '��' => '櫸',
  '��' => '櫹',
  '��' => '櫺',
  '��' => '櫻',
  '��' => '櫼',
  '��' => '櫽',
  '��' => '櫾',
  '��' => '櫿',
  '��' => '欀',
  '��' => '欁',
  '��' => '欂',
  '��' => '欃',
  '��' => '欄',
  '��' => '欅',
  '��' => '欆',
  '��' => '欇',
  '��' => '欈',
  '��' => '欉',
  '��' => '權',
  '��' => '欋',
  '��' => '欌',
  '��' => '欍',
  '��' => '欎',
  '��' => '欏',
  '��' => '欐',
  '��' => '欑',
  '��' => '欒',
  '��' => '欓',
  '��' => '欔',
  '��' => '欕',
  '��' => '欖',
  '��' => '欗',
  '��' => '欘',
  '��' => '欙',
  '��' => '欚',
  '��' => '欛',
  '��' => '欜',
  '��' => '欝',
  '��' => '欞',
  '��' => '欟',
  '��' => '欥',
  '��' => '欦',
  '��' => '欨',
  '��' => '欩',
  '��' => '欪',
  '��' => '欫',
  '��' => '欬',
  '��' => '欭',
  '��' => '欮',
  '�@' => '欯',
  '�A' => '欰',
  '�B' => '欱',
  '�C' => '欳',
  '�D' => '欴',
  '�E' => '欵',
  '�F' => '欶',
  '�G' => '欸',
  '�H' => '欻',
  '�I' => '欼',
  '�J' => '欽',
  '�K' => '欿',
  '�L' => '歀',
  '�M' => '歁',
  '�N' => '歂',
  '�O' => '歄',
  '�P' => '歅',
  '�Q' => '歈',
  '�R' => '歊',
  '�S' => '歋',
  '�T' => '歍',
  '�U' => '歎',
  '�V' => '歏',
  '�W' => '歐',
  '�X' => '歑',
  '�Y' => '歒',
  '�Z' => '歓',
  '�[' => '歔',
  '�\\' => '歕',
  '�]' => '歖',
  '�^' => '歗',
  '�_' => '歘',
  '�`' => '歚',
  '�a' => '歛',
  '�b' => '歜',
  '�c' => '歝',
  '�d' => '歞',
  '�e' => '歟',
  '�f' => '歠',
  '�g' => '歡',
  '�h' => '歨',
  '�i' => '歩',
  '�j' => '歫',
  '�k' => '歬',
  '�l' => '歭',
  '�m' => '歮',
  '�n' => '歯',
  '�o' => '歰',
  '�p' => '歱',
  '�q' => '歲',
  '�r' => '歳',
  '�s' => '歴',
  '�t' => '歵',
  '�u' => '歶',
  '�v' => '歷',
  '�w' => '歸',
  '�x' => '歺',
  '�y' => '歽',
  '�z' => '歾',
  '�{' => '歿',
  '�|' => '殀',
  '�}' => '殅',
  '�~' => '殈',
  '��' => '殌',
  '��' => '殎',
  '��' => '殏',
  '��' => '殐',
  '��' => '殑',
  '��' => '殔',
  '��' => '殕',
  '��' => '殗',
  '��' => '殘',
  '��' => '殙',
  '��' => '殜',
  '��' => '殝',
  '��' => '殞',
  '��' => '殟',
  '��' => '殠',
  '��' => '殢',
  '��' => '殣',
  '��' => '殤',
  '��' => '殥',
  '��' => '殦',
  '��' => '殧',
  '��' => '殨',
  '��' => '殩',
  '��' => '殫',
  '��' => '殬',
  '��' => '殭',
  '��' => '殮',
  '��' => '殯',
  '��' => '殰',
  '��' => '殱',
  '��' => '殲',
  '��' => '殶',
  '��' => '殸',
  '��' => '殹',
  '��' => '殺',
  '��' => '殻',
  '��' => '殼',
  '��' => '殽',
  '��' => '殾',
  '��' => '毀',
  '��' => '毃',
  '��' => '毄',
  '��' => '毆',
  '��' => '毇',
  '��' => '毈',
  '��' => '毉',
  '��' => '毊',
  '��' => '毌',
  '��' => '毎',
  '��' => '毐',
  '��' => '毑',
  '��' => '毘',
  '��' => '毚',
  '��' => '毜',
  '��' => '毝',
  '��' => '毞',
  '��' => '毟',
  '��' => '毠',
  '��' => '毢',
  '��' => '毣',
  '��' => '毤',
  '��' => '毥',
  '��' => '毦',
  '��' => '毧',
  '��' => '毨',
  '��' => '毩',
  '��' => '毬',
  '��' => '毭',
  '��' => '毮',
  '��' => '毰',
  '��' => '毱',
  '��' => '毲',
  '��' => '毴',
  '��' => '毶',
  '��' => '毷',
  '��' => '毸',
  '��' => '毺',
  '��' => '毻',
  '��' => '毼',
  '��' => '毾',
  '��' => '毿',
  '��' => '氀',
  '��' => '氁',
  '��' => '氂',
  '��' => '氃',
  '��' => '氄',
  '��' => '氈',
  '��' => '氉',
  '��' => '氊',
  '��' => '氋',
  '��' => '氌',
  '��' => '氎',
  '��' => '氒',
  '��' => '気',
  '��' => '氜',
  '��' => '氝',
  '��' => '氞',
  '��' => '氠',
  '��' => '氣',
  '��' => '氥',
  '��' => '氫',
  '��' => '氬',
  '��' => '氭',
  '��' => '氱',
  '��' => '氳',
  '��' => '氶',
  '��' => '氷',
  '��' => '氹',
  '��' => '氺',
  '��' => '氻',
  '��' => '氼',
  '��' => '氾',
  '��' => '氿',
  '��' => '汃',
  '��' => '汄',
  '��' => '汅',
  '��' => '汈',
  '��' => '汋',
  '��' => '汌',
  '��' => '汍',
  '��' => '汎',
  '��' => '汏',
  '��' => '汑',
  '��' => '汒',
  '��' => '汓',
  '��' => '汖',
  '��' => '汘',
  '�@' => '汙',
  '�A' => '汚',
  '�B' => '汢',
  '�C' => '汣',
  '�D' => '汥',
  '�E' => '汦',
  '�F' => '汧',
  '�G' => '汫',
  '�H' => '汬',
  '�I' => '汭',
  '�J' => '汮',
  '�K' => '汯',
  '�L' => '汱',
  '�M' => '汳',
  '�N' => '汵',
  '�O' => '汷',
  '�P' => '汸',
  '�Q' => '決',
  '�R' => '汻',
  '�S' => '汼',
  '�T' => '汿',
  '�U' => '沀',
  '�V' => '沄',
  '�W' => '沇',
  '�X' => '沊',
  '�Y' => '沋',
  '�Z' => '沍',
  '�[' => '沎',
  '�\\' => '沑',
  '�]' => '沒',
  '�^' => '沕',
  '�_' => '沖',
  '�`' => '沗',
  '�a' => '沘',
  '�b' => '沚',
  '�c' => '沜',
  '�d' => '沝',
  '�e' => '沞',
  '�f' => '沠',
  '�g' => '沢',
  '�h' => '沨',
  '�i' => '沬',
  '�j' => '沯',
  '�k' => '沰',
  '�l' => '沴',
  '�m' => '沵',
  '�n' => '沶',
  '�o' => '沷',
  '�p' => '沺',
  '�q' => '泀',
  '�r' => '況',
  '�s' => '泂',
  '�t' => '泃',
  '�u' => '泆',
  '�v' => '泇',
  '�w' => '泈',
  '�x' => '泋',
  '�y' => '泍',
  '�z' => '泎',
  '�{' => '泏',
  '�|' => '泑',
  '�}' => '泒',
  '�~' => '泘',
  '��' => '泙',
  '��' => '泚',
  '��' => '泜',
  '��' => '泝',
  '��' => '泟',
  '��' => '泤',
  '��' => '泦',
  '��' => '泧',
  '��' => '泩',
  '��' => '泬',
  '��' => '泭',
  '��' => '泲',
  '��' => '泴',
  '��' => '泹',
  '��' => '泿',
  '��' => '洀',
  '��' => '洂',
  '��' => '洃',
  '��' => '洅',
  '��' => '洆',
  '��' => '洈',
  '��' => '洉',
  '��' => '洊',
  '��' => '洍',
  '��' => '洏',
  '��' => '洐',
  '��' => '洑',
  '��' => '洓',
  '��' => '洔',
  '��' => '洕',
  '��' => '洖',
  '��' => '洘',
  '��' => '洜',
  '��' => '洝',
  '��' => '洟',
  '��' => '洠',
  '��' => '洡',
  '��' => '洢',
  '��' => '洣',
  '��' => '洤',
  '��' => '洦',
  '��' => '洨',
  '��' => '洩',
  '��' => '洬',
  '��' => '洭',
  '��' => '洯',
  '��' => '洰',
  '��' => '洴',
  '��' => '洶',
  '��' => '洷',
  '��' => '洸',
  '��' => '洺',
  '��' => '洿',
  '��' => '浀',
  '��' => '浂',
  '��' => '浄',
  '��' => '浉',
  '��' => '浌',
  '��' => '浐',
  '��' => '浕',
  '��' => '浖',
  '��' => '浗',
  '��' => '浘',
  '��' => '浛',
  '��' => '浝',
  '��' => '浟',
  '��' => '浡',
  '��' => '浢',
  '��' => '浤',
  '��' => '浥',
  '��' => '浧',
  '��' => '浨',
  '��' => '浫',
  '��' => '浬',
  '��' => '浭',
  '��' => '浰',
  '��' => '浱',
  '��' => '浲',
  '��' => '浳',
  '��' => '浵',
  '��' => '浶',
  '��' => '浹',
  '��' => '浺',
  '��' => '浻',
  '��' => '浽',
  '��' => '浾',
  '��' => '浿',
  '��' => '涀',
  '��' => '涁',
  '��' => '涃',
  '��' => '涄',
  '��' => '涆',
  '��' => '涇',
  '��' => '涊',
  '��' => '涋',
  '��' => '涍',
  '��' => '涏',
  '��' => '涐',
  '��' => '涒',
  '��' => '涖',
  '��' => '涗',
  '��' => '涘',
  '��' => '涙',
  '��' => '涚',
  '��' => '涜',
  '��' => '涢',
  '��' => '涥',
  '��' => '涬',
  '��' => '涭',
  '��' => '涰',
  '��' => '涱',
  '��' => '涳',
  '��' => '涴',
  '��' => '涶',
  '��' => '涷',
  '��' => '涹',
  '��' => '涺',
  '��' => '涻',
  '��' => '涼',
  '��' => '涽',
  '��' => '涾',
  '��' => '淁',
  '��' => '淂',
  '��' => '淃',
  '��' => '淈',
  '��' => '淉',
  '��' => '淊',
  '�@' => '淍',
  '�A' => '淎',
  '�B' => '淏',
  '�C' => '淐',
  '�D' => '淒',
  '�E' => '淓',
  '�F' => '淔',
  '�G' => '淕',
  '�H' => '淗',
  '�I' => '淚',
  '�J' => '淛',
  '�K' => '淜',
  '�L' => '淟',
  '�M' => '淢',
  '�N' => '淣',
  '�O' => '淥',
  '�P' => '淧',
  '�Q' => '淨',
  '�R' => '淩',
  '�S' => '淪',
  '�T' => '淭',
  '�U' => '淯',
  '�V' => '淰',
  '�W' => '淲',
  '�X' => '淴',
  '�Y' => '淵',
  '�Z' => '淶',
  '�[' => '淸',
  '�\\' => '淺',
  '�]' => '淽',
  '�^' => '淾',
  '�_' => '淿',
  '�`' => '渀',
  '�a' => '渁',
  '�b' => '渂',
  '�c' => '渃',
  '�d' => '渄',
  '�e' => '渆',
  '�f' => '渇',
  '�g' => '済',
  '�h' => '渉',
  '�i' => '渋',
  '�j' => '渏',
  '�k' => '渒',
  '�l' => '渓',
  '�m' => '渕',
  '�n' => '渘',
  '�o' => '渙',
  '�p' => '減',
  '�q' => '渜',
  '�r' => '渞',
  '�s' => '渟',
  '�t' => '渢',
  '�u' => '渦',
  '�v' => '渧',
  '�w' => '渨',
  '�x' => '渪',
  '�y' => '測',
  '�z' => '渮',
  '�{' => '渰',
  '�|' => '渱',
  '�}' => '渳',
  '�~' => '渵',
  '��' => '渶',
  '��' => '渷',
  '��' => '渹',
  '��' => '渻',
  '��' => '渼',
  '��' => '渽',
  '��' => '渾',
  '��' => '渿',
  '��' => '湀',
  '��' => '湁',
  '��' => '湂',
  '��' => '湅',
  '��' => '湆',
  '��' => '湇',
  '��' => '湈',
  '��' => '湉',
  '��' => '湊',
  '��' => '湋',
  '��' => '湌',
  '��' => '湏',
  '��' => '湐',
  '��' => '湑',
  '��' => '湒',
  '��' => '湕',
  '��' => '湗',
  '��' => '湙',
  '��' => '湚',
  '��' => '湜',
  '��' => '湝',
  '��' => '湞',
  '��' => '湠',
  '��' => '湡',
  '��' => '湢',
  '��' => '湣',
  '��' => '湤',
  '��' => '湥',
  '��' => '湦',
  '��' => '湧',
  '��' => '湨',
  '��' => '湩',
  '��' => '湪',
  '��' => '湬',
  '��' => '湭',
  '��' => '湯',
  '��' => '湰',
  '��' => '湱',
  '��' => '湲',
  '��' => '湳',
  '��' => '湴',
  '��' => '湵',
  '��' => '湶',
  '��' => '湷',
  '��' => '湸',
  '��' => '湹',
  '��' => '湺',
  '��' => '湻',
  '��' => '湼',
  '��' => '湽',
  '��' => '満',
  '��' => '溁',
  '��' => '溂',
  '��' => '溄',
  '��' => '溇',
  '��' => '溈',
  '��' => '溊',
  '��' => '溋',
  '��' => '溌',
  '��' => '溍',
  '��' => '溎',
  '��' => '溑',
  '��' => '溒',
  '��' => '溓',
  '��' => '溔',
  '��' => '溕',
  '��' => '準',
  '��' => '溗',
  '��' => '溙',
  '��' => '溚',
  '��' => '溛',
  '��' => '溝',
  '��' => '溞',
  '��' => '溠',
  '��' => '溡',
  '��' => '溣',
  '��' => '溤',
  '��' => '溦',
  '��' => '溨',
  '��' => '溩',
  '��' => '溫',
  '��' => '溬',
  '��' => '溭',
  '��' => '溮',
  '��' => '溰',
  '��' => '溳',
  '��' => '溵',
  '��' => '溸',
  '��' => '溹',
  '��' => '溼',
  '��' => '溾',
  '��' => '溿',
  '��' => '滀',
  '��' => '滃',
  '��' => '滄',
  '��' => '滅',
  '��' => '滆',
  '��' => '滈',
  '��' => '滉',
  '��' => '滊',
  '��' => '滌',
  '��' => '滍',
  '��' => '滎',
  '��' => '滐',
  '��' => '滒',
  '��' => '滖',
  '��' => '滘',
  '��' => '滙',
  '��' => '滛',
  '��' => '滜',
  '��' => '滝',
  '��' => '滣',
  '��' => '滧',
  '��' => '滪',
  '��' => '滫',
  '��' => '滬',
  '��' => '滭',
  '��' => '滮',
  '��' => '滯',
  '�@' => '滰',
  '�A' => '滱',
  '�B' => '滲',
  '�C' => '滳',
  '�D' => '滵',
  '�E' => '滶',
  '�F' => '滷',
  '�G' => '滸',
  '�H' => '滺',
  '�I' => '滻',
  '�J' => '滼',
  '�K' => '滽',
  '�L' => '滾',
  '�M' => '滿',
  '�N' => '漀',
  '�O' => '漁',
  '�P' => '漃',
  '�Q' => '漄',
  '�R' => '漅',
  '�S' => '漇',
  '�T' => '漈',
  '�U' => '漊',
  '�V' => '漋',
  '�W' => '漌',
  '�X' => '漍',
  '�Y' => '漎',
  '�Z' => '漐',
  '�[' => '漑',
  '�\\' => '漒',
  '�]' => '漖',
  '�^' => '漗',
  '�_' => '漘',
  '�`' => '漙',
  '�a' => '漚',
  '�b' => '漛',
  '�c' => '漜',
  '�d' => '漝',
  '�e' => '漞',
  '�f' => '漟',
  '�g' => '漡',
  '�h' => '漢',
  '�i' => '漣',
  '�j' => '漥',
  '�k' => '漦',
  '�l' => '漧',
  '�m' => '漨',
  '�n' => '漬',
  '�o' => '漮',
  '�p' => '漰',
  '�q' => '漲',
  '�r' => '漴',
  '�s' => '漵',
  '�t' => '漷',
  '�u' => '漸',
  '�v' => '漹',
  '�w' => '漺',
  '�x' => '漻',
  '�y' => '漼',
  '�z' => '漽',
  '�{' => '漿',
  '�|' => '潀',
  '�}' => '潁',
  '�~' => '潂',
  '��' => '潃',
  '��' => '潄',
  '��' => '潅',
  '��' => '潈',
  '��' => '潉',
  '��' => '潊',
  '��' => '潌',
  '��' => '潎',
  '��' => '潏',
  '��' => '潐',
  '��' => '潑',
  '��' => '潒',
  '��' => '潓',
  '��' => '潔',
  '��' => '潕',
  '��' => '潖',
  '��' => '潗',
  '��' => '潙',
  '��' => '潚',
  '��' => '潛',
  '��' => '潝',
  '��' => '潟',
  '��' => '潠',
  '��' => '潡',
  '��' => '潣',
  '��' => '潤',
  '��' => '潥',
  '��' => '潧',
  '��' => '潨',
  '��' => '潩',
  '��' => '潪',
  '��' => '潫',
  '��' => '潬',
  '��' => '潯',
  '��' => '潰',
  '��' => '潱',
  '��' => '潳',
  '��' => '潵',
  '��' => '潶',
  '��' => '潷',
  '��' => '潹',
  '��' => '潻',
  '��' => '潽',
  '��' => '潾',
  '��' => '潿',
  '��' => '澀',
  '��' => '澁',
  '��' => '澂',
  '��' => '澃',
  '��' => '澅',
  '��' => '澆',
  '��' => '澇',
  '��' => '澊',
  '��' => '澋',
  '��' => '澏',
  '��' => '澐',
  '��' => '澑',
  '��' => '澒',
  '��' => '澓',
  '��' => '澔',
  '��' => '澕',
  '��' => '澖',
  '��' => '澗',
  '��' => '澘',
  '��' => '澙',
  '��' => '澚',
  '��' => '澛',
  '��' => '澝',
  '��' => '澞',
  '��' => '澟',
  '��' => '澠',
  '��' => '澢',
  '��' => '澣',
  '��' => '澤',
  '��' => '澥',
  '��' => '澦',
  '��' => '澨',
  '��' => '澩',
  '��' => '澪',
  '��' => '澫',
  '��' => '澬',
  '��' => '澭',
  '��' => '澮',
  '��' => '澯',
  '��' => '澰',
  '��' => '澱',
  '��' => '澲',
  '��' => '澴',
  '��' => '澵',
  '��' => '澷',
  '��' => '澸',
  '��' => '澺',
  '��' => '澻',
  '��' => '澼',
  '��' => '澽',
  '��' => '澾',
  '��' => '澿',
  '��' => '濁',
  '��' => '濃',
  '��' => '濄',
  '��' => '濅',
  '��' => '濆',
  '��' => '濇',
  '��' => '濈',
  '��' => '濊',
  '��' => '濋',
  '��' => '濌',
  '��' => '濍',
  '��' => '濎',
  '��' => '濏',
  '��' => '濐',
  '��' => '濓',
  '��' => '濔',
  '��' => '濕',
  '��' => '濖',
  '��' => '濗',
  '��' => '濘',
  '��' => '濙',
  '��' => '濚',
  '��' => '濛',
  '��' => '濜',
  '��' => '濝',
  '��' => '濟',
  '��' => '濢',
  '��' => '濣',
  '��' => '濤',
  '��' => '濥',
  '�@' => '濦',
  '�A' => '濧',
  '�B' => '濨',
  '�C' => '濩',
  '�D' => '濪',
  '�E' => '濫',
  '�F' => '濬',
  '�G' => '濭',
  '�H' => '濰',
  '�I' => '濱',
  '�J' => '濲',
  '�K' => '濳',
  '�L' => '濴',
  '�M' => '濵',
  '�N' => '濶',
  '�O' => '濷',
  '�P' => '濸',
  '�Q' => '濹',
  '�R' => '濺',
  '�S' => '濻',
  '�T' => '濼',
  '�U' => '濽',
  '�V' => '濾',
  '�W' => '濿',
  '�X' => '瀀',
  '�Y' => '瀁',
  '�Z' => '瀂',
  '�[' => '瀃',
  '�\\' => '瀄',
  '�]' => '瀅',
  '�^' => '瀆',
  '�_' => '瀇',
  '�`' => '瀈',
  '�a' => '瀉',
  '�b' => '瀊',
  '�c' => '瀋',
  '�d' => '瀌',
  '�e' => '瀍',
  '�f' => '瀎',
  '�g' => '瀏',
  '�h' => '瀐',
  '�i' => '瀒',
  '�j' => '瀓',
  '�k' => '瀔',
  '�l' => '瀕',
  '�m' => '瀖',
  '�n' => '瀗',
  '�o' => '瀘',
  '�p' => '瀙',
  '�q' => '瀜',
  '�r' => '瀝',
  '�s' => '瀞',
  '�t' => '瀟',
  '�u' => '瀠',
  '�v' => '瀡',
  '�w' => '瀢',
  '�x' => '瀤',
  '�y' => '瀥',
  '�z' => '瀦',
  '�{' => '瀧',
  '�|' => '瀨',
  '�}' => '瀩',
  '�~' => '瀪',
  '��' => '瀫',
  '��' => '瀬',
  '��' => '瀭',
  '��' => '瀮',
  '��' => '瀯',
  '��' => '瀰',
  '��' => '瀱',
  '��' => '瀲',
  '��' => '瀳',
  '��' => '瀴',
  '��' => '瀶',
  '��' => '瀷',
  '��' => '瀸',
  '��' => '瀺',
  '��' => '瀻',
  '��' => '瀼',
  '��' => '瀽',
  '��' => '瀾',
  '��' => '瀿',
  '��' => '灀',
  '��' => '灁',
  '��' => '灂',
  '��' => '灃',
  '��' => '灄',
  '��' => '灅',
  '��' => '灆',
  '��' => '灇',
  '��' => '灈',
  '��' => '灉',
  '��' => '灊',
  '��' => '灋',
  '��' => '灍',
  '��' => '灎',
  '��' => '灐',
  '��' => '灑',
  '��' => '灒',
  '��' => '灓',
  '��' => '灔',
  '��' => '灕',
  '��' => '灖',
  '��' => '灗',
  '��' => '灘',
  '��' => '灙',
  '��' => '灚',
  '��' => '灛',
  '��' => '灜',
  '��' => '灝',
  '��' => '灟',
  '��' => '灠',
  '��' => '灡',
  '��' => '灢',
  '��' => '灣',
  '��' => '灤',
  '��' => '灥',
  '��' => '灦',
  '��' => '灧',
  '��' => '灨',
  '��' => '灩',
  '��' => '灪',
  '��' => '灮',
  '��' => '灱',
  '��' => '灲',
  '��' => '灳',
  '��' => '灴',
  '��' => '灷',
  '��' => '灹',
  '��' => '灺',
  '��' => '灻',
  '��' => '災',
  '��' => '炁',
  '��' => '炂',
  '��' => '炃',
  '��' => '炄',
  '��' => '炆',
  '��' => '炇',
  '��' => '炈',
  '��' => '炋',
  '��' => '炌',
  '��' => '炍',
  '��' => '炏',
  '��' => '炐',
  '��' => '炑',
  '��' => '炓',
  '��' => '炗',
  '��' => '炘',
  '��' => '炚',
  '��' => '炛',
  '��' => '炞',
  '��' => '炟',
  '��' => '炠',
  '��' => '炡',
  '��' => '炢',
  '��' => '炣',
  '��' => '炤',
  '��' => '炥',
  '��' => '炦',
  '��' => '炧',
  '��' => '炨',
  '��' => '炩',
  '��' => '炪',
  '��' => '炰',
  '��' => '炲',
  '��' => '炴',
  '��' => '炵',
  '��' => '炶',
  '��' => '為',
  '��' => '炾',
  '��' => '炿',
  '��' => '烄',
  '��' => '烅',
  '��' => '烆',
  '��' => '烇',
  '��' => '烉',
  '��' => '烋',
  '��' => '烌',
  '��' => '烍',
  '��' => '烎',
  '��' => '烏',
  '��' => '烐',
  '��' => '烑',
  '��' => '烒',
  '��' => '烓',
  '��' => '烔',
  '��' => '烕',
  '��' => '烖',
  '��' => '烗',
  '��' => '烚',
  '�@' => '烜',
  '�A' => '烝',
  '�B' => '烞',
  '�C' => '烠',
  '�D' => '烡',
  '�E' => '烢',
  '�F' => '烣',
  '�G' => '烥',
  '�H' => '烪',
  '�I' => '烮',
  '�J' => '烰',
  '�K' => '烱',
  '�L' => '烲',
  '�M' => '烳',
  '�N' => '烴',
  '�O' => '烵',
  '�P' => '烶',
  '�Q' => '烸',
  '�R' => '烺',
  '�S' => '烻',
  '�T' => '烼',
  '�U' => '烾',
  '�V' => '烿',
  '�W' => '焀',
  '�X' => '焁',
  '�Y' => '焂',
  '�Z' => '焃',
  '�[' => '焄',
  '�\\' => '焅',
  '�]' => '焆',
  '�^' => '焇',
  '�_' => '焈',
  '�`' => '焋',
  '�a' => '焌',
  '�b' => '焍',
  '�c' => '焎',
  '�d' => '焏',
  '�e' => '焑',
  '�f' => '焒',
  '�g' => '焔',
  '�h' => '焗',
  '�i' => '焛',
  '�j' => '焜',
  '�k' => '焝',
  '�l' => '焞',
  '�m' => '焟',
  '�n' => '焠',
  '�o' => '無',
  '�p' => '焢',
  '�q' => '焣',
  '�r' => '焤',
  '�s' => '焥',
  '�t' => '焧',
  '�u' => '焨',
  '�v' => '焩',
  '�w' => '焪',
  '�x' => '焫',
  '�y' => '焬',
  '�z' => '焭',
  '�{' => '焮',
  '�|' => '焲',
  '�}' => '焳',
  '�~' => '焴',
  '��' => '焵',
  '��' => '焷',
  '��' => '焸',
  '��' => '焹',
  '��' => '焺',
  '��' => '焻',
  '��' => '焼',
  '��' => '焽',
  '��' => '焾',
  '��' => '焿',
  '��' => '煀',
  '��' => '煁',
  '��' => '煂',
  '��' => '煃',
  '��' => '煄',
  '��' => '煆',
  '��' => '煇',
  '��' => '煈',
  '��' => '煉',
  '��' => '煋',
  '��' => '煍',
  '��' => '煏',
  '��' => '煐',
  '��' => '煑',
  '��' => '煒',
  '��' => '煓',
  '��' => '煔',
  '��' => '煕',
  '��' => '煖',
  '��' => '煗',
  '��' => '煘',
  '��' => '煙',
  '��' => '煚',
  '��' => '煛',
  '��' => '煝',
  '��' => '煟',
  '��' => '煠',
  '��' => '煡',
  '��' => '煢',
  '��' => '煣',
  '��' => '煥',
  '��' => '煩',
  '��' => '煪',
  '��' => '煫',
  '��' => '煬',
  '��' => '煭',
  '��' => '煯',
  '��' => '煰',
  '��' => '煱',
  '��' => '煴',
  '��' => '煵',
  '��' => '煶',
  '��' => '煷',
  '��' => '煹',
  '��' => '煻',
  '��' => '煼',
  '��' => '煾',
  '��' => '煿',
  '��' => '熀',
  '��' => '熁',
  '��' => '熂',
  '��' => '熃',
  '��' => '熅',
  '��' => '熆',
  '��' => '熇',
  '��' => '熈',
  '��' => '熉',
  '��' => '熋',
  '��' => '熌',
  '��' => '熍',
  '��' => '熎',
  '��' => '熐',
  '��' => '熑',
  '��' => '熒',
  '��' => '熓',
  '��' => '熕',
  '��' => '熖',
  '��' => '熗',
  '��' => '熚',
  '��' => '熛',
  '��' => '熜',
  '��' => '熝',
  '��' => '熞',
  '��' => '熡',
  '��' => '熢',
  '��' => '熣',
  '��' => '熤',
  '��' => '熥',
  '��' => '熦',
  '��' => '熧',
  '��' => '熩',
  '��' => '熪',
  '��' => '熫',
  '��' => '熭',
  '��' => '熮',
  '��' => '熯',
  '��' => '熰',
  '��' => '熱',
  '��' => '熲',
  '��' => '熴',
  '��' => '熶',
  '��' => '熷',
  '��' => '熸',
  '��' => '熺',
  '��' => '熻',
  '��' => '熼',
  '��' => '熽',
  '��' => '熾',
  '��' => '熿',
  '��' => '燀',
  '��' => '燁',
  '��' => '燂',
  '��' => '燄',
  '��' => '燅',
  '��' => '燆',
  '��' => '燇',
  '��' => '燈',
  '��' => '燉',
  '��' => '燊',
  '��' => '燋',
  '��' => '燌',
  '��' => '燍',
  '��' => '燏',
  '��' => '燐',
  '��' => '燑',
  '��' => '燒',
  '��' => '燓',
  '�@' => '燖',
  '�A' => '燗',
  '�B' => '燘',
  '�C' => '燙',
  '�D' => '燚',
  '�E' => '燛',
  '�F' => '燜',
  '�G' => '燝',
  '�H' => '燞',
  '�I' => '營',
  '�J' => '燡',
  '�K' => '燢',
  '�L' => '燣',
  '�M' => '燤',
  '�N' => '燦',
  '�O' => '燨',
  '�P' => '燩',
  '�Q' => '燪',
  '�R' => '燫',
  '�S' => '燬',
  '�T' => '燭',
  '�U' => '燯',
  '�V' => '燰',
  '�W' => '燱',
  '�X' => '燲',
  '�Y' => '燳',
  '�Z' => '燴',
  '�[' => '燵',
  '�\\' => '燶',
  '�]' => '燷',
  '�^' => '燸',
  '�_' => '燺',
  '�`' => '燻',
  '�a' => '燼',
  '�b' => '燽',
  '�c' => '燾',
  '�d' => '燿',
  '�e' => '爀',
  '�f' => '爁',
  '�g' => '爂',
  '�h' => '爃',
  '�i' => '爄',
  '�j' => '爅',
  '�k' => '爇',
  '�l' => '爈',
  '�m' => '爉',
  '�n' => '爊',
  '�o' => '爋',
  '�p' => '爌',
  '�q' => '爍',
  '�r' => '爎',
  '�s' => '爏',
  '�t' => '爐',
  '�u' => '爑',
  '�v' => '爒',
  '�w' => '爓',
  '�x' => '爔',
  '�y' => '爕',
  '�z' => '爖',
  '�{' => '爗',
  '�|' => '爘',
  '�}' => '爙',
  '�~' => '爚',
  '��' => '爛',
  '��' => '爜',
  '��' => '爞',
  '��' => '爟',
  '��' => '爠',
  '��' => '爡',
  '��' => '爢',
  '��' => '爣',
  '��' => '爤',
  '��' => '爥',
  '��' => '爦',
  '��' => '爧',
  '��' => '爩',
  '��' => '爫',
  '��' => '爭',
  '��' => '爮',
  '��' => '爯',
  '��' => '爲',
  '��' => '爳',
  '��' => '爴',
  '��' => '爺',
  '��' => '爼',
  '��' => '爾',
  '��' => '牀',
  '��' => '牁',
  '��' => '牂',
  '��' => '牃',
  '��' => '牄',
  '��' => '牅',
  '��' => '牆',
  '��' => '牉',
  '��' => '牊',
  '��' => '牋',
  '��' => '牎',
  '��' => '牏',
  '��' => '牐',
  '��' => '牑',
  '��' => '牓',
  '��' => '牔',
  '��' => '牕',
  '��' => '牗',
  '��' => '牘',
  '��' => '牚',
  '��' => '牜',
  '��' => '牞',
  '��' => '牠',
  '��' => '牣',
  '��' => '牤',
  '��' => '牥',
  '��' => '牨',
  '��' => '牪',
  '��' => '牫',
  '��' => '牬',
  '��' => '牭',
  '��' => '牰',
  '��' => '牱',
  '��' => '牳',
  '��' => '牴',
  '��' => '牶',
  '��' => '牷',
  '��' => '牸',
  '��' => '牻',
  '��' => '牼',
  '��' => '牽',
  '��' => '犂',
  '��' => '犃',
  '��' => '犅',
  '��' => '犆',
  '��' => '犇',
  '��' => '犈',
  '��' => '犉',
  '��' => '犌',
  '��' => '犎',
  '��' => '犐',
  '��' => '犑',
  '��' => '犓',
  '��' => '犔',
  '��' => '犕',
  '��' => '犖',
  '��' => '犗',
  '��' => '犘',
  '��' => '犙',
  '��' => '犚',
  '��' => '犛',
  '��' => '犜',
  '��' => '犝',
  '��' => '犞',
  '��' => '犠',
  '��' => '犡',
  '��' => '犢',
  '��' => '犣',
  '��' => '犤',
  '��' => '犥',
  '��' => '犦',
  '��' => '犧',
  '��' => '犨',
  '��' => '犩',
  '��' => '犪',
  '��' => '犫',
  '��' => '犮',
  '��' => '犱',
  '��' => '犲',
  '��' => '犳',
  '��' => '犵',
  '��' => '犺',
  '��' => '犻',
  '��' => '犼',
  '��' => '犽',
  '��' => '犾',
  '��' => '犿',
  '��' => '狀',
  '��' => '狅',
  '��' => '狆',
  '��' => '狇',
  '��' => '狉',
  '��' => '狊',
  '��' => '狋',
  '��' => '狌',
  '��' => '狏',
  '��' => '狑',
  '��' => '狓',
  '��' => '狔',
  '��' => '狕',
  '��' => '狖',
  '��' => '狘',
  '��' => '狚',
  '��' => '狛',
  '��' => ' ',
  '��' => '、',
  '��' => '。',
  '��' => '·',
  '��' => 'ˉ',
  '��' => 'ˇ',
  '��' => '¨',
  '��' => '〃',
  '��' => '々',
  '��' => '—',
  '��' => '~',
  '��' => '‖',
  '��' => '…',
  '��' => '‘',
  '��' => '’',
  '��' => '“',
  '��' => '”',
  '��' => '〔',
  '��' => '〕',
  '��' => '〈',
  '��' => '〉',
  '��' => '《',
  '��' => '》',
  '��' => '「',
  '��' => '」',
  '��' => '『',
  '��' => '』',
  '��' => '〖',
  '��' => '〗',
  '��' => '【',
  '��' => '】',
  '��' => '±',
  '��' => '×',
  '��' => '÷',
  '��' => '∶',
  '��' => '∧',
  '��' => '∨',
  '��' => '∑',
  '��' => '∏',
  '��' => '∪',
  '��' => '∩',
  '��' => '∈',
  '��' => '∷',
  '��' => '√',
  '��' => '⊥',
  '��' => '∥',
  '��' => '∠',
  '��' => '⌒',
  '��' => '⊙',
  '��' => '∫',
  '��' => '∮',
  '��' => '≡',
  '��' => '≌',
  '��' => '≈',
  '��' => '∽',
  '��' => '∝',
  '��' => '≠',
  '��' => '≮',
  '��' => '≯',
  '��' => '≤',
  '��' => '≥',
  '��' => '∞',
  '��' => '∵',
  '��' => '∴',
  '��' => '♂',
  '��' => '♀',
  '��' => '°',
  '��' => '′',
  '��' => '″',
  '��' => '℃',
  '��' => '$',
  '��' => '¤',
  '��' => '¢',
  '��' => '£',
  '��' => '‰',
  '��' => '§',
  '��' => '№',
  '��' => '☆',
  '��' => '★',
  '��' => '○',
  '��' => '●',
  '��' => '◎',
  '��' => '◇',
  '��' => '◆',
  '��' => '□',
  '��' => '■',
  '��' => '△',
  '��' => '▲',
  '��' => '※',
  '��' => '→',
  '��' => '←',
  '��' => '↑',
  '��' => '↓',
  '��' => '〓',
  '��' => 'ⅰ',
  '��' => 'ⅱ',
  '��' => 'ⅲ',
  '��' => 'ⅳ',
  '��' => 'ⅴ',
  '��' => 'ⅵ',
  '��' => 'ⅶ',
  '��' => 'ⅷ',
  '��' => 'ⅸ',
  '��' => 'ⅹ',
  '��' => '⒈',
  '��' => '⒉',
  '��' => '⒊',
  '��' => '⒋',
  '��' => '⒌',
  '��' => '⒍',
  '��' => '⒎',
  '��' => '⒏',
  '��' => '⒐',
  '��' => '⒑',
  '��' => '⒒',
  '��' => '⒓',
  '��' => '⒔',
  '��' => '⒕',
  '��' => '⒖',
  '��' => '⒗',
  '��' => '⒘',
  '��' => '⒙',
  '��' => '⒚',
  '��' => '⒛',
  '��' => '⑴',
  '��' => '⑵',
  '��' => '⑶',
  '��' => '⑷',
  '��' => '⑸',
  '��' => '⑹',
  '��' => '⑺',
  '��' => '⑻',
  '��' => '⑼',
  '��' => '⑽',
  '��' => '⑾',
  '��' => '⑿',
  '��' => '⒀',
  '��' => '⒁',
  '��' => '⒂',
  '��' => '⒃',
  '��' => '⒄',
  '��' => '⒅',
  '��' => '⒆',
  '��' => '⒇',
  '��' => '①',
  '��' => '②',
  '��' => '③',
  '��' => '④',
  '��' => '⑤',
  '��' => '⑥',
  '��' => '⑦',
  '��' => '⑧',
  '��' => '⑨',
  '��' => '⑩',
  '��' => '㈠',
  '��' => '㈡',
  '��' => '㈢',
  '��' => '㈣',
  '��' => '㈤',
  '��' => '㈥',
  '��' => '㈦',
  '��' => '㈧',
  '��' => '㈨',
  '��' => '㈩',
  '��' => 'Ⅰ',
  '��' => 'Ⅱ',
  '��' => 'Ⅲ',
  '��' => 'Ⅳ',
  '��' => 'Ⅴ',
  '��' => 'Ⅵ',
  '��' => 'Ⅶ',
  '��' => 'Ⅷ',
  '��' => 'Ⅸ',
  '��' => 'Ⅹ',
  '��' => 'Ⅺ',
  '��' => 'Ⅻ',
  '��' => '!',
  '��' => '"',
  '��' => '#',
  '��' => '¥',
  '��' => '%',
  '��' => '&',
  '��' => ''',
  '��' => '(',
  '��' => ')',
  '��' => '*',
  '��' => '+',
  '��' => ',',
  '��' => '-',
  '��' => '.',
  '��' => '/',
  '��' => '0',
  '��' => '1',
  '��' => '2',
  '��' => '3',
  '��' => '4',
  '��' => '5',
  '��' => '6',
  '��' => '7',
  '��' => '8',
  '��' => '9',
  '��' => ':',
  '��' => ';',
  '��' => '<',
  '��' => '=',
  '��' => '>',
  '��' => '?',
  '��' => '@',
  '��' => 'A',
  '��' => 'B',
  '��' => 'C',
  '��' => 'D',
  '��' => 'E',
  '��' => 'F',
  '��' => 'G',
  '��' => 'H',
  '��' => 'I',
  '��' => 'J',
  '��' => 'K',
  '��' => 'L',
  '��' => 'M',
  '��' => 'N',
  '��' => 'O',
  '��' => 'P',
  '��' => 'Q',
  '��' => 'R',
  '��' => 'S',
  '��' => 'T',
  '��' => 'U',
  '��' => 'V',
  '��' => 'W',
  '��' => 'X',
  '��' => 'Y',
  '��' => 'Z',
  '��' => '[',
  '��' => '\',
  '��' => ']',
  '��' => '^',
  '��' => '_',
  '��' => '`',
  '��' => 'a',
  '��' => 'b',
  '��' => 'c',
  '��' => 'd',
  '��' => 'e',
  '��' => 'f',
  '��' => 'g',
  '��' => 'h',
  '��' => 'i',
  '��' => 'j',
  '��' => 'k',
  '��' => 'l',
  '��' => 'm',
  '��' => 'n',
  '��' => 'o',
  '��' => 'p',
  '��' => 'q',
  '��' => 'r',
  '��' => 's',
  '��' => 't',
  '��' => 'u',
  '��' => 'v',
  '��' => 'w',
  '��' => 'x',
  '��' => 'y',
  '��' => 'z',
  '��' => '{',
  '��' => '|',
  '��' => '}',
  '��' => ' ̄',
  '��' => 'ぁ',
  '��' => 'あ',
  '��' => 'ぃ',
  '��' => 'い',
  '��' => 'ぅ',
  '��' => 'う',
  '��' => 'ぇ',
  '��' => 'え',
  '��' => 'ぉ',
  '��' => 'お',
  '��' => 'か',
  '��' => 'が',
  '��' => 'き',
  '��' => 'ぎ',
  '��' => 'く',
  '��' => 'ぐ',
  '��' => 'け',
  '��' => 'げ',
  '��' => 'こ',
  '��' => 'ご',
  '��' => 'さ',
  '��' => 'ざ',
  '��' => 'し',
  '��' => 'じ',
  '��' => 'す',
  '��' => 'ず',
  '��' => 'せ',
  '��' => 'ぜ',
  '��' => 'そ',
  '��' => 'ぞ',
  '��' => 'た',
  '��' => 'だ',
  '��' => 'ち',
  '��' => 'ぢ',
  '��' => 'っ',
  '��' => 'つ',
  '��' => 'づ',
  '��' => 'て',
  '��' => 'で',
  '��' => 'と',
  '��' => 'ど',
  '��' => 'な',
  '��' => 'に',
  '��' => 'ぬ',
  '��' => 'ね',
  '��' => 'の',
  '��' => 'は',
  '��' => 'ば',
  '��' => 'ぱ',
  '��' => 'ひ',
  '��' => 'び',
  '��' => 'ぴ',
  '��' => 'ふ',
  '��' => 'ぶ',
  '��' => 'ぷ',
  '��' => 'へ',
  '��' => 'べ',
  '��' => 'ぺ',
  '��' => 'ほ',
  '��' => 'ぼ',
  '��' => 'ぽ',
  '��' => 'ま',
  '��' => 'み',
  '��' => 'む',
  '��' => 'め',
  '��' => 'も',
  '��' => 'ゃ',
  '��' => 'や',
  '��' => 'ゅ',
  '��' => 'ゆ',
  '��' => 'ょ',
  '��' => 'よ',
  '��' => 'ら',
  '��' => 'り',
  '��' => 'る',
  '��' => 'れ',
  '��' => 'ろ',
  '��' => 'ゎ',
  '��' => 'わ',
  '��' => 'ゐ',
  '��' => 'ゑ',
  '��' => 'を',
  '��' => 'ん',
  '��' => 'ァ',
  '��' => 'ア',
  '��' => 'ィ',
  '��' => 'イ',
  '��' => 'ゥ',
  '��' => 'ウ',
  '��' => 'ェ',
  '��' => 'エ',
  '��' => 'ォ',
  '��' => 'オ',
  '��' => 'カ',
  '��' => 'ガ',
  '��' => 'キ',
  '��' => 'ギ',
  '��' => 'ク',
  '��' => 'グ',
  '��' => 'ケ',
  '��' => 'ゲ',
  '��' => 'コ',
  '��' => 'ゴ',
  '��' => 'サ',
  '��' => 'ザ',
  '��' => 'シ',
  '��' => 'ジ',
  '��' => 'ス',
  '��' => 'ズ',
  '��' => 'セ',
  '��' => 'ゼ',
  '��' => 'ソ',
  '��' => 'ゾ',
  '��' => 'タ',
  '��' => 'ダ',
  '��' => 'チ',
  '��' => 'ヂ',
  '��' => 'ッ',
  '��' => 'ツ',
  '��' => 'ヅ',
  '��' => 'テ',
  '��' => 'デ',
  '��' => 'ト',
  '��' => 'ド',
  '��' => 'ナ',
  '��' => 'ニ',
  '��' => 'ヌ',
  '��' => 'ネ',
  '��' => 'ノ',
  '��' => 'ハ',
  '��' => 'バ',
  '��' => 'パ',
  '��' => 'ヒ',
  '��' => 'ビ',
  '��' => 'ピ',
  '��' => 'フ',
  '��' => 'ブ',
  '��' => 'プ',
  '��' => 'ヘ',
  '��' => 'ベ',
  '��' => 'ペ',
  '��' => 'ホ',
  '��' => 'ボ',
  '��' => 'ポ',
  '��' => 'マ',
  '��' => 'ミ',
  '��' => 'ム',
  '��' => 'メ',
  '��' => 'モ',
  '��' => 'ャ',
  '��' => 'ヤ',
  '��' => 'ュ',
  '��' => 'ユ',
  '��' => 'ョ',
  '��' => 'ヨ',
  '��' => 'ラ',
  '��' => 'リ',
  '��' => 'ル',
  '��' => 'レ',
  '��' => 'ロ',
  '��' => 'ヮ',
  '��' => 'ワ',
  '��' => 'ヰ',
  '��' => 'ヱ',
  '��' => 'ヲ',
  '��' => 'ン',
  '��' => 'ヴ',
  '��' => 'ヵ',
  '��' => 'ヶ',
  '��' => 'Α',
  '��' => 'Β',
  '��' => 'Γ',
  '��' => 'Δ',
  '��' => 'Ε',
  '��' => 'Ζ',
  '��' => 'Η',
  '��' => 'Θ',
  '��' => 'Ι',
  '��' => 'Κ',
  '��' => 'Λ',
  '��' => 'Μ',
  '��' => 'Ν',
  '��' => 'Ξ',
  '��' => 'Ο',
  '��' => 'Π',
  '��' => 'Ρ',
  '��' => 'Σ',
  '��' => 'Τ',
  '��' => 'Υ',
  '��' => 'Φ',
  '��' => 'Χ',
  '��' => 'Ψ',
  '��' => 'Ω',
  '��' => 'α',
  '��' => 'β',
  '��' => 'γ',
  '��' => 'δ',
  '��' => 'ε',
  '��' => 'ζ',
  '��' => 'η',
  '��' => 'θ',
  '��' => 'ι',
  '��' => 'κ',
  '��' => 'λ',
  '��' => 'μ',
  '��' => 'ν',
  '��' => 'ξ',
  '��' => 'ο',
  '��' => 'π',
  '��' => 'ρ',
  '��' => 'σ',
  '��' => 'τ',
  '��' => 'υ',
  '��' => 'φ',
  '��' => 'χ',
  '��' => 'ψ',
  '��' => 'ω',
  '��' => '︵',
  '��' => '︶',
  '��' => '︹',
  '��' => '︺',
  '��' => '︿',
  '��' => '﹀',
  '��' => '︽',
  '��' => '︾',
  '��' => '﹁',
  '��' => '﹂',
  '��' => '﹃',
  '��' => '﹄',
  '��' => '︻',
  '��' => '︼',
  '��' => '︷',
  '��' => '︸',
  '��' => '︱',
  '��' => '︳',
  '��' => '︴',
  '��' => 'А',
  '��' => 'Б',
  '��' => 'В',
  '��' => 'Г',
  '��' => 'Д',
  '��' => 'Е',
  '��' => 'Ё',
  '��' => 'Ж',
  '��' => 'З',
  '��' => 'И',
  '��' => 'Й',
  '��' => 'К',
  '��' => 'Л',
  '��' => 'М',
  '��' => 'Н',
  '��' => 'О',
  '��' => 'П',
  '��' => 'Р',
  '��' => 'С',
  '��' => 'Т',
  '��' => 'У',
  '��' => 'Ф',
  '��' => 'Х',
  '��' => 'Ц',
  '��' => 'Ч',
  '��' => 'Ш',
  '��' => 'Щ',
  '��' => 'Ъ',
  '��' => 'Ы',
  '��' => 'Ь',
  '��' => 'Э',
  '��' => 'Ю',
  '��' => 'Я',
  '��' => 'а',
  '��' => 'б',
  '��' => 'в',
  '��' => 'г',
  '��' => 'д',
  '��' => 'е',
  '��' => 'ё',
  '��' => 'ж',
  '��' => 'з',
  '��' => 'и',
  '��' => 'й',
  '��' => 'к',
  '��' => 'л',
  '��' => 'м',
  '��' => 'н',
  '��' => 'о',
  '��' => 'п',
  '��' => 'р',
  '��' => 'с',
  '��' => 'т',
  '��' => 'у',
  '��' => 'ф',
  '��' => 'х',
  '��' => 'ц',
  '��' => 'ч',
  '��' => 'ш',
  '��' => 'щ',
  '��' => 'ъ',
  '��' => 'ы',
  '��' => 'ь',
  '��' => 'э',
  '��' => 'ю',
  '��' => 'я',
  '�@' => 'ˊ',
  '�A' => 'ˋ',
  '�B' => '˙',
  '�C' => '–',
  '�D' => '―',
  '�E' => '‥',
  '�F' => '‵',
  '�G' => '℅',
  '�H' => '℉',
  '�I' => '↖',
  '�J' => '↗',
  '�K' => '↘',
  '�L' => '↙',
  '�M' => '∕',
  '�N' => '∟',
  '�O' => '∣',
  '�P' => '≒',
  '�Q' => '≦',
  '�R' => '≧',
  '�S' => '⊿',
  '�T' => '═',
  '�U' => '║',
  '�V' => '╒',
  '�W' => '╓',
  '�X' => '╔',
  '�Y' => '╕',
  '�Z' => '╖',
  '�[' => '╗',
  '�\\' => '╘',
  '�]' => '╙',
  '�^' => '╚',
  '�_' => '╛',
  '�`' => '╜',
  '�a' => '╝',
  '�b' => '╞',
  '�c' => '╟',
  '�d' => '╠',
  '�e' => '╡',
  '�f' => '╢',
  '�g' => '╣',
  '�h' => '╤',
  '�i' => '╥',
  '�j' => '╦',
  '�k' => '╧',
  '�l' => '╨',
  '�m' => '╩',
  '�n' => '╪',
  '�o' => '╫',
  '�p' => '╬',
  '�q' => '╭',
  '�r' => '╮',
  '�s' => '╯',
  '�t' => '╰',
  '�u' => '╱',
  '�v' => '╲',
  '�w' => '╳',
  '�x' => '▁',
  '�y' => '▂',
  '�z' => '▃',
  '�{' => '▄',
  '�|' => '▅',
  '�}' => '▆',
  '�~' => '▇',
  '��' => '█',
  '��' => '▉',
  '��' => '▊',
  '��' => '▋',
  '��' => '▌',
  '��' => '▍',
  '��' => '▎',
  '��' => '▏',
  '��' => '▓',
  '��' => '▔',
  '��' => '▕',
  '��' => '▼',
  '��' => '▽',
  '��' => '◢',
  '��' => '◣',
  '��' => '◤',
  '��' => '◥',
  '��' => '☉',
  '��' => '⊕',
  '��' => '〒',
  '��' => '〝',
  '��' => '〞',
  '��' => 'ā',
  '��' => 'á',
  '��' => 'ǎ',
  '��' => 'à',
  '��' => 'ē',
  '��' => 'é',
  '��' => 'ě',
  '��' => 'è',
  '��' => 'ī',
  '��' => 'í',
  '��' => 'ǐ',
  '��' => 'ì',
  '��' => 'ō',
  '��' => 'ó',
  '��' => 'ǒ',
  '��' => 'ò',
  '��' => 'ū',
  '��' => 'ú',
  '��' => 'ǔ',
  '��' => 'ù',
  '��' => 'ǖ',
  '��' => 'ǘ',
  '��' => 'ǚ',
  '��' => 'ǜ',
  '��' => 'ü',
  '��' => 'ê',
  '��' => 'ɑ',
  '��' => 'ń',
  '��' => 'ň',
  '��' => 'ɡ',
  '��' => 'ㄅ',
  '��' => 'ㄆ',
  '��' => 'ㄇ',
  '��' => 'ㄈ',
  '��' => 'ㄉ',
  '��' => 'ㄊ',
  '��' => 'ㄋ',
  '��' => 'ㄌ',
  '��' => 'ㄍ',
  '��' => 'ㄎ',
  '��' => 'ㄏ',
  '��' => 'ㄐ',
  '��' => 'ㄑ',
  '��' => 'ㄒ',
  '��' => 'ㄓ',
  '��' => 'ㄔ',
  '��' => 'ㄕ',
  '��' => 'ㄖ',
  '��' => 'ㄗ',
  '��' => 'ㄘ',
  '��' => 'ㄙ',
  '��' => 'ㄚ',
  '��' => 'ㄛ',
  '��' => 'ㄜ',
  '��' => 'ㄝ',
  '��' => 'ㄞ',
  '��' => 'ㄟ',
  '��' => 'ㄠ',
  '��' => 'ㄡ',
  '��' => 'ㄢ',
  '��' => 'ㄣ',
  '��' => 'ㄤ',
  '��' => 'ㄥ',
  '��' => 'ㄦ',
  '��' => 'ㄧ',
  '��' => 'ㄨ',
  '��' => 'ㄩ',
  '�@' => '〡',
  '�A' => '〢',
  '�B' => '〣',
  '�C' => '〤',
  '�D' => '〥',
  '�E' => '〦',
  '�F' => '〧',
  '�G' => '〨',
  '�H' => '〩',
  '�I' => '㊣',
  '�J' => '㎎',
  '�K' => '㎏',
  '�L' => '㎜',
  '�M' => '㎝',
  '�N' => '㎞',
  '�O' => '㎡',
  '�P' => '㏄',
  '�Q' => '㏎',
  '�R' => '㏑',
  '�S' => '㏒',
  '�T' => '㏕',
  '�U' => '︰',
  '�V' => '¬',
  '�W' => '¦',
  '�Y' => '℡',
  '�Z' => '㈱',
  '�\\' => '‐',
  '�`' => 'ー',
  '�a' => '゛',
  '�b' => '゜',
  '�c' => 'ヽ',
  '�d' => 'ヾ',
  '�e' => '〆',
  '�f' => 'ゝ',
  '�g' => 'ゞ',
  '�h' => '﹉',
  '�i' => '﹊',
  '�j' => '﹋',
  '�k' => '﹌',
  '�l' => '﹍',
  '�m' => '﹎',
  '�n' => '﹏',
  '�o' => '﹐',
  '�p' => '﹑',
  '�q' => '﹒',
  '�r' => '﹔',
  '�s' => '﹕',
  '�t' => '﹖',
  '�u' => '﹗',
  '�v' => '﹙',
  '�w' => '﹚',
  '�x' => '﹛',
  '�y' => '﹜',
  '�z' => '﹝',
  '�{' => '﹞',
  '�|' => '﹟',
  '�}' => '﹠',
  '�~' => '﹡',
  '��' => '﹢',
  '��' => '﹣',
  '��' => '﹤',
  '��' => '﹥',
  '��' => '﹦',
  '��' => '﹨',
  '��' => '﹩',
  '��' => '﹪',
  '��' => '﹫',
  '��' => '〇',
  '��' => '─',
  '��' => '━',
  '��' => '│',
  '��' => '┃',
  '��' => '┄',
  '��' => '┅',
  '��' => '┆',
  '��' => '┇',
  '��' => '┈',
  '��' => '┉',
  '��' => '┊',
  '��' => '┋',
  '��' => '┌',
  '��' => '┍',
  '��' => '┎',
  '��' => '┏',
  '��' => '┐',
  '��' => '┑',
  '��' => '┒',
  '��' => '┓',
  '��' => '└',
  '��' => '┕',
  '��' => '┖',
  '��' => '┗',
  '��' => '┘',
  '��' => '┙',
  '��' => '┚',
  '��' => '┛',
  '��' => '├',
  '��' => '┝',
  '��' => '┞',
  '��' => '┟',
  '��' => '┠',
  '��' => '┡',
  '��' => '┢',
  '��' => '┣',
  '��' => '┤',
  '��' => '┥',
  '��' => '┦',
  '��' => '┧',
  '��' => '┨',
  '��' => '┩',
  '��' => '┪',
  '��' => '┫',
  '��' => '┬',
  '��' => '┭',
  '��' => '┮',
  '��' => '┯',
  '��' => '┰',
  '��' => '┱',
  '��' => '┲',
  '��' => '┳',
  '��' => '┴',
  '��' => '┵',
  '��' => '┶',
  '��' => '┷',
  '��' => '┸',
  '��' => '┹',
  '��' => '┺',
  '��' => '┻',
  '��' => '┼',
  '��' => '┽',
  '��' => '┾',
  '��' => '┿',
  '��' => '╀',
  '��' => '╁',
  '��' => '╂',
  '��' => '╃',
  '��' => '╄',
  '��' => '╅',
  '��' => '╆',
  '��' => '╇',
  '��' => '╈',
  '��' => '╉',
  '��' => '╊',
  '��' => '╋',
  '�@' => '狜',
  '�A' => '狝',
  '�B' => '狟',
  '�C' => '狢',
  '�D' => '狣',
  '�E' => '狤',
  '�F' => '狥',
  '�G' => '狦',
  '�H' => '狧',
  '�I' => '狪',
  '�J' => '狫',
  '�K' => '狵',
  '�L' => '狶',
  '�M' => '狹',
  '�N' => '狽',
  '�O' => '狾',
  '�P' => '狿',
  '�Q' => '猀',
  '�R' => '猂',
  '�S' => '猄',
  '�T' => '猅',
  '�U' => '猆',
  '�V' => '猇',
  '�W' => '猈',
  '�X' => '猉',
  '�Y' => '猋',
  '�Z' => '猌',
  '�[' => '猍',
  '�\\' => '猏',
  '�]' => '猐',
  '�^' => '猑',
  '�_' => '猒',
  '�`' => '猔',
  '�a' => '猘',
  '�b' => '猙',
  '�c' => '猚',
  '�d' => '猟',
  '�e' => '猠',
  '�f' => '猣',
  '�g' => '猤',
  '�h' => '猦',
  '�i' => '猧',
  '�j' => '猨',
  '�k' => '猭',
  '�l' => '猯',
  '�m' => '猰',
  '�n' => '猲',
  '�o' => '猳',
  '�p' => '猵',
  '�q' => '猶',
  '�r' => '猺',
  '�s' => '猻',
  '�t' => '猼',
  '�u' => '猽',
  '�v' => '獀',
  '�w' => '獁',
  '�x' => '獂',
  '�y' => '獃',
  '�z' => '獄',
  '�{' => '獅',
  '�|' => '獆',
  '�}' => '獇',
  '�~' => '獈',
  '��' => '獉',
  '��' => '獊',
  '��' => '獋',
  '��' => '獌',
  '��' => '獎',
  '��' => '獏',
  '��' => '獑',
  '��' => '獓',
  '��' => '獔',
  '��' => '獕',
  '��' => '獖',
  '��' => '獘',
  '��' => '獙',
  '��' => '獚',
  '��' => '獛',
  '��' => '獜',
  '��' => '獝',
  '��' => '獞',
  '��' => '獟',
  '��' => '獡',
  '��' => '獢',
  '��' => '獣',
  '��' => '獤',
  '��' => '獥',
  '��' => '獦',
  '��' => '獧',
  '��' => '獨',
  '��' => '獩',
  '��' => '獪',
  '��' => '獫',
  '��' => '獮',
  '��' => '獰',
  '��' => '獱',
  '�@' => '獲',
  '�A' => '獳',
  '�B' => '獴',
  '�C' => '獵',
  '�D' => '獶',
  '�E' => '獷',
  '�F' => '獸',
  '�G' => '獹',
  '�H' => '獺',
  '�I' => '獻',
  '�J' => '獼',
  '�K' => '獽',
  '�L' => '獿',
  '�M' => '玀',
  '�N' => '玁',
  '�O' => '玂',
  '�P' => '玃',
  '�Q' => '玅',
  '�R' => '玆',
  '�S' => '玈',
  '�T' => '玊',
  '�U' => '玌',
  '�V' => '玍',
  '�W' => '玏',
  '�X' => '玐',
  '�Y' => '玒',
  '�Z' => '玓',
  '�[' => '玔',
  '�\\' => '玕',
  '�]' => '玗',
  '�^' => '玘',
  '�_' => '玙',
  '�`' => '玚',
  '�a' => '玜',
  '�b' => '玝',
  '�c' => '玞',
  '�d' => '玠',
  '�e' => '玡',
  '�f' => '玣',
  '�g' => '玤',
  '�h' => '玥',
  '�i' => '玦',
  '�j' => '玧',
  '�k' => '玨',
  '�l' => '玪',
  '�m' => '玬',
  '�n' => '玭',
  '�o' => '玱',
  '�p' => '玴',
  '�q' => '玵',
  '�r' => '玶',
  '�s' => '玸',
  '�t' => '玹',
  '�u' => '玼',
  '�v' => '玽',
  '�w' => '玾',
  '�x' => '玿',
  '�y' => '珁',
  '�z' => '珃',
  '�{' => '珄',
  '�|' => '珅',
  '�}' => '珆',
  '�~' => '珇',
  '��' => '珋',
  '��' => '珌',
  '��' => '珎',
  '��' => '珒',
  '��' => '珓',
  '��' => '珔',
  '��' => '珕',
  '��' => '珖',
  '��' => '珗',
  '��' => '珘',
  '��' => '珚',
  '��' => '珛',
  '��' => '珜',
  '��' => '珝',
  '��' => '珟',
  '��' => '珡',
  '��' => '珢',
  '��' => '珣',
  '��' => '珤',
  '��' => '珦',
  '��' => '珨',
  '��' => '珪',
  '��' => '珫',
  '��' => '珬',
  '��' => '珮',
  '��' => '珯',
  '��' => '珰',
  '��' => '珱',
  '��' => '珳',
  '��' => '珴',
  '��' => '珵',
  '��' => '珶',
  '��' => '珷',
  '�@' => '珸',
  '�A' => '珹',
  '�B' => '珺',
  '�C' => '珻',
  '�D' => '珼',
  '�E' => '珽',
  '�F' => '現',
  '�G' => '珿',
  '�H' => '琀',
  '�I' => '琁',
  '�J' => '琂',
  '�K' => '琄',
  '�L' => '琇',
  '�M' => '琈',
  '�N' => '琋',
  '�O' => '琌',
  '�P' => '琍',
  '�Q' => '琎',
  '�R' => '琑',
  '�S' => '琒',
  '�T' => '琓',
  '�U' => '琔',
  '�V' => '琕',
  '�W' => '琖',
  '�X' => '琗',
  '�Y' => '琘',
  '�Z' => '琙',
  '�[' => '琜',
  '�\\' => '琝',
  '�]' => '琞',
  '�^' => '琟',
  '�_' => '琠',
  '�`' => '琡',
  '�a' => '琣',
  '�b' => '琤',
  '�c' => '琧',
  '�d' => '琩',
  '�e' => '琫',
  '�f' => '琭',
  '�g' => '琯',
  '�h' => '琱',
  '�i' => '琲',
  '�j' => '琷',
  '�k' => '琸',
  '�l' => '琹',
  '�m' => '琺',
  '�n' => '琻',
  '�o' => '琽',
  '�p' => '琾',
  '�q' => '琿',
  '�r' => '瑀',
  '�s' => '瑂',
  '�t' => '瑃',
  '�u' => '瑄',
  '�v' => '瑅',
  '�w' => '瑆',
  '�x' => '瑇',
  '�y' => '瑈',
  '�z' => '瑉',
  '�{' => '瑊',
  '�|' => '瑋',
  '�}' => '瑌',
  '�~' => '瑍',
  '��' => '瑎',
  '��' => '瑏',
  '��' => '瑐',
  '��' => '瑑',
  '��' => '瑒',
  '��' => '瑓',
  '��' => '瑔',
  '��' => '瑖',
  '��' => '瑘',
  '��' => '瑝',
  '��' => '瑠',
  '��' => '瑡',
  '��' => '瑢',
  '��' => '瑣',
  '��' => '瑤',
  '��' => '瑥',
  '��' => '瑦',
  '��' => '瑧',
  '��' => '瑨',
  '��' => '瑩',
  '��' => '瑪',
  '��' => '瑫',
  '��' => '瑬',
  '��' => '瑮',
  '��' => '瑯',
  '��' => '瑱',
  '��' => '瑲',
  '��' => '瑳',
  '��' => '瑴',
  '��' => '瑵',
  '��' => '瑸',
  '��' => '瑹',
  '��' => '瑺',
  '�@' => '瑻',
  '�A' => '瑼',
  '�B' => '瑽',
  '�C' => '瑿',
  '�D' => '璂',
  '�E' => '璄',
  '�F' => '璅',
  '�G' => '璆',
  '�H' => '璈',
  '�I' => '璉',
  '�J' => '璊',
  '�K' => '璌',
  '�L' => '璍',
  '�M' => '璏',
  '�N' => '璑',
  '�O' => '璒',
  '�P' => '璓',
  '�Q' => '璔',
  '�R' => '璕',
  '�S' => '璖',
  '�T' => '璗',
  '�U' => '璘',
  '�V' => '璙',
  '�W' => '璚',
  '�X' => '璛',
  '�Y' => '璝',
  '�Z' => '璟',
  '�[' => '璠',
  '�\\' => '璡',
  '�]' => '璢',
  '�^' => '璣',
  '�_' => '璤',
  '�`' => '璥',
  '�a' => '璦',
  '�b' => '璪',
  '�c' => '璫',
  '�d' => '璬',
  '�e' => '璭',
  '�f' => '璮',
  '�g' => '璯',
  '�h' => '環',
  '�i' => '璱',
  '�j' => '璲',
  '�k' => '璳',
  '�l' => '璴',
  '�m' => '璵',
  '�n' => '璶',
  '�o' => '璷',
  '�p' => '璸',
  '�q' => '璹',
  '�r' => '璻',
  '�s' => '璼',
  '�t' => '璽',
  '�u' => '璾',
  '�v' => '璿',
  '�w' => '瓀',
  '�x' => '瓁',
  '�y' => '瓂',
  '�z' => '瓃',
  '�{' => '瓄',
  '�|' => '瓅',
  '�}' => '瓆',
  '�~' => '瓇',
  '��' => '瓈',
  '��' => '瓉',
  '��' => '瓊',
  '��' => '瓋',
  '��' => '瓌',
  '��' => '瓍',
  '��' => '瓎',
  '��' => '瓏',
  '��' => '瓐',
  '��' => '瓑',
  '��' => '瓓',
  '��' => '瓔',
  '��' => '瓕',
  '��' => '瓖',
  '��' => '瓗',
  '��' => '瓘',
  '��' => '瓙',
  '��' => '瓚',
  '��' => '瓛',
  '��' => '瓝',
  '��' => '瓟',
  '��' => '瓡',
  '��' => '瓥',
  '��' => '瓧',
  '��' => '瓨',
  '��' => '瓩',
  '��' => '瓪',
  '��' => '瓫',
  '��' => '瓬',
  '��' => '瓭',
  '��' => '瓰',
  '��' => '瓱',
  '��' => '瓲',
  '�@' => '瓳',
  '�A' => '瓵',
  '�B' => '瓸',
  '�C' => '瓹',
  '�D' => '瓺',
  '�E' => '瓻',
  '�F' => '瓼',
  '�G' => '瓽',
  '�H' => '瓾',
  '�I' => '甀',
  '�J' => '甁',
  '�K' => '甂',
  '�L' => '甃',
  '�M' => '甅',
  '�N' => '甆',
  '�O' => '甇',
  '�P' => '甈',
  '�Q' => '甉',
  '�R' => '甊',
  '�S' => '甋',
  '�T' => '甌',
  '�U' => '甎',
  '�V' => '甐',
  '�W' => '甒',
  '�X' => '甔',
  '�Y' => '甕',
  '�Z' => '甖',
  '�[' => '甗',
  '�\\' => '甛',
  '�]' => '甝',
  '�^' => '甞',
  '�_' => '甠',
  '�`' => '甡',
  '�a' => '產',
  '�b' => '産',
  '�c' => '甤',
  '�d' => '甦',
  '�e' => '甧',
  '�f' => '甪',
  '�g' => '甮',
  '�h' => '甴',
  '�i' => '甶',
  '�j' => '甹',
  '�k' => '甼',
  '�l' => '甽',
  '�m' => '甿',
  '�n' => '畁',
  '�o' => '畂',
  '�p' => '畃',
  '�q' => '畄',
  '�r' => '畆',
  '�s' => '畇',
  '�t' => '畉',
  '�u' => '畊',
  '�v' => '畍',
  '�w' => '畐',
  '�x' => '畑',
  '�y' => '畒',
  '�z' => '畓',
  '�{' => '畕',
  '�|' => '畖',
  '�}' => '畗',
  '�~' => '畘',
  '��' => '畝',
  '��' => '畞',
  '��' => '畟',
  '��' => '畠',
  '��' => '畡',
  '��' => '畢',
  '��' => '畣',
  '��' => '畤',
  '��' => '畧',
  '��' => '畨',
  '��' => '畩',
  '��' => '畫',
  '��' => '畬',
  '��' => '畭',
  '��' => '畮',
  '��' => '畯',
  '��' => '異',
  '��' => '畱',
  '��' => '畳',
  '��' => '畵',
  '��' => '當',
  '��' => '畷',
  '��' => '畺',
  '��' => '畻',
  '��' => '畼',
  '��' => '畽',
  '��' => '畾',
  '��' => '疀',
  '��' => '疁',
  '��' => '疂',
  '��' => '疄',
  '��' => '疅',
  '��' => '疇',
  '�@' => '疈',
  '�A' => '疉',
  '�B' => '疊',
  '�C' => '疌',
  '�D' => '疍',
  '�E' => '疎',
  '�F' => '疐',
  '�G' => '疓',
  '�H' => '疕',
  '�I' => '疘',
  '�J' => '疛',
  '�K' => '疜',
  '�L' => '疞',
  '�M' => '疢',
  '�N' => '疦',
  '�O' => '疧',
  '�P' => '疨',
  '�Q' => '疩',
  '�R' => '疪',
  '�S' => '疭',
  '�T' => '疶',
  '�U' => '疷',
  '�V' => '疺',
  '�W' => '疻',
  '�X' => '疿',
  '�Y' => '痀',
  '�Z' => '痁',
  '�[' => '痆',
  '�\\' => '痋',
  '�]' => '痌',
  '�^' => '痎',
  '�_' => '痏',
  '�`' => '痐',
  '�a' => '痑',
  '�b' => '痓',
  '�c' => '痗',
  '�d' => '痙',
  '�e' => '痚',
  '�f' => '痜',
  '�g' => '痝',
  '�h' => '痟',
  '�i' => '痠',
  '�j' => '痡',
  '�k' => '痥',
  '�l' => '痩',
  '�m' => '痬',
  '�n' => '痭',
  '�o' => '痮',
  '�p' => '痯',
  '�q' => '痲',
  '�r' => '痳',
  '�s' => '痵',
  '�t' => '痶',
  '�u' => '痷',
  '�v' => '痸',
  '�w' => '痺',
  '�x' => '痻',
  '�y' => '痽',
  '�z' => '痾',
  '�{' => '瘂',
  '�|' => '瘄',
  '�}' => '瘆',
  '�~' => '瘇',
  '��' => '瘈',
  '��' => '瘉',
  '��' => '瘋',
  '��' => '瘍',
  '��' => '瘎',
  '��' => '瘏',
  '��' => '瘑',
  '��' => '瘒',
  '��' => '瘓',
  '��' => '瘔',
  '��' => '瘖',
  '��' => '瘚',
  '��' => '瘜',
  '��' => '瘝',
  '��' => '瘞',
  '��' => '瘡',
  '��' => '瘣',
  '��' => '瘧',
  '��' => '瘨',
  '��' => '瘬',
  '��' => '瘮',
  '��' => '瘯',
  '��' => '瘱',
  '��' => '瘲',
  '��' => '瘶',
  '��' => '瘷',
  '��' => '瘹',
  '��' => '瘺',
  '��' => '瘻',
  '��' => '瘽',
  '��' => '癁',
  '��' => '療',
  '��' => '癄',
  '�@' => '癅',
  '�A' => '癆',
  '�B' => '癇',
  '�C' => '癈',
  '�D' => '癉',
  '�E' => '癊',
  '�F' => '癋',
  '�G' => '癎',
  '�H' => '癏',
  '�I' => '癐',
  '�J' => '癑',
  '�K' => '癒',
  '�L' => '癓',
  '�M' => '癕',
  '�N' => '癗',
  '�O' => '癘',
  '�P' => '癙',
  '�Q' => '癚',
  '�R' => '癛',
  '�S' => '癝',
  '�T' => '癟',
  '�U' => '癠',
  '�V' => '癡',
  '�W' => '癢',
  '�X' => '癤',
  '�Y' => '癥',
  '�Z' => '癦',
  '�[' => '癧',
  '�\\' => '癨',
  '�]' => '癩',
  '�^' => '癪',
  '�_' => '癬',
  '�`' => '癭',
  '�a' => '癮',
  '�b' => '癰',
  '�c' => '癱',
  '�d' => '癲',
  '�e' => '癳',
  '�f' => '癴',
  '�g' => '癵',
  '�h' => '癶',
  '�i' => '癷',
  '�j' => '癹',
  '�k' => '発',
  '�l' => '發',
  '�m' => '癿',
  '�n' => '皀',
  '�o' => '皁',
  '�p' => '皃',
  '�q' => '皅',
  '�r' => '皉',
  '�s' => '皊',
  '�t' => '皌',
  '�u' => '皍',
  '�v' => '皏',
  '�w' => '皐',
  '�x' => '皒',
  '�y' => '皔',
  '�z' => '皕',
  '�{' => '皗',
  '�|' => '皘',
  '�}' => '皚',
  '�~' => '皛',
  '��' => '皜',
  '��' => '皝',
  '��' => '皞',
  '��' => '皟',
  '��' => '皠',
  '��' => '皡',
  '��' => '皢',
  '��' => '皣',
  '��' => '皥',
  '��' => '皦',
  '��' => '皧',
  '��' => '皨',
  '��' => '皩',
  '��' => '皪',
  '��' => '皫',
  '��' => '皬',
  '��' => '皭',
  '��' => '皯',
  '��' => '皰',
  '��' => '皳',
  '��' => '皵',
  '��' => '皶',
  '��' => '皷',
  '��' => '皸',
  '��' => '皹',
  '��' => '皺',
  '��' => '皻',
  '��' => '皼',
  '��' => '皽',
  '��' => '皾',
  '��' => '盀',
  '��' => '盁',
  '��' => '盃',
  '��' => '啊',
  '��' => '阿',
  '��' => '埃',
  '��' => '挨',
  '��' => '哎',
  '��' => '唉',
  '��' => '哀',
  '��' => '皑',
  '��' => '癌',
  '��' => '蔼',
  '��' => '矮',
  '��' => '艾',
  '��' => '碍',
  '��' => '爱',
  '��' => '隘',
  '��' => '鞍',
  '��' => '氨',
  '��' => '安',
  '��' => '俺',
  '��' => '按',
  '��' => '暗',
  '��' => '岸',
  '��' => '胺',
  '��' => '案',
  '��' => '肮',
  '��' => '昂',
  '��' => '盎',
  '��' => '凹',
  '��' => '敖',
  '��' => '熬',
  '��' => '翱',
  '��' => '袄',
  '��' => '傲',
  '��' => '奥',
  '��' => '懊',
  '��' => '澳',
  '��' => '芭',
  '��' => '捌',
  '��' => '扒',
  '��' => '叭',
  '��' => '吧',
  '��' => '笆',
  '��' => '八',
  '��' => '疤',
  '��' => '巴',
  '��' => '拔',
  '��' => '跋',
  '��' => '靶',
  '��' => '把',
  '��' => '耙',
  '��' => '坝',
  '��' => '霸',
  '��' => '罢',
  '��' => '爸',
  '��' => '白',
  '��' => '柏',
  '��' => '百',
  '��' => '摆',
  '��' => '佰',
  '��' => '败',
  '��' => '拜',
  '��' => '稗',
  '��' => '斑',
  '��' => '班',
  '��' => '搬',
  '��' => '扳',
  '��' => '般',
  '��' => '颁',
  '��' => '板',
  '��' => '版',
  '��' => '扮',
  '��' => '拌',
  '��' => '伴',
  '��' => '瓣',
  '��' => '半',
  '��' => '办',
  '��' => '绊',
  '��' => '邦',
  '��' => '帮',
  '��' => '梆',
  '��' => '榜',
  '��' => '膀',
  '��' => '绑',
  '��' => '棒',
  '��' => '磅',
  '��' => '蚌',
  '��' => '镑',
  '��' => '傍',
  '��' => '谤',
  '��' => '苞',
  '��' => '胞',
  '��' => '包',
  '��' => '褒',
  '��' => '剥',
  '�@' => '盄',
  '�A' => '盇',
  '�B' => '盉',
  '�C' => '盋',
  '�D' => '盌',
  '�E' => '盓',
  '�F' => '盕',
  '�G' => '盙',
  '�H' => '盚',
  '�I' => '盜',
  '�J' => '盝',
  '�K' => '盞',
  '�L' => '盠',
  '�M' => '盡',
  '�N' => '盢',
  '�O' => '監',
  '�P' => '盤',
  '�Q' => '盦',
  '�R' => '盧',
  '�S' => '盨',
  '�T' => '盩',
  '�U' => '盪',
  '�V' => '盫',
  '�W' => '盬',
  '�X' => '盭',
  '�Y' => '盰',
  '�Z' => '盳',
  '�[' => '盵',
  '�\\' => '盶',
  '�]' => '盷',
  '�^' => '盺',
  '�_' => '盻',
  '�`' => '盽',
  '�a' => '盿',
  '�b' => '眀',
  '�c' => '眂',
  '�d' => '眃',
  '�e' => '眅',
  '�f' => '眆',
  '�g' => '眊',
  '�h' => '県',
  '�i' => '眎',
  '�j' => '眏',
  '�k' => '眐',
  '�l' => '眑',
  '�m' => '眒',
  '�n' => '眓',
  '�o' => '眔',
  '�p' => '眕',
  '�q' => '眖',
  '�r' => '眗',
  '�s' => '眘',
  '�t' => '眛',
  '�u' => '眜',
  '�v' => '眝',
  '�w' => '眞',
  '�x' => '眡',
  '�y' => '眣',
  '�z' => '眤',
  '�{' => '眥',
  '�|' => '眧',
  '�}' => '眪',
  '�~' => '眫',
  '��' => '眬',
  '��' => '眮',
  '��' => '眰',
  '��' => '眱',
  '��' => '眲',
  '��' => '眳',
  '��' => '眴',
  '��' => '眹',
  '��' => '眻',
  '��' => '眽',
  '��' => '眾',
  '��' => '眿',
  '��' => '睂',
  '��' => '睄',
  '��' => '睅',
  '��' => '睆',
  '��' => '睈',
  '��' => '睉',
  '��' => '睊',
  '��' => '睋',
  '��' => '睌',
  '��' => '睍',
  '��' => '睎',
  '��' => '睏',
  '��' => '睒',
  '��' => '睓',
  '��' => '睔',
  '��' => '睕',
  '��' => '睖',
  '��' => '睗',
  '��' => '睘',
  '��' => '睙',
  '��' => '睜',
  '��' => '薄',
  '��' => '雹',
  '��' => '保',
  '��' => '堡',
  '��' => '饱',
  '��' => '宝',
  '��' => '抱',
  '��' => '报',
  '��' => '暴',
  '��' => '豹',
  '��' => '鲍',
  '��' => '爆',
  '��' => '杯',
  '��' => '碑',
  '��' => '悲',
  '��' => '卑',
  '��' => '北',
  '��' => '辈',
  '��' => '背',
  '��' => '贝',
  '��' => '钡',
  '��' => '倍',
  '��' => '狈',
  '��' => '备',
  '��' => '惫',
  '��' => '焙',
  '��' => '被',
  '��' => '奔',
  '��' => '苯',
  '��' => '本',
  '��' => '笨',
  '��' => '崩',
  '��' => '绷',
  '��' => '甭',
  '��' => '泵',
  '��' => '蹦',
  '��' => '迸',
  '��' => '逼',
  '��' => '鼻',
  '��' => '比',
  '��' => '鄙',
  '��' => '笔',
  '��' => '彼',
  '��' => '碧',
  '��' => '蓖',
  '��' => '蔽',
  '��' => '毕',
  '��' => '毙',
  '��' => '毖',
  '��' => '币',
  '��' => '庇',
  '��' => '痹',
  '��' => '闭',
  '��' => '敝',
  '��' => '弊',
  '��' => '必',
  '��' => '辟',
  '��' => '壁',
  '��' => '臂',
  '��' => '避',
  '��' => '陛',
  '��' => '鞭',
  '��' => '边',
  '��' => '编',
  '��' => '贬',
  '��' => '扁',
  '��' => '便',
  '��' => '变',
  '��' => '卞',
  '��' => '辨',
  '��' => '辩',
  '��' => '辫',
  '��' => '遍',
  '��' => '标',
  '��' => '彪',
  '��' => '膘',
  '��' => '表',
  '��' => '鳖',
  '��' => '憋',
  '��' => '别',
  '��' => '瘪',
  '��' => '彬',
  '��' => '斌',
  '��' => '濒',
  '��' => '滨',
  '��' => '宾',
  '��' => '摈',
  '��' => '兵',
  '��' => '冰',
  '��' => '柄',
  '��' => '丙',
  '��' => '秉',
  '��' => '饼',
  '��' => '炳',
  '�@' => '睝',
  '�A' => '睞',
  '�B' => '睟',
  '�C' => '睠',
  '�D' => '睤',
  '�E' => '睧',
  '�F' => '睩',
  '�G' => '睪',
  '�H' => '睭',
  '�I' => '睮',
  '�J' => '睯',
  '�K' => '睰',
  '�L' => '睱',
  '�M' => '睲',
  '�N' => '睳',
  '�O' => '睴',
  '�P' => '睵',
  '�Q' => '睶',
  '�R' => '睷',
  '�S' => '睸',
  '�T' => '睺',
  '�U' => '睻',
  '�V' => '睼',
  '�W' => '瞁',
  '�X' => '瞂',
  '�Y' => '瞃',
  '�Z' => '瞆',
  '�[' => '瞇',
  '�\\' => '瞈',
  '�]' => '瞉',
  '�^' => '瞊',
  '�_' => '瞋',
  '�`' => '瞏',
  '�a' => '瞐',
  '�b' => '瞓',
  '�c' => '瞔',
  '�d' => '瞕',
  '�e' => '瞖',
  '�f' => '瞗',
  '�g' => '瞘',
  '�h' => '瞙',
  '�i' => '瞚',
  '�j' => '瞛',
  '�k' => '瞜',
  '�l' => '瞝',
  '�m' => '瞞',
  '�n' => '瞡',
  '�o' => '瞣',
  '�p' => '瞤',
  '�q' => '瞦',
  '�r' => '瞨',
  '�s' => '瞫',
  '�t' => '瞭',
  '�u' => '瞮',
  '�v' => '瞯',
  '�w' => '瞱',
  '�x' => '瞲',
  '�y' => '瞴',
  '�z' => '瞶',
  '�{' => '瞷',
  '�|' => '瞸',
  '�}' => '瞹',
  '�~' => '瞺',
  '��' => '瞼',
  '��' => '瞾',
  '��' => '矀',
  '��' => '矁',
  '��' => '矂',
  '��' => '矃',
  '��' => '矄',
  '��' => '矅',
  '��' => '矆',
  '��' => '矇',
  '��' => '矈',
  '��' => '矉',
  '��' => '矊',
  '��' => '矋',
  '��' => '矌',
  '��' => '矎',
  '��' => '矏',
  '��' => '矐',
  '��' => '矑',
  '��' => '矒',
  '��' => '矓',
  '��' => '矔',
  '��' => '矕',
  '��' => '矖',
  '��' => '矘',
  '��' => '矙',
  '��' => '矚',
  '��' => '矝',
  '��' => '矞',
  '��' => '矟',
  '��' => '矠',
  '��' => '矡',
  '��' => '矤',
  '��' => '病',
  '��' => '并',
  '��' => '玻',
  '��' => '菠',
  '��' => '播',
  '��' => '拨',
  '��' => '钵',
  '��' => '波',
  '��' => '博',
  '��' => '勃',
  '��' => '搏',
  '��' => '铂',
  '��' => '箔',
  '��' => '伯',
  '��' => '帛',
  '��' => '舶',
  '��' => '脖',
  '��' => '膊',
  '��' => '渤',
  '��' => '泊',
  '��' => '驳',
  '��' => '捕',
  '��' => '卜',
  '��' => '哺',
  '��' => '补',
  '��' => '埠',
  '��' => '不',
  '��' => '布',
  '��' => '步',
  '��' => '簿',
  '��' => '部',
  '��' => '怖',
  '��' => '擦',
  '��' => '猜',
  '��' => '裁',
  '��' => '材',
  '��' => '才',
  '��' => '财',
  '��' => '睬',
  '��' => '踩',
  '��' => '采',
  '��' => '彩',
  '��' => '菜',
  '��' => '蔡',
  '��' => '餐',
  '��' => '参',
  '��' => '蚕',
  '��' => '残',
  '��' => '惭',
  '��' => '惨',
  '��' => '灿',
  '��' => '苍',
  '��' => '舱',
  '��' => '仓',
  '��' => '沧',
  '��' => '藏',
  '��' => '操',
  '��' => '糙',
  '��' => '槽',
  '��' => '曹',
  '��' => '草',
  '��' => '厕',
  '��' => '策',
  '��' => '侧',
  '��' => '册',
  '��' => '测',
  '��' => '层',
  '��' => '蹭',
  '��' => '插',
  '��' => '叉',
  '��' => '茬',
  '��' => '茶',
  '��' => '查',
  '��' => '碴',
  '��' => '搽',
  '��' => '察',
  '��' => '岔',
  '��' => '差',
  '��' => '诧',
  '��' => '拆',
  '��' => '柴',
  '��' => '豺',
  '��' => '搀',
  '��' => '掺',
  '��' => '蝉',
  '��' => '馋',
  '��' => '谗',
  '��' => '缠',
  '��' => '铲',
  '��' => '产',
  '��' => '阐',
  '��' => '颤',
  '��' => '昌',
  '��' => '猖',
  '�@' => '矦',
  '�A' => '矨',
  '�B' => '矪',
  '�C' => '矯',
  '�D' => '矰',
  '�E' => '矱',
  '�F' => '矲',
  '�G' => '矴',
  '�H' => '矵',
  '�I' => '矷',
  '�J' => '矹',
  '�K' => '矺',
  '�L' => '矻',
  '�M' => '矼',
  '�N' => '砃',
  '�O' => '砄',
  '�P' => '砅',
  '�Q' => '砆',
  '�R' => '砇',
  '�S' => '砈',
  '�T' => '砊',
  '�U' => '砋',
  '�V' => '砎',
  '�W' => '砏',
  '�X' => '砐',
  '�Y' => '砓',
  '�Z' => '砕',
  '�[' => '砙',
  '�\\' => '砛',
  '�]' => '砞',
  '�^' => '砠',
  '�_' => '砡',
  '�`' => '砢',
  '�a' => '砤',
  '�b' => '砨',
  '�c' => '砪',
  '�d' => '砫',
  '�e' => '砮',
  '�f' => '砯',
  '�g' => '砱',
  '�h' => '砲',
  '�i' => '砳',
  '�j' => '砵',
  '�k' => '砶',
  '�l' => '砽',
  '�m' => '砿',
  '�n' => '硁',
  '�o' => '硂',
  '�p' => '硃',
  '�q' => '硄',
  '�r' => '硆',
  '�s' => '硈',
  '�t' => '硉',
  '�u' => '硊',
  '�v' => '硋',
  '�w' => '硍',
  '�x' => '硏',
  '�y' => '硑',
  '�z' => '硓',
  '�{' => '硔',
  '�|' => '硘',
  '�}' => '硙',
  '�~' => '硚',
  '��' => '硛',
  '��' => '硜',
  '��' => '硞',
  '��' => '硟',
  '��' => '硠',
  '��' => '硡',
  '��' => '硢',
  '��' => '硣',
  '��' => '硤',
  '��' => '硥',
  '��' => '硦',
  '��' => '硧',
  '��' => '硨',
  '��' => '硩',
  '��' => '硯',
  '��' => '硰',
  '��' => '硱',
  '��' => '硲',
  '��' => '硳',
  '��' => '硴',
  '��' => '硵',
  '��' => '硶',
  '��' => '硸',
  '��' => '硹',
  '��' => '硺',
  '��' => '硻',
  '��' => '硽',
  '��' => '硾',
  '��' => '硿',
  '��' => '碀',
  '��' => '碁',
  '��' => '碂',
  '��' => '碃',
  '��' => '场',
  '��' => '尝',
  '��' => '常',
  '��' => '长',
  '��' => '偿',
  '��' => '肠',
  '��' => '厂',
  '��' => '敞',
  '��' => '畅',
  '��' => '唱',
  '��' => '倡',
  '��' => '超',
  '��' => '抄',
  '��' => '钞',
  '��' => '朝',
  '��' => '嘲',
  '��' => '潮',
  '��' => '巢',
  '��' => '吵',
  '��' => '炒',
  '��' => '车',
  '��' => '扯',
  '��' => '撤',
  '��' => '掣',
  '��' => '彻',
  '��' => '澈',
  '��' => '郴',
  '��' => '臣',
  '��' => '辰',
  '��' => '尘',
  '��' => '晨',
  '��' => '忱',
  '��' => '沉',
  '��' => '陈',
  '��' => '趁',
  '��' => '衬',
  '��' => '撑',
  '��' => '称',
  '��' => '城',
  '��' => '橙',
  '��' => '成',
  '��' => '呈',
  '��' => '乘',
  '��' => '程',
  '��' => '惩',
  '��' => '澄',
  '��' => '诚',
  '��' => '承',
  '��' => '逞',
  '��' => '骋',
  '��' => '秤',
  '��' => '吃',
  '��' => '痴',
  '��' => '持',
  '��' => '匙',
  '��' => '池',
  '��' => '迟',
  '��' => '弛',
  '��' => '驰',
  '��' => '耻',
  '��' => '齿',
  '��' => '侈',
  '��' => '尺',
  '��' => '赤',
  '��' => '翅',
  '��' => '斥',
  '��' => '炽',
  '��' => '充',
  '��' => '冲',
  '��' => '虫',
  '��' => '崇',
  '��' => '宠',
  '��' => '抽',
  '��' => '酬',
  '��' => '畴',
  '��' => '踌',
  '��' => '稠',
  '��' => '愁',
  '��' => '筹',
  '��' => '仇',
  '��' => '绸',
  '��' => '瞅',
  '��' => '丑',
  '��' => '臭',
  '��' => '初',
  '��' => '出',
  '��' => '橱',
  '��' => '厨',
  '��' => '躇',
  '��' => '锄',
  '��' => '雏',
  '��' => '滁',
  '��' => '除',
  '��' => '楚',
  '�@' => '碄',
  '�A' => '碅',
  '�B' => '碆',
  '�C' => '碈',
  '�D' => '碊',
  '�E' => '碋',
  '�F' => '碏',
  '�G' => '碐',
  '�H' => '碒',
  '�I' => '碔',
  '�J' => '碕',
  '�K' => '碖',
  '�L' => '碙',
  '�M' => '碝',
  '�N' => '碞',
  '�O' => '碠',
  '�P' => '碢',
  '�Q' => '碤',
  '�R' => '碦',
  '�S' => '碨',
  '�T' => '碩',
  '�U' => '碪',
  '�V' => '碫',
  '�W' => '碬',
  '�X' => '碭',
  '�Y' => '碮',
  '�Z' => '碯',
  '�[' => '碵',
  '�\\' => '碶',
  '�]' => '碷',
  '�^' => '碸',
  '�_' => '確',
  '�`' => '碻',
  '�a' => '碼',
  '�b' => '碽',
  '�c' => '碿',
  '�d' => '磀',
  '�e' => '磂',
  '�f' => '磃',
  '�g' => '磄',
  '�h' => '磆',
  '�i' => '磇',
  '�j' => '磈',
  '�k' => '磌',
  '�l' => '磍',
  '�m' => '磎',
  '�n' => '磏',
  '�o' => '磑',
  '�p' => '磒',
  '�q' => '磓',
  '�r' => '磖',
  '�s' => '磗',
  '�t' => '磘',
  '�u' => '磚',
  '�v' => '磛',
  '�w' => '磜',
  '�x' => '磝',
  '�y' => '磞',
  '�z' => '磟',
  '�{' => '磠',
  '�|' => '磡',
  '�}' => '磢',
  '�~' => '磣',
  '��' => '磤',
  '��' => '磥',
  '��' => '磦',
  '��' => '磧',
  '��' => '磩',
  '��' => '磪',
  '��' => '磫',
  '��' => '磭',
  '��' => '磮',
  '��' => '磯',
  '��' => '磰',
  '��' => '磱',
  '��' => '磳',
  '��' => '磵',
  '��' => '磶',
  '��' => '磸',
  '��' => '磹',
  '��' => '磻',
  '��' => '磼',
  '��' => '磽',
  '��' => '磾',
  '��' => '磿',
  '��' => '礀',
  '��' => '礂',
  '��' => '礃',
  '��' => '礄',
  '��' => '礆',
  '��' => '礇',
  '��' => '礈',
  '��' => '礉',
  '��' => '礊',
  '��' => '礋',
  '��' => '礌',
  '��' => '础',
  '��' => '储',
  '��' => '矗',
  '��' => '搐',
  '��' => '触',
  '��' => '处',
  '��' => '揣',
  '��' => '川',
  '��' => '穿',
  '��' => '椽',
  '��' => '传',
  '��' => '船',
  '��' => '喘',
  '��' => '串',
  '��' => '疮',
  '��' => '窗',
  '��' => '幢',
  '��' => '床',
  '��' => '闯',
  '��' => '创',
  '��' => '吹',
  '��' => '炊',
  '��' => '捶',
  '��' => '锤',
  '��' => '垂',
  '��' => '春',
  '��' => '椿',
  '��' => '醇',
  '��' => '唇',
  '��' => '淳',
  '��' => '纯',
  '��' => '蠢',
  '��' => '戳',
  '��' => '绰',
  '��' => '疵',
  '��' => '茨',
  '��' => '磁',
  '��' => '雌',
  '��' => '辞',
  '��' => '慈',
  '��' => '瓷',
  '��' => '词',
  '��' => '此',
  '��' => '刺',
  '��' => '赐',
  '��' => '次',
  '��' => '聪',
  '��' => '葱',
  '��' => '囱',
  '��' => '匆',
  '��' => '从',
  '��' => '丛',
  '��' => '凑',
  '��' => '粗',
  '��' => '醋',
  '��' => '簇',
  '��' => '促',
  '��' => '蹿',
  '��' => '篡',
  '��' => '窜',
  '��' => '摧',
  '��' => '崔',
  '��' => '催',
  '��' => '脆',
  '��' => '瘁',
  '��' => '粹',
  '��' => '淬',
  '��' => '翠',
  '��' => '村',
  '��' => '存',
  '��' => '寸',
  '��' => '磋',
  '��' => '撮',
  '��' => '搓',
  '��' => '措',
  '��' => '挫',
  '��' => '错',
  '��' => '搭',
  '��' => '达',
  '��' => '答',
  '��' => '瘩',
  '��' => '打',
  '��' => '大',
  '��' => '呆',
  '��' => '歹',
  '��' => '傣',
  '��' => '戴',
  '��' => '带',
  '��' => '殆',
  '��' => '代',
  '��' => '贷',
  '��' => '袋',
  '��' => '待',
  '��' => '逮',
  '�@' => '礍',
  '�A' => '礎',
  '�B' => '礏',
  '�C' => '礐',
  '�D' => '礑',
  '�E' => '礒',
  '�F' => '礔',
  '�G' => '礕',
  '�H' => '礖',
  '�I' => '礗',
  '�J' => '礘',
  '�K' => '礙',
  '�L' => '礚',
  '�M' => '礛',
  '�N' => '礜',
  '�O' => '礝',
  '�P' => '礟',
  '�Q' => '礠',
  '�R' => '礡',
  '�S' => '礢',
  '�T' => '礣',
  '�U' => '礥',
  '�V' => '礦',
  '�W' => '礧',
  '�X' => '礨',
  '�Y' => '礩',
  '�Z' => '礪',
  '�[' => '礫',
  '�\\' => '礬',
  '�]' => '礭',
  '�^' => '礮',
  '�_' => '礯',
  '�`' => '礰',
  '�a' => '礱',
  '�b' => '礲',
  '�c' => '礳',
  '�d' => '礵',
  '�e' => '礶',
  '�f' => '礷',
  '�g' => '礸',
  '�h' => '礹',
  '�i' => '礽',
  '�j' => '礿',
  '�k' => '祂',
  '�l' => '祃',
  '�m' => '祄',
  '�n' => '祅',
  '�o' => '祇',
  '�p' => '祊',
  '�q' => '祋',
  '�r' => '祌',
  '�s' => '祍',
  '�t' => '祎',
  '�u' => '祏',
  '�v' => '祐',
  '�w' => '祑',
  '�x' => '祒',
  '�y' => '祔',
  '�z' => '祕',
  '�{' => '祘',
  '�|' => '祙',
  '�}' => '祡',
  '�~' => '祣',
  '��' => '祤',
  '��' => '祦',
  '��' => '祩',
  '��' => '祪',
  '��' => '祫',
  '��' => '祬',
  '��' => '祮',
  '��' => '祰',
  '��' => '祱',
  '��' => '祲',
  '��' => '祳',
  '��' => '祴',
  '��' => '祵',
  '��' => '祶',
  '��' => '祹',
  '��' => '祻',
  '��' => '祼',
  '��' => '祽',
  '��' => '祾',
  '��' => '祿',
  '��' => '禂',
  '��' => '禃',
  '��' => '禆',
  '��' => '禇',
  '��' => '禈',
  '��' => '禉',
  '��' => '禋',
  '��' => '禌',
  '��' => '禍',
  '��' => '禎',
  '��' => '禐',
  '��' => '禑',
  '��' => '禒',
  '��' => '怠',
  '��' => '耽',
  '��' => '担',
  '��' => '丹',
  '��' => '单',
  '��' => '郸',
  '��' => '掸',
  '��' => '胆',
  '��' => '旦',
  '��' => '氮',
  '��' => '但',
  '��' => '惮',
  '��' => '淡',
  '��' => '诞',
  '��' => '弹',
  '��' => '蛋',
  '��' => '当',
  '��' => '挡',
  '��' => '党',
  '��' => '荡',
  '��' => '档',
  '��' => '刀',
  '��' => '捣',
  '��' => '蹈',
  '��' => '倒',
  '��' => '岛',
  '��' => '祷',
  '��' => '导',
  '��' => '到',
  '��' => '稻',
  '��' => '悼',
  '��' => '道',
  '��' => '盗',
  '��' => '德',
  '��' => '得',
  '��' => '的',
  '��' => '蹬',
  '��' => '灯',
  '��' => '登',
  '��' => '等',
  '��' => '瞪',
  '��' => '凳',
  '��' => '邓',
  '��' => '堤',
  '��' => '低',
  '��' => '滴',
  '��' => '迪',
  '��' => '敌',
  '��' => '笛',
  '��' => '狄',
  '��' => '涤',
  '��' => '翟',
  '��' => '嫡',
  '��' => '抵',
  '��' => '底',
  '��' => '地',
  '��' => '蒂',
  '��' => '第',
  '��' => '帝',
  '��' => '弟',
  '��' => '递',
  '��' => '缔',
  '��' => '颠',
  '��' => '掂',
  '��' => '滇',
  '��' => '碘',
  '��' => '点',
  '��' => '典',
  '��' => '靛',
  '��' => '垫',
  '��' => '电',
  '��' => '佃',
  '��' => '甸',
  '��' => '店',
  '��' => '惦',
  '��' => '奠',
  '��' => '淀',
  '��' => '殿',
  '��' => '碉',
  '��' => '叼',
  '��' => '雕',
  '��' => '凋',
  '��' => '刁',
  '��' => '掉',
  '��' => '吊',
  '��' => '钓',
  '��' => '调',
  '��' => '跌',
  '��' => '爹',
  '��' => '碟',
  '��' => '蝶',
  '��' => '迭',
  '��' => '谍',
  '��' => '叠',
  '�@' => '禓',
  '�A' => '禔',
  '�B' => '禕',
  '�C' => '禖',
  '�D' => '禗',
  '�E' => '禘',
  '�F' => '禙',
  '�G' => '禛',
  '�H' => '禜',
  '�I' => '禝',
  '�J' => '禞',
  '�K' => '禟',
  '�L' => '禠',
  '�M' => '禡',
  '�N' => '禢',
  '�O' => '禣',
  '�P' => '禤',
  '�Q' => '禥',
  '�R' => '禦',
  '�S' => '禨',
  '�T' => '禩',
  '�U' => '禪',
  '�V' => '禫',
  '�W' => '禬',
  '�X' => '禭',
  '�Y' => '禮',
  '�Z' => '禯',
  '�[' => '禰',
  '�\\' => '禱',
  '�]' => '禲',
  '�^' => '禴',
  '�_' => '禵',
  '�`' => '禶',
  '�a' => '禷',
  '�b' => '禸',
  '�c' => '禼',
  '�d' => '禿',
  '�e' => '秂',
  '�f' => '秄',
  '�g' => '秅',
  '�h' => '秇',
  '�i' => '秈',
  '�j' => '秊',
  '�k' => '秌',
  '�l' => '秎',
  '�m' => '秏',
  '�n' => '秐',
  '�o' => '秓',
  '�p' => '秔',
  '�q' => '秖',
  '�r' => '秗',
  '�s' => '秙',
  '�t' => '秚',
  '�u' => '秛',
  '�v' => '秜',
  '�w' => '秝',
  '�x' => '秞',
  '�y' => '秠',
  '�z' => '秡',
  '�{' => '秢',
  '�|' => '秥',
  '�}' => '秨',
  '�~' => '秪',
  '��' => '秬',
  '��' => '秮',
  '��' => '秱',
  '��' => '秲',
  '��' => '秳',
  '��' => '秴',
  '��' => '秵',
  '��' => '秶',
  '��' => '秷',
  '��' => '秹',
  '��' => '秺',
  '��' => '秼',
  '��' => '秾',
  '��' => '秿',
  '��' => '稁',
  '��' => '稄',
  '��' => '稅',
  '��' => '稇',
  '��' => '稈',
  '��' => '稉',
  '��' => '稊',
  '��' => '稌',
  '��' => '稏',
  '��' => '稐',
  '��' => '稑',
  '��' => '稒',
  '��' => '稓',
  '��' => '稕',
  '��' => '稖',
  '��' => '稘',
  '��' => '稙',
  '��' => '稛',
  '��' => '稜',
  '��' => '丁',
  '��' => '盯',
  '��' => '叮',
  '��' => '钉',
  '��' => '顶',
  '��' => '鼎',
  '��' => '锭',
  '��' => '定',
  '��' => '订',
  '��' => '丢',
  '��' => '东',
  '��' => '冬',
  '��' => '董',
  '��' => '懂',
  '��' => '动',
  '��' => '栋',
  '��' => '侗',
  '��' => '恫',
  '��' => '冻',
  '��' => '洞',
  '��' => '兜',
  '��' => '抖',
  '��' => '斗',
  '��' => '陡',
  '��' => '豆',
  '��' => '逗',
  '��' => '痘',
  '��' => '都',
  '��' => '督',
  '��' => '毒',
  '��' => '犊',
  '��' => '独',
  '��' => '读',
  '��' => '堵',
  '��' => '睹',
  '��' => '赌',
  '��' => '杜',
  '��' => '镀',
  '��' => '肚',
  '��' => '度',
  '��' => '渡',
  '��' => '妒',
  '��' => '端',
  '��' => '短',
  '��' => '锻',
  '��' => '段',
  '��' => '断',
  '��' => '缎',
  '��' => '堆',
  '��' => '兑',
  '��' => '队',
  '��' => '对',
  '��' => '墩',
  '��' => '吨',
  '��' => '蹲',
  '��' => '敦',
  '��' => '顿',
  '��' => '囤',
  '��' => '钝',
  '��' => '盾',
  '��' => '遁',
  '��' => '掇',
  '��' => '哆',
  '��' => '多',
  '��' => '夺',
  '��' => '垛',
  '��' => '躲',
  '��' => '朵',
  '��' => '跺',
  '��' => '舵',
  '��' => '剁',
  '��' => '惰',
  '��' => '堕',
  '��' => '蛾',
  '��' => '峨',
  '��' => '鹅',
  '��' => '俄',
  '��' => '额',
  '��' => '讹',
  '��' => '娥',
  '��' => '恶',
  '��' => '厄',
  '��' => '扼',
  '��' => '遏',
  '��' => '鄂',
  '��' => '饿',
  '��' => '恩',
  '��' => '而',
  '��' => '儿',
  '��' => '耳',
  '��' => '尔',
  '��' => '饵',
  '��' => '洱',
  '��' => '二',
  '�@' => '稝',
  '�A' => '稟',
  '�B' => '稡',
  '�C' => '稢',
  '�D' => '稤',
  '�E' => '稥',
  '�F' => '稦',
  '�G' => '稧',
  '�H' => '稨',
  '�I' => '稩',
  '�J' => '稪',
  '�K' => '稫',
  '�L' => '稬',
  '�M' => '稭',
  '�N' => '種',
  '�O' => '稯',
  '�P' => '稰',
  '�Q' => '稱',
  '�R' => '稲',
  '�S' => '稴',
  '�T' => '稵',
  '�U' => '稶',
  '�V' => '稸',
  '�W' => '稺',
  '�X' => '稾',
  '�Y' => '穀',
  '�Z' => '穁',
  '�[' => '穂',
  '�\\' => '穃',
  '�]' => '穄',
  '�^' => '穅',
  '�_' => '穇',
  '�`' => '穈',
  '�a' => '穉',
  '�b' => '穊',
  '�c' => '穋',
  '�d' => '穌',
  '�e' => '積',
  '�f' => '穎',
  '�g' => '穏',
  '�h' => '穐',
  '�i' => '穒',
  '�j' => '穓',
  '�k' => '穔',
  '�l' => '穕',
  '�m' => '穖',
  '�n' => '穘',
  '�o' => '穙',
  '�p' => '穚',
  '�q' => '穛',
  '�r' => '穜',
  '�s' => '穝',
  '�t' => '穞',
  '�u' => '穟',
  '�v' => '穠',
  '�w' => '穡',
  '�x' => '穢',
  '�y' => '穣',
  '�z' => '穤',
  '�{' => '穥',
  '�|' => '穦',
  '�}' => '穧',
  '�~' => '穨',
  '��' => '穩',
  '��' => '穪',
  '��' => '穫',
  '��' => '穬',
  '��' => '穭',
  '��' => '穮',
  '��' => '穯',
  '��' => '穱',
  '��' => '穲',
  '��' => '穳',
  '��' => '穵',
  '��' => '穻',
  '��' => '穼',
  '��' => '穽',
  '��' => '穾',
  '��' => '窂',
  '��' => '窅',
  '��' => '窇',
  '��' => '窉',
  '��' => '窊',
  '��' => '窋',
  '��' => '窌',
  '��' => '窎',
  '��' => '窏',
  '��' => '窐',
  '��' => '窓',
  '��' => '窔',
  '��' => '窙',
  '��' => '窚',
  '��' => '窛',
  '��' => '窞',
  '��' => '窡',
  '��' => '窢',
  '��' => '贰',
  '��' => '发',
  '��' => '罚',
  '��' => '筏',
  '��' => '伐',
  '��' => '乏',
  '��' => '阀',
  '��' => '法',
  '��' => '珐',
  '��' => '藩',
  '��' => '帆',
  '��' => '番',
  '��' => '翻',
  '��' => '樊',
  '��' => '矾',
  '��' => '钒',
  '��' => '繁',
  '��' => '凡',
  '��' => '烦',
  '��' => '反',
  '��' => '返',
  '��' => '范',
  '��' => '贩',
  '��' => '犯',
  '��' => '饭',
  '��' => '泛',
  '��' => '坊',
  '��' => '芳',
  '��' => '方',
  '��' => '肪',
  '��' => '房',
  '��' => '防',
  '��' => '妨',
  '��' => '仿',
  '��' => '访',
  '��' => '纺',
  '��' => '放',
  '��' => '菲',
  '��' => '非',
  '��' => '啡',
  '��' => '飞',
  '��' => '肥',
  '��' => '匪',
  '��' => '诽',
  '��' => '吠',
  '��' => '肺',
  '��' => '废',
  '��' => '沸',
  '��' => '费',
  '��' => '芬',
  '��' => '酚',
  '��' => '吩',
  '��' => '氛',
  '��' => '分',
  '��' => '纷',
  '��' => '坟',
  '��' => '焚',
  '��' => '汾',
  '��' => '粉',
  '��' => '奋',
  '��' => '份',
  '��' => '忿',
  '��' => '愤',
  '��' => '粪',
  '��' => '丰',
  '��' => '封',
  '��' => '枫',
  '��' => '蜂',
  '��' => '峰',
  '��' => '锋',
  '��' => '风',
  '��' => '疯',
  '��' => '烽',
  '��' => '逢',
  '��' => '冯',
  '��' => '缝',
  '��' => '讽',
  '��' => '奉',
  '��' => '凤',
  '��' => '佛',
  '��' => '否',
  '��' => '夫',
  '��' => '敷',
  '��' => '肤',
  '��' => '孵',
  '��' => '扶',
  '��' => '拂',
  '��' => '辐',
  '��' => '幅',
  '��' => '氟',
  '��' => '符',
  '��' => '伏',
  '��' => '俘',
  '��' => '服',
  '�@' => '窣',
  '�A' => '窤',
  '�B' => '窧',
  '�C' => '窩',
  '�D' => '窪',
  '�E' => '窫',
  '�F' => '窮',
  '�G' => '窯',
  '�H' => '窰',
  '�I' => '窱',
  '�J' => '窲',
  '�K' => '窴',
  '�L' => '窵',
  '�M' => '窶',
  '�N' => '窷',
  '�O' => '窸',
  '�P' => '窹',
  '�Q' => '窺',
  '�R' => '窻',
  '�S' => '窼',
  '�T' => '窽',
  '�U' => '窾',
  '�V' => '竀',
  '�W' => '竁',
  '�X' => '竂',
  '�Y' => '竃',
  '�Z' => '竄',
  '�[' => '竅',
  '�\\' => '竆',
  '�]' => '竇',
  '�^' => '竈',
  '�_' => '竉',
  '�`' => '竊',
  '�a' => '竌',
  '�b' => '竍',
  '�c' => '竎',
  '�d' => '竏',
  '�e' => '竐',
  '�f' => '竑',
  '�g' => '竒',
  '�h' => '竓',
  '�i' => '竔',
  '�j' => '竕',
  '�k' => '竗',
  '�l' => '竘',
  '�m' => '竚',
  '�n' => '竛',
  '�o' => '竜',
  '�p' => '竝',
  '�q' => '竡',
  '�r' => '竢',
  '�s' => '竤',
  '�t' => '竧',
  '�u' => '竨',
  '�v' => '竩',
  '�w' => '竪',
  '�x' => '竫',
  '�y' => '竬',
  '�z' => '竮',
  '�{' => '竰',
  '�|' => '竱',
  '�}' => '竲',
  '�~' => '竳',
  '��' => '竴',
  '��' => '竵',
  '��' => '競',
  '��' => '竷',
  '��' => '竸',
  '��' => '竻',
  '��' => '竼',
  '��' => '竾',
  '��' => '笀',
  '��' => '笁',
  '��' => '笂',
  '��' => '笅',
  '��' => '笇',
  '��' => '笉',
  '��' => '笌',
  '��' => '笍',
  '��' => '笎',
  '��' => '笐',
  '��' => '笒',
  '��' => '笓',
  '��' => '笖',
  '��' => '笗',
  '��' => '笘',
  '��' => '笚',
  '��' => '笜',
  '��' => '笝',
  '��' => '笟',
  '��' => '笡',
  '��' => '笢',
  '��' => '笣',
  '��' => '笧',
  '��' => '笩',
  '��' => '笭',
  '��' => '浮',
  '��' => '涪',
  '��' => '福',
  '��' => '袱',
  '��' => '弗',
  '��' => '甫',
  '��' => '抚',
  '��' => '辅',
  '��' => '俯',
  '��' => '釜',
  '��' => '斧',
  '��' => '脯',
  '��' => '腑',
  '��' => '府',
  '��' => '腐',
  '��' => '赴',
  '��' => '副',
  '��' => '覆',
  '��' => '赋',
  '��' => '复',
  '��' => '傅',
  '��' => '付',
  '��' => '阜',
  '��' => '父',
  '��' => '腹',
  '��' => '负',
  '��' => '富',
  '��' => '讣',
  '��' => '附',
  '��' => '妇',
  '��' => '缚',
  '��' => '咐',
  '��' => '噶',
  '��' => '嘎',
  '��' => '该',
  '��' => '改',
  '��' => '概',
  '��' => '钙',
  '��' => '盖',
  '��' => '溉',
  '��' => '干',
  '��' => '甘',
  '��' => '杆',
  '��' => '柑',
  '��' => '竿',
  '��' => '肝',
  '��' => '赶',
  '��' => '感',
  '��' => '秆',
  '��' => '敢',
  '��' => '赣',
  '��' => '冈',
  '��' => '刚',
  '��' => '钢',
  '��' => '缸',
  '��' => '肛',
  '��' => '纲',
  '��' => '岗',
  '��' => '港',
  '��' => '杠',
  '��' => '篙',
  '��' => '皋',
  '��' => '高',
  '��' => '膏',
  '��' => '羔',
  '��' => '糕',
  '��' => '搞',
  '��' => '镐',
  '��' => '稿',
  '��' => '告',
  '��' => '哥',
  '��' => '歌',
  '��' => '搁',
  '��' => '戈',
  '��' => '鸽',
  '��' => '胳',
  '��' => '疙',
  '��' => '割',
  '��' => '革',
  '��' => '葛',
  '��' => '格',
  '��' => '蛤',
  '��' => '阁',
  '��' => '隔',
  '��' => '铬',
  '��' => '个',
  '��' => '各',
  '��' => '给',
  '��' => '根',
  '��' => '跟',
  '��' => '耕',
  '��' => '更',
  '��' => '庚',
  '��' => '羹',
  '�@' => '笯',
  '�A' => '笰',
  '�B' => '笲',
  '�C' => '笴',
  '�D' => '笵',
  '�E' => '笶',
  '�F' => '笷',
  '�G' => '笹',
  '�H' => '笻',
  '�I' => '笽',
  '�J' => '笿',
  '�K' => '筀',
  '�L' => '筁',
  '�M' => '筂',
  '�N' => '筃',
  '�O' => '筄',
  '�P' => '筆',
  '�Q' => '筈',
  '�R' => '筊',
  '�S' => '筍',
  '�T' => '筎',
  '�U' => '筓',
  '�V' => '筕',
  '�W' => '筗',
  '�X' => '筙',
  '�Y' => '筜',
  '�Z' => '筞',
  '�[' => '筟',
  '�\\' => '筡',
  '�]' => '筣',
  '�^' => '筤',
  '�_' => '筥',
  '�`' => '筦',
  '�a' => '筧',
  '�b' => '筨',
  '�c' => '筩',
  '�d' => '筪',
  '�e' => '筫',
  '�f' => '筬',
  '�g' => '筭',
  '�h' => '筯',
  '�i' => '筰',
  '�j' => '筳',
  '�k' => '筴',
  '�l' => '筶',
  '�m' => '筸',
  '�n' => '筺',
  '�o' => '筼',
  '�p' => '筽',
  '�q' => '筿',
  '�r' => '箁',
  '�s' => '箂',
  '�t' => '箃',
  '�u' => '箄',
  '�v' => '箆',
  '�w' => '箇',
  '�x' => '箈',
  '�y' => '箉',
  '�z' => '箊',
  '�{' => '箋',
  '�|' => '箌',
  '�}' => '箎',
  '�~' => '箏',
  '��' => '箑',
  '��' => '箒',
  '��' => '箓',
  '��' => '箖',
  '��' => '箘',
  '��' => '箙',
  '��' => '箚',
  '��' => '箛',
  '��' => '箞',
  '��' => '箟',
  '��' => '箠',
  '��' => '箣',
  '��' => '箤',
  '��' => '箥',
  '��' => '箮',
  '��' => '箯',
  '��' => '箰',
  '��' => '箲',
  '��' => '箳',
  '��' => '箵',
  '��' => '箶',
  '��' => '箷',
  '��' => '箹',
  '��' => '箺',
  '��' => '箻',
  '��' => '箼',
  '��' => '箽',
  '��' => '箾',
  '��' => '箿',
  '��' => '節',
  '��' => '篂',
  '��' => '篃',
  '��' => '範',
  '��' => '埂',
  '��' => '耿',
  '��' => '梗',
  '��' => '工',
  '��' => '攻',
  '��' => '功',
  '��' => '恭',
  '��' => '龚',
  '��' => '供',
  '��' => '躬',
  '��' => '公',
  '��' => '宫',
  '��' => '弓',
  '��' => '巩',
  '��' => '汞',
  '��' => '拱',
  '��' => '贡',
  '��' => '共',
  '��' => '钩',
  '��' => '勾',
  '��' => '沟',
  '��' => '苟',
  '��' => '狗',
  '��' => '垢',
  '��' => '构',
  '��' => '购',
  '��' => '够',
  '��' => '辜',
  '��' => '菇',
  '��' => '咕',
  '��' => '箍',
  '��' => '估',
  '��' => '沽',
  '��' => '孤',
  '��' => '姑',
  '��' => '鼓',
  '��' => '古',
  '��' => '蛊',
  '��' => '骨',
  '��' => '谷',
  '��' => '股',
  '��' => '故',
  '��' => '顾',
  '��' => '固',
  '��' => '雇',
  '��' => '刮',
  '��' => '瓜',
  '��' => '剐',
  '��' => '寡',
  '��' => '挂',
  '��' => '褂',
  '��' => '乖',
  '��' => '拐',
  '��' => '怪',
  '��' => '棺',
  '��' => '关',
  '��' => '官',
  '��' => '冠',
  '��' => '观',
  '��' => '管',
  '��' => '馆',
  '��' => '罐',
  '��' => '惯',
  '��' => '灌',
  '��' => '贯',
  '��' => '光',
  '��' => '广',
  '��' => '逛',
  '��' => '瑰',
  '��' => '规',
  '��' => '圭',
  '��' => '硅',
  '��' => '归',
  '��' => '龟',
  '��' => '闺',
  '��' => '轨',
  '��' => '鬼',
  '��' => '诡',
  '��' => '癸',
  '��' => '桂',
  '��' => '柜',
  '��' => '跪',
  '��' => '贵',
  '��' => '刽',
  '��' => '辊',
  '��' => '滚',
  '��' => '棍',
  '��' => '锅',
  '��' => '郭',
  '��' => '国',
  '��' => '果',
  '��' => '裹',
  '��' => '过',
  '��' => '哈',
  '�@' => '篅',
  '�A' => '篈',
  '�B' => '築',
  '�C' => '篊',
  '�D' => '篋',
  '�E' => '篍',
  '�F' => '篎',
  '�G' => '篏',
  '�H' => '篐',
  '�I' => '篒',
  '�J' => '篔',
  '�K' => '篕',
  '�L' => '篖',
  '�M' => '篗',
  '�N' => '篘',
  '�O' => '篛',
  '�P' => '篜',
  '�Q' => '篞',
  '�R' => '篟',
  '�S' => '篠',
  '�T' => '篢',
  '�U' => '篣',
  '�V' => '篤',
  '�W' => '篧',
  '�X' => '篨',
  '�Y' => '篩',
  '�Z' => '篫',
  '�[' => '篬',
  '�\\' => '篭',
  '�]' => '篯',
  '�^' => '篰',
  '�_' => '篲',
  '�`' => '篳',
  '�a' => '篴',
  '�b' => '篵',
  '�c' => '篶',
  '�d' => '篸',
  '�e' => '篹',
  '�f' => '篺',
  '�g' => '篻',
  '�h' => '篽',
  '�i' => '篿',
  '�j' => '簀',
  '�k' => '簁',
  '�l' => '簂',
  '�m' => '簃',
  '�n' => '簄',
  '�o' => '簅',
  '�p' => '簆',
  '�q' => '簈',
  '�r' => '簉',
  '�s' => '簊',
  '�t' => '簍',
  '�u' => '簎',
  '�v' => '簐',
  '�w' => '簑',
  '�x' => '簒',
  '�y' => '簓',
  '�z' => '簔',
  '�{' => '簕',
  '�|' => '簗',
  '�}' => '簘',
  '�~' => '簙',
  '��' => '簚',
  '��' => '簛',
  '��' => '簜',
  '��' => '簝',
  '��' => '簞',
  '��' => '簠',
  '��' => '簡',
  '��' => '簢',
  '��' => '簣',
  '��' => '簤',
  '��' => '簥',
  '��' => '簨',
  '��' => '簩',
  '��' => '簫',
  '��' => '簬',
  '��' => '簭',
  '��' => '簮',
  '��' => '簯',
  '��' => '簰',
  '��' => '簱',
  '��' => '簲',
  '��' => '簳',
  '��' => '簴',
  '��' => '簵',
  '��' => '簶',
  '��' => '簷',
  '��' => '簹',
  '��' => '簺',
  '��' => '簻',
  '��' => '簼',
  '��' => '簽',
  '��' => '簾',
  '��' => '籂',
  '��' => '骸',
  '��' => '孩',
  '��' => '海',
  '��' => '氦',
  '��' => '亥',
  '��' => '害',
  '��' => '骇',
  '��' => '酣',
  '��' => '憨',
  '��' => '邯',
  '��' => '韩',
  '��' => '含',
  '��' => '涵',
  '��' => '寒',
  '��' => '函',
  '��' => '喊',
  '��' => '罕',
  '��' => '翰',
  '��' => '撼',
  '��' => '捍',
  '��' => '旱',
  '��' => '憾',
  '��' => '悍',
  '��' => '焊',
  '��' => '汗',
  '��' => '汉',
  '��' => '夯',
  '��' => '杭',
  '��' => '航',
  '��' => '壕',
  '��' => '嚎',
  '��' => '豪',
  '��' => '毫',
  '��' => '郝',
  '��' => '好',
  '��' => '耗',
  '��' => '号',
  '��' => '浩',
  '��' => '呵',
  '��' => '喝',
  '��' => '荷',
  '��' => '菏',
  '��' => '核',
  '��' => '禾',
  '��' => '和',
  '��' => '何',
  '��' => '合',
  '��' => '盒',
  '��' => '貉',
  '��' => '阂',
  '��' => '河',
  '��' => '涸',
  '��' => '赫',
  '��' => '褐',
  '��' => '鹤',
  '��' => '贺',
  '��' => '嘿',
  '��' => '黑',
  '��' => '痕',
  '��' => '很',
  '��' => '狠',
  '��' => '恨',
  '��' => '哼',
  '��' => '亨',
  '��' => '横',
  '��' => '衡',
  '��' => '恒',
  '��' => '轰',
  '��' => '哄',
  '��' => '烘',
  '��' => '虹',
  '��' => '鸿',
  '��' => '洪',
  '��' => '宏',
  '��' => '弘',
  '��' => '红',
  '��' => '喉',
  '��' => '侯',
  '��' => '猴',
  '��' => '吼',
  '��' => '厚',
  '��' => '候',
  '��' => '后',
  '��' => '呼',
  '��' => '乎',
  '��' => '忽',
  '��' => '瑚',
  '��' => '壶',
  '��' => '葫',
  '��' => '胡',
  '��' => '蝴',
  '��' => '狐',
  '��' => '糊',
  '��' => '湖',
  '�@' => '籃',
  '�A' => '籄',
  '�B' => '籅',
  '�C' => '籆',
  '�D' => '籇',
  '�E' => '籈',
  '�F' => '籉',
  '�G' => '籊',
  '�H' => '籋',
  '�I' => '籌',
  '�J' => '籎',
  '�K' => '籏',
  '�L' => '籐',
  '�M' => '籑',
  '�N' => '籒',
  '�O' => '籓',
  '�P' => '籔',
  '�Q' => '籕',
  '�R' => '籖',
  '�S' => '籗',
  '�T' => '籘',
  '�U' => '籙',
  '�V' => '籚',
  '�W' => '籛',
  '�X' => '籜',
  '�Y' => '籝',
  '�Z' => '籞',
  '�[' => '籟',
  '�\\' => '籠',
  '�]' => '籡',
  '�^' => '籢',
  '�_' => '籣',
  '�`' => '籤',
  '�a' => '籥',
  '�b' => '籦',
  '�c' => '籧',
  '�d' => '籨',
  '�e' => '籩',
  '�f' => '籪',
  '�g' => '籫',
  '�h' => '籬',
  '�i' => '籭',
  '�j' => '籮',
  '�k' => '籯',
  '�l' => '籰',
  '�m' => '籱',
  '�n' => '籲',
  '�o' => '籵',
  '�p' => '籶',
  '�q' => '籷',
  '�r' => '籸',
  '�s' => '籹',
  '�t' => '籺',
  '�u' => '籾',
  '�v' => '籿',
  '�w' => '粀',
  '�x' => '粁',
  '�y' => '粂',
  '�z' => '粃',
  '�{' => '粄',
  '�|' => '粅',
  '�}' => '粆',
  '�~' => '粇',
  '��' => '粈',
  '��' => '粊',
  '��' => '粋',
  '��' => '粌',
  '��' => '粍',
  '��' => '粎',
  '��' => '粏',
  '��' => '粐',
  '��' => '粓',
  '��' => '粔',
  '��' => '粖',
  '��' => '粙',
  '��' => '粚',
  '��' => '粛',
  '��' => '粠',
  '��' => '粡',
  '��' => '粣',
  '��' => '粦',
  '��' => '粧',
  '��' => '粨',
  '��' => '粩',
  '��' => '粫',
  '��' => '粬',
  '��' => '粭',
  '��' => '粯',
  '��' => '粰',
  '��' => '粴',
  '��' => '粵',
  '��' => '粶',
  '��' => '粷',
  '��' => '粸',
  '��' => '粺',
  '��' => '粻',
  '��' => '弧',
  '��' => '虎',
  '��' => '唬',
  '��' => '护',
  '��' => '互',
  '��' => '沪',
  '��' => '户',
  '��' => '花',
  '��' => '哗',
  '��' => '华',
  '��' => '猾',
  '��' => '滑',
  '��' => '画',
  '��' => '划',
  '��' => '化',
  '��' => '话',
  '��' => '槐',
  '��' => '徊',
  '��' => '怀',
  '��' => '淮',
  '��' => '坏',
  '��' => '欢',
  '��' => '环',
  '��' => '桓',
  '��' => '还',
  '��' => '缓',
  '��' => '换',
  '��' => '患',
  '��' => '唤',
  '��' => '痪',
  '��' => '豢',
  '��' => '焕',
  '��' => '涣',
  '��' => '宦',
  '��' => '幻',
  '��' => '荒',
  '��' => '慌',
  '��' => '黄',
  '��' => '磺',
  '��' => '蝗',
  '��' => '簧',
  '��' => '皇',
  '��' => '凰',
  '��' => '惶',
  '��' => '煌',
  '��' => '晃',
  '��' => '幌',
  '��' => '恍',
  '��' => '谎',
  '��' => '灰',
  '��' => '挥',
  '��' => '辉',
  '��' => '徽',
  '��' => '恢',
  '��' => '蛔',
  '��' => '回',
  '��' => '毁',
  '��' => '悔',
  '��' => '慧',
  '��' => '卉',
  '��' => '惠',
  '��' => '晦',
  '��' => '贿',
  '��' => '秽',
  '��' => '会',
  '��' => '烩',
  '��' => '汇',
  '��' => '讳',
  '��' => '诲',
  '��' => '绘',
  '��' => '荤',
  '��' => '昏',
  '��' => '婚',
  '��' => '魂',
  '��' => '浑',
  '��' => '混',
  '��' => '豁',
  '��' => '活',
  '��' => '伙',
  '��' => '火',
  '��' => '获',
  '��' => '或',
  '��' => '惑',
  '��' => '霍',
  '��' => '货',
  '��' => '祸',
  '��' => '击',
  '��' => '圾',
  '��' => '基',
  '��' => '机',
  '��' => '畸',
  '��' => '稽',
  '��' => '积',
  '��' => '箕',
  '�@' => '粿',
  '�A' => '糀',
  '�B' => '糂',
  '�C' => '糃',
  '�D' => '糄',
  '�E' => '糆',
  '�F' => '糉',
  '�G' => '糋',
  '�H' => '糎',
  '�I' => '糏',
  '�J' => '糐',
  '�K' => '糑',
  '�L' => '糒',
  '�M' => '糓',
  '�N' => '糔',
  '�O' => '糘',
  '�P' => '糚',
  '�Q' => '糛',
  '�R' => '糝',
  '�S' => '糞',
  '�T' => '糡',
  '�U' => '糢',
  '�V' => '糣',
  '�W' => '糤',
  '�X' => '糥',
  '�Y' => '糦',
  '�Z' => '糧',
  '�[' => '糩',
  '�\\' => '糪',
  '�]' => '糫',
  '�^' => '糬',
  '�_' => '糭',
  '�`' => '糮',
  '�a' => '糰',
  '�b' => '糱',
  '�c' => '糲',
  '�d' => '糳',
  '�e' => '糴',
  '�f' => '糵',
  '�g' => '糶',
  '�h' => '糷',
  '�i' => '糹',
  '�j' => '糺',
  '�k' => '糼',
  '�l' => '糽',
  '�m' => '糾',
  '�n' => '糿',
  '�o' => '紀',
  '�p' => '紁',
  '�q' => '紂',
  '�r' => '紃',
  '�s' => '約',
  '�t' => '紅',
  '�u' => '紆',
  '�v' => '紇',
  '�w' => '紈',
  '�x' => '紉',
  '�y' => '紋',
  '�z' => '紌',
  '�{' => '納',
  '�|' => '紎',
  '�}' => '紏',
  '�~' => '紐',
  '��' => '紑',
  '��' => '紒',
  '��' => '紓',
  '��' => '純',
  '��' => '紕',
  '��' => '紖',
  '��' => '紗',
  '��' => '紘',
  '��' => '紙',
  '��' => '級',
  '��' => '紛',
  '��' => '紜',
  '��' => '紝',
  '��' => '紞',
  '��' => '紟',
  '��' => '紡',
  '��' => '紣',
  '��' => '紤',
  '��' => '紥',
  '��' => '紦',
  '��' => '紨',
  '��' => '紩',
  '��' => '紪',
  '��' => '紬',
  '��' => '紭',
  '��' => '紮',
  '��' => '細',
  '��' => '紱',
  '��' => '紲',
  '��' => '紳',
  '��' => '紴',
  '��' => '紵',
  '��' => '紶',
  '��' => '肌',
  '��' => '饥',
  '��' => '迹',
  '��' => '激',
  '��' => '讥',
  '��' => '鸡',
  '��' => '姬',
  '��' => '绩',
  '��' => '缉',
  '��' => '吉',
  '��' => '极',
  '��' => '棘',
  '��' => '辑',
  '��' => '籍',
  '��' => '集',
  '��' => '及',
  '��' => '急',
  '��' => '疾',
  '��' => '汲',
  '��' => '即',
  '��' => '嫉',
  '��' => '级',
  '��' => '挤',
  '��' => '几',
  '��' => '脊',
  '��' => '己',
  '��' => '蓟',
  '��' => '技',
  '��' => '冀',
  '��' => '季',
  '��' => '伎',
  '��' => '祭',
  '��' => '剂',
  '��' => '悸',
  '��' => '济',
  '��' => '寄',
  '��' => '寂',
  '��' => '计',
  '��' => '记',
  '��' => '既',
  '��' => '忌',
  '��' => '际',
  '��' => '妓',
  '��' => '继',
  '��' => '纪',
  '��' => '嘉',
  '��' => '枷',
  '��' => '夹',
  '��' => '佳',
  '��' => '家',
  '��' => '加',
  '��' => '荚',
  '��' => '颊',
  '��' => '贾',
  '��' => '甲',
  '��' => '钾',
  '��' => '假',
  '��' => '稼',
  '��' => '价',
  '��' => '架',
  '��' => '驾',
  '��' => '嫁',
  '��' => '歼',
  '��' => '监',
  '��' => '坚',
  '��' => '尖',
  '��' => '笺',
  '��' => '间',
  '��' => '煎',
  '��' => '兼',
  '��' => '肩',
  '��' => '艰',
  '��' => '奸',
  '��' => '缄',
  '��' => '茧',
  '��' => '检',
  '��' => '柬',
  '��' => '碱',
  '��' => '硷',
  '��' => '拣',
  '��' => '捡',
  '��' => '简',
  '��' => '俭',
  '��' => '剪',
  '��' => '减',
  '��' => '荐',
  '��' => '槛',
  '��' => '鉴',
  '��' => '践',
  '��' => '贱',
  '��' => '见',
  '��' => '键',
  '��' => '箭',
  '��' => '件',
  '�@' => '紷',
  '�A' => '紸',
  '�B' => '紹',
  '�C' => '紺',
  '�D' => '紻',
  '�E' => '紼',
  '�F' => '紽',
  '�G' => '紾',
  '�H' => '紿',
  '�I' => '絀',
  '�J' => '絁',
  '�K' => '終',
  '�L' => '絃',
  '�M' => '組',
  '�N' => '絅',
  '�O' => '絆',
  '�P' => '絇',
  '�Q' => '絈',
  '�R' => '絉',
  '�S' => '絊',
  '�T' => '絋',
  '�U' => '経',
  '�V' => '絍',
  '�W' => '絎',
  '�X' => '絏',
  '�Y' => '結',
  '�Z' => '絑',
  '�[' => '絒',
  '�\\' => '絓',
  '�]' => '絔',
  '�^' => '絕',
  '�_' => '絖',
  '�`' => '絗',
  '�a' => '絘',
  '�b' => '絙',
  '�c' => '絚',
  '�d' => '絛',
  '�e' => '絜',
  '�f' => '絝',
  '�g' => '絞',
  '�h' => '絟',
  '�i' => '絠',
  '�j' => '絡',
  '�k' => '絢',
  '�l' => '絣',
  '�m' => '絤',
  '�n' => '絥',
  '�o' => '給',
  '�p' => '絧',
  '�q' => '絨',
  '�r' => '絩',
  '�s' => '絪',
  '�t' => '絫',
  '�u' => '絬',
  '�v' => '絭',
  '�w' => '絯',
  '�x' => '絰',
  '�y' => '統',
  '�z' => '絲',
  '�{' => '絳',
  '�|' => '絴',
  '�}' => '絵',
  '�~' => '絶',
  '��' => '絸',
  '��' => '絹',
  '��' => '絺',
  '��' => '絻',
  '��' => '絼',
  '��' => '絽',
  '��' => '絾',
  '��' => '絿',
  '��' => '綀',
  '��' => '綁',
  '��' => '綂',
  '��' => '綃',
  '��' => '綄',
  '��' => '綅',
  '��' => '綆',
  '��' => '綇',
  '��' => '綈',
  '��' => '綉',
  '��' => '綊',
  '��' => '綋',
  '��' => '綌',
  '��' => '綍',
  '��' => '綎',
  '��' => '綏',
  '��' => '綐',
  '��' => '綑',
  '��' => '綒',
  '��' => '經',
  '��' => '綔',
  '��' => '綕',
  '��' => '綖',
  '��' => '綗',
  '��' => '綘',
  '��' => '健',
  '��' => '舰',
  '��' => '剑',
  '��' => '饯',
  '��' => '渐',
  '��' => '溅',
  '��' => '涧',
  '��' => '建',
  '��' => '僵',
  '��' => '姜',
  '��' => '将',
  '��' => '浆',
  '��' => '江',
  '��' => '疆',
  '��' => '蒋',
  '��' => '桨',
  '��' => '奖',
  '��' => '讲',
  '��' => '匠',
  '��' => '酱',
  '��' => '降',
  '��' => '蕉',
  '��' => '椒',
  '��' => '礁',
  '��' => '焦',
  '��' => '胶',
  '��' => '交',
  '��' => '郊',
  '��' => '浇',
  '��' => '骄',
  '��' => '娇',
  '��' => '嚼',
  '��' => '搅',
  '��' => '铰',
  '��' => '矫',
  '��' => '侥',
  '��' => '脚',
  '��' => '狡',
  '��' => '角',
  '��' => '饺',
  '��' => '缴',
  '��' => '绞',
  '��' => '剿',
  '��' => '教',
  '��' => '酵',
  '��' => '轿',
  '��' => '较',
  '��' => '叫',
  '��' => '窖',
  '��' => '揭',
  '��' => '接',
  '��' => '皆',
  '��' => '秸',
  '��' => '街',
  '��' => '阶',
  '��' => '截',
  '��' => '劫',
  '��' => '节',
  '��' => '桔',
  '��' => '杰',
  '��' => '捷',
  '��' => '睫',
  '��' => '竭',
  '��' => '洁',
  '��' => '结',
  '��' => '解',
  '��' => '姐',
  '��' => '戒',
  '��' => '藉',
  '��' => '芥',
  '��' => '界',
  '��' => '借',
  '��' => '介',
  '��' => '疥',
  '��' => '诫',
  '��' => '届',
  '��' => '巾',
  '��' => '筋',
  '��' => '斤',
  '��' => '金',
  '��' => '今',
  '��' => '津',
  '��' => '襟',
  '��' => '紧',
  '��' => '锦',
  '��' => '仅',
  '��' => '谨',
  '��' => '进',
  '��' => '靳',
  '��' => '晋',
  '��' => '禁',
  '��' => '近',
  '��' => '烬',
  '��' => '浸',
  '�@' => '継',
  '�A' => '続',
  '�B' => '綛',
  '�C' => '綜',
  '�D' => '綝',
  '�E' => '綞',
  '�F' => '綟',
  '�G' => '綠',
  '�H' => '綡',
  '�I' => '綢',
  '�J' => '綣',
  '�K' => '綤',
  '�L' => '綥',
  '�M' => '綧',
  '�N' => '綨',
  '�O' => '綩',
  '�P' => '綪',
  '�Q' => '綫',
  '�R' => '綬',
  '�S' => '維',
  '�T' => '綯',
  '�U' => '綰',
  '�V' => '綱',
  '�W' => '網',
  '�X' => '綳',
  '�Y' => '綴',
  '�Z' => '綵',
  '�[' => '綶',
  '�\\' => '綷',
  '�]' => '綸',
  '�^' => '綹',
  '�_' => '綺',
  '�`' => '綻',
  '�a' => '綼',
  '�b' => '綽',
  '�c' => '綾',
  '�d' => '綿',
  '�e' => '緀',
  '�f' => '緁',
  '�g' => '緂',
  '�h' => '緃',
  '�i' => '緄',
  '�j' => '緅',
  '�k' => '緆',
  '�l' => '緇',
  '�m' => '緈',
  '�n' => '緉',
  '�o' => '緊',
  '�p' => '緋',
  '�q' => '緌',
  '�r' => '緍',
  '�s' => '緎',
  '�t' => '総',
  '�u' => '緐',
  '�v' => '緑',
  '�w' => '緒',
  '�x' => '緓',
  '�y' => '緔',
  '�z' => '緕',
  '�{' => '緖',
  '�|' => '緗',
  '�}' => '緘',
  '�~' => '緙',
  '��' => '線',
  '��' => '緛',
  '��' => '緜',
  '��' => '緝',
  '��' => '緞',
  '��' => '緟',
  '��' => '締',
  '��' => '緡',
  '��' => '緢',
  '��' => '緣',
  '��' => '緤',
  '��' => '緥',
  '��' => '緦',
  '��' => '緧',
  '��' => '編',
  '��' => '緩',
  '��' => '緪',
  '��' => '緫',
  '��' => '緬',
  '��' => '緭',
  '��' => '緮',
  '��' => '緯',
  '��' => '緰',
  '��' => '緱',
  '��' => '緲',
  '��' => '緳',
  '��' => '練',
  '��' => '緵',
  '��' => '緶',
  '��' => '緷',
  '��' => '緸',
  '��' => '緹',
  '��' => '緺',
  '��' => '尽',
  '��' => '劲',
  '��' => '荆',
  '��' => '兢',
  '��' => '茎',
  '��' => '睛',
  '��' => '晶',
  '��' => '鲸',
  '��' => '京',
  '��' => '惊',
  '��' => '精',
  '��' => '粳',
  '��' => '经',
  '��' => '井',
  '��' => '警',
  '��' => '景',
  '��' => '颈',
  '��' => '静',
  '��' => '境',
  '��' => '敬',
  '��' => '镜',
  '��' => '径',
  '��' => '痉',
  '��' => '靖',
  '��' => '竟',
  '��' => '竞',
  '��' => '净',
  '��' => '炯',
  '��' => '窘',
  '��' => '揪',
  '��' => '究',
  '��' => '纠',
  '��' => '玖',
  '��' => '韭',
  '��' => '久',
  '��' => '灸',
  '��' => '九',
  '��' => '酒',
  '��' => '厩',
  '��' => '救',
  '��' => '旧',
  '��' => '臼',
  '��' => '舅',
  '��' => '咎',
  '��' => '就',
  '��' => '疚',
  '��' => '鞠',
  '��' => '拘',
  '��' => '狙',
  '��' => '疽',
  '��' => '居',
  '��' => '驹',
  '��' => '菊',
  '��' => '局',
  '��' => '咀',
  '��' => '矩',
  '��' => '举',
  '��' => '沮',
  '��' => '聚',
  '��' => '拒',
  '��' => '据',
  '��' => '巨',
  '��' => '具',
  '��' => '距',
  '��' => '踞',
  '��' => '锯',
  '��' => '俱',
  '��' => '句',
  '��' => '惧',
  '��' => '炬',
  '��' => '剧',
  '��' => '捐',
  '��' => '鹃',
  '��' => '娟',
  '��' => '倦',
  '��' => '眷',
  '��' => '卷',
  '��' => '绢',
  '��' => '撅',
  '��' => '攫',
  '��' => '抉',
  '��' => '掘',
  '��' => '倔',
  '��' => '爵',
  '��' => '觉',
  '��' => '决',
  '��' => '诀',
  '��' => '绝',
  '��' => '均',
  '��' => '菌',
  '��' => '钧',
  '��' => '军',
  '��' => '君',
  '��' => '峻',
  '�@' => '緻',
  '�A' => '緼',
  '�B' => '緽',
  '�C' => '緾',
  '�D' => '緿',
  '�E' => '縀',
  '�F' => '縁',
  '�G' => '縂',
  '�H' => '縃',
  '�I' => '縄',
  '�J' => '縅',
  '�K' => '縆',
  '�L' => '縇',
  '�M' => '縈',
  '�N' => '縉',
  '�O' => '縊',
  '�P' => '縋',
  '�Q' => '縌',
  '�R' => '縍',
  '�S' => '縎',
  '�T' => '縏',
  '�U' => '縐',
  '�V' => '縑',
  '�W' => '縒',
  '�X' => '縓',
  '�Y' => '縔',
  '�Z' => '縕',
  '�[' => '縖',
  '�\\' => '縗',
  '�]' => '縘',
  '�^' => '縙',
  '�_' => '縚',
  '�`' => '縛',
  '�a' => '縜',
  '�b' => '縝',
  '�c' => '縞',
  '�d' => '縟',
  '�e' => '縠',
  '�f' => '縡',
  '�g' => '縢',
  '�h' => '縣',
  '�i' => '縤',
  '�j' => '縥',
  '�k' => '縦',
  '�l' => '縧',
  '�m' => '縨',
  '�n' => '縩',
  '�o' => '縪',
  '�p' => '縫',
  '�q' => '縬',
  '�r' => '縭',
  '�s' => '縮',
  '�t' => '縯',
  '�u' => '縰',
  '�v' => '縱',
  '�w' => '縲',
  '�x' => '縳',
  '�y' => '縴',
  '�z' => '縵',
  '�{' => '縶',
  '�|' => '縷',
  '�}' => '縸',
  '�~' => '縹',
  '��' => '縺',
  '��' => '縼',
  '��' => '總',
  '��' => '績',
  '��' => '縿',
  '��' => '繀',
  '��' => '繂',
  '��' => '繃',
  '��' => '繄',
  '��' => '繅',
  '��' => '繆',
  '��' => '繈',
  '��' => '繉',
  '��' => '繊',
  '��' => '繋',
  '��' => '繌',
  '��' => '繍',
  '��' => '繎',
  '��' => '繏',
  '��' => '繐',
  '��' => '繑',
  '��' => '繒',
  '��' => '繓',
  '��' => '織',
  '��' => '繕',
  '��' => '繖',
  '��' => '繗',
  '��' => '繘',
  '��' => '繙',
  '��' => '繚',
  '��' => '繛',
  '��' => '繜',
  '��' => '繝',
  '��' => '俊',
  '��' => '竣',
  '��' => '浚',
  '��' => '郡',
  '��' => '骏',
  '��' => '喀',
  '��' => '咖',
  '��' => '卡',
  '��' => '咯',
  '��' => '开',
  '��' => '揩',
  '��' => '楷',
  '��' => '凯',
  '��' => '慨',
  '��' => '刊',
  '��' => '堪',
  '��' => '勘',
  '��' => '坎',
  '��' => '砍',
  '��' => '看',
  '��' => '康',
  '��' => '慷',
  '��' => '糠',
  '��' => '扛',
  '��' => '抗',
  '��' => '亢',
  '��' => '炕',
  '��' => '考',
  '��' => '拷',
  '��' => '烤',
  '��' => '靠',
  '��' => '坷',
  '��' => '苛',
  '��' => '柯',
  '��' => '棵',
  '��' => '磕',
  '��' => '颗',
  '��' => '科',
  '��' => '壳',
  '��' => '咳',
  '��' => '可',
  '��' => '渴',
  '��' => '克',
  '��' => '刻',
  '��' => '客',
  '��' => '课',
  '��' => '肯',
  '��' => '啃',
  '��' => '垦',
  '��' => '恳',
  '��' => '坑',
  '��' => '吭',
  '��' => '空',
  '��' => '恐',
  '��' => '孔',
  '��' => '控',
  '��' => '抠',
  '��' => '口',
  '��' => '扣',
  '��' => '寇',
  '��' => '枯',
  '��' => '哭',
  '��' => '窟',
  '��' => '苦',
  '��' => '酷',
  '��' => '库',
  '��' => '裤',
  '��' => '夸',
  '��' => '垮',
  '��' => '挎',
  '��' => '跨',
  '��' => '胯',
  '��' => '块',
  '��' => '筷',
  '��' => '侩',
  '��' => '快',
  '��' => '宽',
  '��' => '款',
  '��' => '匡',
  '��' => '筐',
  '��' => '狂',
  '��' => '框',
  '��' => '矿',
  '��' => '眶',
  '��' => '旷',
  '��' => '况',
  '��' => '亏',
  '��' => '盔',
  '��' => '岿',
  '��' => '窥',
  '��' => '葵',
  '��' => '奎',
  '��' => '魁',
  '��' => '傀',
  '�@' => '繞',
  '�A' => '繟',
  '�B' => '繠',
  '�C' => '繡',
  '�D' => '繢',
  '�E' => '繣',
  '�F' => '繤',
  '�G' => '繥',
  '�H' => '繦',
  '�I' => '繧',
  '�J' => '繨',
  '�K' => '繩',
  '�L' => '繪',
  '�M' => '繫',
  '�N' => '繬',
  '�O' => '繭',
  '�P' => '繮',
  '�Q' => '繯',
  '�R' => '繰',
  '�S' => '繱',
  '�T' => '繲',
  '�U' => '繳',
  '�V' => '繴',
  '�W' => '繵',
  '�X' => '繶',
  '�Y' => '繷',
  '�Z' => '繸',
  '�[' => '繹',
  '�\\' => '繺',
  '�]' => '繻',
  '�^' => '繼',
  '�_' => '繽',
  '�`' => '繾',
  '�a' => '繿',
  '�b' => '纀',
  '�c' => '纁',
  '�d' => '纃',
  '�e' => '纄',
  '�f' => '纅',
  '�g' => '纆',
  '�h' => '纇',
  '�i' => '纈',
  '�j' => '纉',
  '�k' => '纊',
  '�l' => '纋',
  '�m' => '續',
  '�n' => '纍',
  '�o' => '纎',
  '�p' => '纏',
  '�q' => '纐',
  '�r' => '纑',
  '�s' => '纒',
  '�t' => '纓',
  '�u' => '纔',
  '�v' => '纕',
  '�w' => '纖',
  '�x' => '纗',
  '�y' => '纘',
  '�z' => '纙',
  '�{' => '纚',
  '�|' => '纜',
  '�}' => '纝',
  '�~' => '纞',
  '��' => '纮',
  '��' => '纴',
  '��' => '纻',
  '��' => '纼',
  '��' => '绖',
  '��' => '绤',
  '��' => '绬',
  '��' => '绹',
  '��' => '缊',
  '��' => '缐',
  '��' => '缞',
  '��' => '缷',
  '��' => '缹',
  '��' => '缻',
  '��' => '缼',
  '��' => '缽',
  '��' => '缾',
  '��' => '缿',
  '��' => '罀',
  '��' => '罁',
  '��' => '罃',
  '��' => '罆',
  '��' => '罇',
  '��' => '罈',
  '��' => '罉',
  '��' => '罊',
  '��' => '罋',
  '��' => '罌',
  '��' => '罍',
  '��' => '罎',
  '��' => '罏',
  '��' => '罒',
  '��' => '罓',
  '��' => '馈',
  '��' => '愧',
  '��' => '溃',
  '��' => '坤',
  '��' => '昆',
  '��' => '捆',
  '��' => '困',
  '��' => '括',
  '��' => '扩',
  '��' => '廓',
  '��' => '阔',
  '��' => '垃',
  '��' => '拉',
  '��' => '喇',
  '��' => '蜡',
  '��' => '腊',
  '��' => '辣',
  '��' => '啦',
  '��' => '莱',
  '��' => '来',
  '��' => '赖',
  '��' => '蓝',
  '��' => '婪',
  '��' => '栏',
  '��' => '拦',
  '��' => '篮',
  '��' => '阑',
  '��' => '兰',
  '��' => '澜',
  '��' => '谰',
  '��' => '揽',
  '��' => '览',
  '��' => '懒',
  '��' => '缆',
  '��' => '烂',
  '��' => '滥',
  '��' => '琅',
  '��' => '榔',
  '��' => '狼',
  '��' => '廊',
  '��' => '郎',
  '��' => '朗',
  '��' => '浪',
  '��' => '捞',
  '��' => '劳',
  '��' => '牢',
  '��' => '老',
  '��' => '佬',
  '��' => '姥',
  '��' => '酪',
  '��' => '烙',
  '��' => '涝',
  '��' => '勒',
  '��' => '乐',
  '��' => '雷',
  '��' => '镭',
  '��' => '蕾',
  '��' => '磊',
  '��' => '累',
  '��' => '儡',
  '��' => '垒',
  '��' => '擂',
  '��' => '肋',
  '��' => '类',
  '��' => '泪',
  '��' => '棱',
  '��' => '楞',
  '��' => '冷',
  '��' => '厘',
  '��' => '梨',
  '��' => '犁',
  '��' => '黎',
  '��' => '篱',
  '��' => '狸',
  '��' => '离',
  '��' => '漓',
  '��' => '理',
  '��' => '李',
  '��' => '里',
  '��' => '鲤',
  '��' => '礼',
  '��' => '莉',
  '��' => '荔',
  '��' => '吏',
  '��' => '栗',
  '��' => '丽',
  '��' => '厉',
  '��' => '励',
  '��' => '砾',
  '��' => '历',
  '��' => '利',
  '��' => '傈',
  '��' => '例',
  '��' => '俐',
  '�@' => '罖',
  '�A' => '罙',
  '�B' => '罛',
  '�C' => '罜',
  '�D' => '罝',
  '�E' => '罞',
  '�F' => '罠',
  '�G' => '罣',
  '�H' => '罤',
  '�I' => '罥',
  '�J' => '罦',
  '�K' => '罧',
  '�L' => '罫',
  '�M' => '罬',
  '�N' => '罭',
  '�O' => '罯',
  '�P' => '罰',
  '�Q' => '罳',
  '�R' => '罵',
  '�S' => '罶',
  '�T' => '罷',
  '�U' => '罸',
  '�V' => '罺',
  '�W' => '罻',
  '�X' => '罼',
  '�Y' => '罽',
  '�Z' => '罿',
  '�[' => '羀',
  '�\\' => '羂',
  '�]' => '羃',
  '�^' => '羄',
  '�_' => '羅',
  '�`' => '羆',
  '�a' => '羇',
  '�b' => '羈',
  '�c' => '羉',
  '�d' => '羋',
  '�e' => '羍',
  '�f' => '羏',
  '�g' => '羐',
  '�h' => '羑',
  '�i' => '羒',
  '�j' => '羓',
  '�k' => '羕',
  '�l' => '羖',
  '�m' => '羗',
  '�n' => '羘',
  '�o' => '羙',
  '�p' => '羛',
  '�q' => '羜',
  '�r' => '羠',
  '�s' => '羢',
  '�t' => '羣',
  '�u' => '羥',
  '�v' => '羦',
  '�w' => '羨',
  '�x' => '義',
  '�y' => '羪',
  '�z' => '羫',
  '�{' => '羬',
  '�|' => '羭',
  '�}' => '羮',
  '�~' => '羱',
  '��' => '羳',
  '��' => '羴',
  '��' => '羵',
  '��' => '羶',
  '��' => '羷',
  '��' => '羺',
  '��' => '羻',
  '��' => '羾',
  '��' => '翀',
  '��' => '翂',
  '��' => '翃',
  '��' => '翄',
  '��' => '翆',
  '��' => '翇',
  '��' => '翈',
  '��' => '翉',
  '��' => '翋',
  '��' => '翍',
  '��' => '翏',
  '��' => '翐',
  '��' => '翑',
  '��' => '習',
  '��' => '翓',
  '��' => '翖',
  '��' => '翗',
  '��' => '翙',
  '��' => '翚',
  '��' => '翛',
  '��' => '翜',
  '��' => '翝',
  '��' => '翞',
  '��' => '翢',
  '��' => '翣',
  '��' => '痢',
  '��' => '立',
  '��' => '粒',
  '��' => '沥',
  '��' => '隶',
  '��' => '力',
  '��' => '璃',
  '��' => '哩',
  '��' => '俩',
  '��' => '联',
  '��' => '莲',
  '��' => '连',
  '��' => '镰',
  '��' => '廉',
  '��' => '怜',
  '��' => '涟',
  '��' => '帘',
  '��' => '敛',
  '��' => '脸',
  '��' => '链',
  '��' => '恋',
  '��' => '炼',
  '��' => '练',
  '��' => '粮',
  '��' => '凉',
  '��' => '梁',
  '��' => '粱',
  '��' => '良',
  '��' => '两',
  '��' => '辆',
  '��' => '量',
  '��' => '晾',
  '��' => '亮',
  '��' => '谅',
  '��' => '撩',
  '��' => '聊',
  '��' => '僚',
  '��' => '疗',
  '��' => '燎',
  '��' => '寥',
  '��' => '辽',
  '��' => '潦',
  '��' => '了',
  '��' => '撂',
  '��' => '镣',
  '��' => '廖',
  '��' => '料',
  '��' => '列',
  '��' => '裂',
  '��' => '烈',
  '��' => '劣',
  '��' => '猎',
  '��' => '琳',
  '��' => '林',
  '��' => '磷',
  '��' => '霖',
  '��' => '临',
  '��' => '邻',
  '��' => '鳞',
  '��' => '淋',
  '��' => '凛',
  '��' => '赁',
  '��' => '吝',
  '��' => '拎',
  '��' => '玲',
  '��' => '菱',
  '��' => '零',
  '��' => '龄',
  '��' => '铃',
  '��' => '伶',
  '��' => '羚',
  '��' => '凌',
  '��' => '灵',
  '��' => '陵',
  '��' => '岭',
  '��' => '领',
  '��' => '另',
  '��' => '令',
  '��' => '溜',
  '��' => '琉',
  '��' => '榴',
  '��' => '硫',
  '��' => '馏',
  '��' => '留',
  '��' => '刘',
  '��' => '瘤',
  '��' => '流',
  '��' => '柳',
  '��' => '六',
  '��' => '龙',
  '��' => '聋',
  '��' => '咙',
  '��' => '笼',
  '��' => '窿',
  '�@' => '翤',
  '�A' => '翧',
  '�B' => '翨',
  '�C' => '翪',
  '�D' => '翫',
  '�E' => '翬',
  '�F' => '翭',
  '�G' => '翯',
  '�H' => '翲',
  '�I' => '翴',
  '�J' => '翵',
  '�K' => '翶',
  '�L' => '翷',
  '�M' => '翸',
  '�N' => '翹',
  '�O' => '翺',
  '�P' => '翽',
  '�Q' => '翾',
  '�R' => '翿',
  '�S' => '耂',
  '�T' => '耇',
  '�U' => '耈',
  '�V' => '耉',
  '�W' => '耊',
  '�X' => '耎',
  '�Y' => '耏',
  '�Z' => '耑',
  '�[' => '耓',
  '�\\' => '耚',
  '�]' => '耛',
  '�^' => '耝',
  '�_' => '耞',
  '�`' => '耟',
  '�a' => '耡',
  '�b' => '耣',
  '�c' => '耤',
  '�d' => '耫',
  '�e' => '耬',
  '�f' => '耭',
  '�g' => '耮',
  '�h' => '耯',
  '�i' => '耰',
  '�j' => '耲',
  '�k' => '耴',
  '�l' => '耹',
  '�m' => '耺',
  '�n' => '耼',
  '�o' => '耾',
  '�p' => '聀',
  '�q' => '聁',
  '�r' => '聄',
  '�s' => '聅',
  '�t' => '聇',
  '�u' => '聈',
  '�v' => '聉',
  '�w' => '聎',
  '�x' => '聏',
  '�y' => '聐',
  '�z' => '聑',
  '�{' => '聓',
  '�|' => '聕',
  '�}' => '聖',
  '�~' => '聗',
  '€' => '聙',
  '' => '聛',
  '‚' => '聜',
  'ƒ' => '聝',
  '„' => '聞',
  '…' => '聟',
  '†' => '聠',
  '‡' => '聡',
  'ˆ' => '聢',
  '‰' => '聣',
  'Š' => '聤',
  '‹' => '聥',
  'Œ' => '聦',
  '' => '聧',
  'Ž' => '聨',
  '' => '聫',
  '' => '聬',
  '‘' => '聭',
  '’' => '聮',
  '“' => '聯',
  '”' => '聰',
  '•' => '聲',
  '–' => '聳',
  '—' => '聴',
  '˜' => '聵',
  '™' => '聶',
  'š' => '職',
  '›' => '聸',
  'œ' => '聹',
  '' => '聺',
  'ž' => '聻',
  'Ÿ' => '聼',
  ' ' => '聽',
  '¡' => '隆',
  '¢' => '垄',
  '£' => '拢',
  '¤' => '陇',
  '¥' => '楼',
  '¦' => '娄',
  '§' => '搂',
  '¨' => '篓',
  '©' => '漏',
  'ª' => '陋',
  '«' => '芦',
  '¬' => '卢',
  '­' => '颅',
  '®' => '庐',
  '¯' => '炉',
  '°' => '掳',
  '±' => '卤',
  '²' => '虏',
  '³' => '鲁',
  '´' => '麓',
  'µ' => '碌',
  '¶' => '露',
  '·' => '路',
  '¸' => '赂',
  '¹' => '鹿',
  'º' => '潞',
  '»' => '禄',
  '¼' => '录',
  '½' => '陆',
  '¾' => '戮',
  '¿' => '驴',
  '�' => '吕',
  '�' => '铝',
  '��' => '侣',
  '��' => '旅',
  '��' => '履',
  '��' => '屡',
  '��' => '缕',
  '��' => '虑',
  '��' => '氯',
  '��' => '律',
  '��' => '率',
  '��' => '滤',
  '��' => '绿',
  '��' => '峦',
  '��' => '挛',
  '��' => '孪',
  '��' => '滦',
  '��' => '卵',
  '��' => '乱',
  '��' => '掠',
  '��' => '略',
  '��' => '抡',
  '��' => '轮',
  '��' => '伦',
  '��' => '仑',
  '��' => '沦',
  '��' => '纶',
  '��' => '论',
  '��' => '萝',
  '��' => '螺',
  '��' => '罗',
  '��' => '逻',
  '��' => '锣',
  '��' => '箩',
  '��' => '骡',
  '��' => '裸',
  '��' => '落',
  '��' => '洛',
  '��' => '骆',
  '��' => '络',
  '��' => '妈',
  '��' => '麻',
  '��' => '玛',
  '��' => '码',
  '��' => '蚂',
  '��' => '马',
  '��' => '骂',
  '��' => '嘛',
  '��' => '吗',
  '��' => '埋',
  '��' => '买',
  '��' => '麦',
  '��' => '卖',
  '�' => '迈',
  '�' => '脉',
  '�' => '瞒',
  '�' => '馒',
  '�' => '蛮',
  '�' => '满',
  '�' => '蔓',
  '�' => '曼',
  '�' => '慢',
  '�' => '漫',
  '�@' => '聾',
  '�A' => '肁',
  '�B' => '肂',
  '�C' => '肅',
  '�D' => '肈',
  '�E' => '肊',
  '�F' => '肍',
  '�G' => '肎',
  '�H' => '肏',
  '�I' => '肐',
  '�J' => '肑',
  '�K' => '肒',
  '�L' => '肔',
  '�M' => '肕',
  '�N' => '肗',
  '�O' => '肙',
  '�P' => '肞',
  '�Q' => '肣',
  '�R' => '肦',
  '�S' => '肧',
  '�T' => '肨',
  '�U' => '肬',
  '�V' => '肰',
  '�W' => '肳',
  '�X' => '肵',
  '�Y' => '肶',
  '�Z' => '肸',
  '�[' => '肹',
  '�\\' => '肻',
  '�]' => '胅',
  '�^' => '胇',
  '�_' => '胈',
  '�`' => '胉',
  '�a' => '胊',
  '�b' => '胋',
  '�c' => '胏',
  '�d' => '胐',
  '�e' => '胑',
  '�f' => '胒',
  '�g' => '胓',
  '�h' => '胔',
  '�i' => '胕',
  '�j' => '胘',
  '�k' => '胟',
  '�l' => '胠',
  '�m' => '胢',
  '�n' => '胣',
  '�o' => '胦',
  '�p' => '胮',
  '�q' => '胵',
  '�r' => '胷',
  '�s' => '胹',
  '�t' => '胻',
  '�u' => '胾',
  '�v' => '胿',
  '�w' => '脀',
  '�x' => '脁',
  '�y' => '脃',
  '�z' => '脄',
  '�{' => '脅',
  '�|' => '脇',
  '�}' => '脈',
  '�~' => '脋',
  'À' => '脌',
  'Á' => '脕',
  'Â' => '脗',
  'Ã' => '脙',
  'Ä' => '脛',
  'Å' => '脜',
  'Æ' => '脝',
  'Ç' => '脟',
  'È' => '脠',
  'É' => '脡',
  'Ê' => '脢',
  'Ë' => '脣',
  'Ì' => '脤',
  'Í' => '脥',
  'Î' => '脦',
  'Ï' => '脧',
  'Ð' => '脨',
  'Ñ' => '脩',
  'Ò' => '脪',
  'Ó' => '脫',
  'Ô' => '脭',
  'Õ' => '脮',
  'Ö' => '脰',
  '×' => '脳',
  'Ø' => '脴',
  'Ù' => '脵',
  'Ú' => '脷',
  'Û' => '脹',
  'Ü' => '脺',
  'Ý' => '脻',
  'Þ' => '脼',
  'ß' => '脽',
  'à' => '脿',
  'á' => '谩',
  'â' => '芒',
  'ã' => '茫',
  'ä' => '盲',
  'å' => '氓',
  'æ' => '忙',
  'ç' => '莽',
  'è' => '猫',
  'é' => '茅',
  'ê' => '锚',
  'ë' => '毛',
  'ì' => '矛',
  'í' => '铆',
  'î' => '卯',
  'ï' => '茂',
  'ð' => '冒',
  'ñ' => '帽',
  'ò' => '貌',
  'ó' => '贸',
  'ô' => '么',
  'õ' => '玫',
  'ö' => '枚',
  '÷' => '梅',
  'ø' => '酶',
  'ù' => '霉',
  'ú' => '煤',
  'û' => '没',
  'ü' => '眉',
  'ý' => '媒',
  'þ' => '镁',
  'ÿ' => '每',
  '�' => '美',
  '�' => '昧',
  '��' => '寐',
  '��' => '妹',
  '��' => '媚',
  '��' => '门',
  '��' => '闷',
  '��' => '们',
  '��' => '萌',
  '��' => '蒙',
  '��' => '檬',
  '��' => '盟',
  '��' => '锰',
  '��' => '猛',
  '��' => '梦',
  '��' => '孟',
  '��' => '眯',
  '��' => '醚',
  '��' => '靡',
  '��' => '糜',
  '��' => '迷',
  '��' => '谜',
  '��' => '弥',
  '��' => '米',
  '��' => '秘',
  '��' => '觅',
  '��' => '泌',
  '��' => '蜜',
  '��' => '密',
  '��' => '幂',
  '��' => '棉',
  '��' => '眠',
  '��' => '绵',
  '��' => '冕',
  '��' => '免',
  '��' => '勉',
  '��' => '娩',
  '��' => '缅',
  '��' => '面',
  '��' => '苗',
  '��' => '描',
  '��' => '瞄',
  '��' => '藐',
  '��' => '秒',
  '��' => '渺',
  '��' => '庙',
  '��' => '妙',
  '��' => '蔑',
  '��' => '灭',
  '��' => '民',
  '��' => '抿',
  '��' => '皿',
  '��' => '敏',
  '�' => '悯',
  '�' => '闽',
  '�' => '明',
  '�' => '螟',
  '�' => '鸣',
  '�' => '铭',
  '�' => '名',
  '�' => '命',
  '�' => '谬',
  '�' => '摸',
  '�@' => '腀',
  '�A' => '腁',
  '�B' => '腂',
  '�C' => '腃',
  '�D' => '腄',
  '�E' => '腅',
  '�F' => '腇',
  '�G' => '腉',
  '�H' => '腍',
  '�I' => '腎',
  '�J' => '腏',
  '�K' => '腒',
  '�L' => '腖',
  '�M' => '腗',
  '�N' => '腘',
  '�O' => '腛',
  '�P' => '腜',
  '�Q' => '腝',
  '�R' => '腞',
  '�S' => '腟',
  '�T' => '腡',
  '�U' => '腢',
  '�V' => '腣',
  '�W' => '腤',
  '�X' => '腦',
  '�Y' => '腨',
  '�Z' => '腪',
  '�[' => '腫',
  '�\\' => '腬',
  '�]' => '腯',
  '�^' => '腲',
  '�_' => '腳',
  '�`' => '腵',
  '�a' => '腶',
  '�b' => '腷',
  '�c' => '腸',
  '�d' => '膁',
  '�e' => '膃',
  '�f' => '膄',
  '�g' => '膅',
  '�h' => '膆',
  '�i' => '膇',
  '�j' => '膉',
  '�k' => '膋',
  '�l' => '膌',
  '�m' => '膍',
  '�n' => '膎',
  '�o' => '膐',
  '�p' => '膒',
  '�q' => '膓',
  '�r' => '膔',
  '�s' => '膕',
  '�t' => '膖',
  '�u' => '膗',
  '�v' => '膙',
  '�w' => '膚',
  '�x' => '膞',
  '�y' => '膟',
  '�z' => '膠',
  '�{' => '膡',
  '�|' => '膢',
  '�}' => '膤',
  '�~' => '膥',
  'Ā' => '膧',
  'ā' => '膩',
  'Ă' => '膫',
  'ă' => '膬',
  'Ą' => '膭',
  'ą' => '膮',
  'Ć' => '膯',
  'ć' => '膰',
  'Ĉ' => '膱',
  'ĉ' => '膲',
  'Ċ' => '膴',
  'ċ' => '膵',
  'Č' => '膶',
  'č' => '膷',
  'Ď' => '膸',
  'ď' => '膹',
  'Đ' => '膼',
  'đ' => '膽',
  'Ē' => '膾',
  'ē' => '膿',
  'Ĕ' => '臄',
  'ĕ' => '臅',
  'Ė' => '臇',
  'ė' => '臈',
  'Ę' => '臉',
  'ę' => '臋',
  'Ě' => '臍',
  'ě' => '臎',
  'Ĝ' => '臏',
  'ĝ' => '臐',
  'Ğ' => '臑',
  'ğ' => '臒',
  'Ġ' => '臓',
  'ġ' => '摹',
  'Ģ' => '蘑',
  'ģ' => '模',
  'Ĥ' => '膜',
  'ĥ' => '磨',
  'Ħ' => '摩',
  'ħ' => '魔',
  'Ĩ' => '抹',
  'ĩ' => '末',
  'Ī' => '莫',
  'ī' => '墨',
  'Ĭ' => '默',
  'ĭ' => '沫',
  'Į' => '漠',
  'į' => '寞',
  'İ' => '陌',
  'ı' => '谋',
  'IJ' => '牟',
  'ij' => '某',
  'Ĵ' => '拇',
  'ĵ' => '牡',
  'Ķ' => '亩',
  'ķ' => '姆',
  'ĸ' => '母',
  'Ĺ' => '墓',
  'ĺ' => '暮',
  'Ļ' => '幕',
  'ļ' => '募',
  'Ľ' => '慕',
  'ľ' => '木',
  'Ŀ' => '目',
  '�' => '睦',
  '�' => '牧',
  '��' => '穆',
  '��' => '拿',
  '��' => '哪',
  '��' => '呐',
  '��' => '钠',
  '��' => '那',
  '��' => '娜',
  '��' => '纳',
  '��' => '氖',
  '��' => '乃',
  '��' => '奶',
  '��' => '耐',
  '��' => '奈',
  '��' => '南',
  '��' => '男',
  '��' => '难',
  '��' => '囊',
  '��' => '挠',
  '��' => '脑',
  '��' => '恼',
  '��' => '闹',
  '��' => '淖',
  '��' => '呢',
  '��' => '馁',
  '��' => '内',
  '��' => '嫩',
  '��' => '能',
  '��' => '妮',
  '��' => '霓',
  '��' => '倪',
  '��' => '泥',
  '��' => '尼',
  '��' => '拟',
  '��' => '你',
  '��' => '匿',
  '��' => '腻',
  '��' => '逆',
  '��' => '溺',
  '��' => '蔫',
  '��' => '拈',
  '��' => '年',
  '��' => '碾',
  '��' => '撵',
  '��' => '捻',
  '��' => '念',
  '��' => '娘',
  '��' => '酿',
  '��' => '鸟',
  '��' => '尿',
  '��' => '捏',
  '��' => '聂',
  '�' => '孽',
  '�' => '啮',
  '�' => '镊',
  '�' => '镍',
  '�' => '涅',
  '�' => '您',
  '�' => '柠',
  '�' => '狞',
  '�' => '凝',
  '�' => '宁',
  '�@' => '臔',
  '�A' => '臕',
  '�B' => '臖',
  '�C' => '臗',
  '�D' => '臘',
  '�E' => '臙',
  '�F' => '臚',
  '�G' => '臛',
  '�H' => '臜',
  '�I' => '臝',
  '�J' => '臞',
  '�K' => '臟',
  '�L' => '臠',
  '�M' => '臡',
  '�N' => '臢',
  '�O' => '臤',
  '�P' => '臥',
  '�Q' => '臦',
  '�R' => '臨',
  '�S' => '臩',
  '�T' => '臫',
  '�U' => '臮',
  '�V' => '臯',
  '�W' => '臰',
  '�X' => '臱',
  '�Y' => '臲',
  '�Z' => '臵',
  '�[' => '臶',
  '�\\' => '臷',
  '�]' => '臸',
  '�^' => '臹',
  '�_' => '臺',
  '�`' => '臽',
  '�a' => '臿',
  '�b' => '舃',
  '�c' => '與',
  '�d' => '興',
  '�e' => '舉',
  '�f' => '舊',
  '�g' => '舋',
  '�h' => '舎',
  '�i' => '舏',
  '�j' => '舑',
  '�k' => '舓',
  '�l' => '舕',
  '�m' => '舖',
  '�n' => '舗',
  '�o' => '舘',
  '�p' => '舙',
  '�q' => '舚',
  '�r' => '舝',
  '�s' => '舠',
  '�t' => '舤',
  '�u' => '舥',
  '�v' => '舦',
  '�w' => '舧',
  '�x' => '舩',
  '�y' => '舮',
  '�z' => '舲',
  '�{' => '舺',
  '�|' => '舼',
  '�}' => '舽',
  '�~' => '舿',
  'ŀ' => '艀',
  'Ł' => '艁',
  'ł' => '艂',
  'Ń' => '艃',
  'ń' => '艅',
  'Ņ' => '艆',
  'ņ' => '艈',
  'Ň' => '艊',
  'ň' => '艌',
  'ʼn' => '艍',
  'Ŋ' => '艎',
  'ŋ' => '艐',
  'Ō' => '艑',
  'ō' => '艒',
  'Ŏ' => '艓',
  'ŏ' => '艔',
  'Ő' => '艕',
  'ő' => '艖',
  'Œ' => '艗',
  'œ' => '艙',
  'Ŕ' => '艛',
  'ŕ' => '艜',
  'Ŗ' => '艝',
  'ŗ' => '艞',
  'Ř' => '艠',
  'ř' => '艡',
  'Ś' => '艢',
  'ś' => '艣',
  'Ŝ' => '艤',
  'ŝ' => '艥',
  'Ş' => '艦',
  'ş' => '艧',
  'Š' => '艩',
  'š' => '拧',
  'Ţ' => '泞',
  'ţ' => '牛',
  'Ť' => '扭',
  'ť' => '钮',
  'Ŧ' => '纽',
  'ŧ' => '脓',
  'Ũ' => '浓',
  'ũ' => '农',
  'Ū' => '弄',
  'ū' => '奴',
  'Ŭ' => '努',
  'ŭ' => '怒',
  'Ů' => '女',
  'ů' => '暖',
  'Ű' => '虐',
  'ű' => '疟',
  'Ų' => '挪',
  'ų' => '懦',
  'Ŵ' => '糯',
  'ŵ' => '诺',
  'Ŷ' => '哦',
  'ŷ' => '欧',
  'Ÿ' => '鸥',
  'Ź' => '殴',
  'ź' => '藕',
  'Ż' => '呕',
  'ż' => '偶',
  'Ž' => '沤',
  'ž' => '啪',
  'ſ' => '趴',
  '�' => '爬',
  '�' => '帕',
  '��' => '怕',
  '��' => '琶',
  '��' => '拍',
  '��' => '排',
  '��' => '牌',
  '��' => '徘',
  '��' => '湃',
  '��' => '派',
  '��' => '攀',
  '��' => '潘',
  '��' => '盘',
  '��' => '磐',
  '��' => '盼',
  '��' => '畔',
  '��' => '判',
  '��' => '叛',
  '��' => '乓',
  '��' => '庞',
  '��' => '旁',
  '��' => '耪',
  '��' => '胖',
  '��' => '抛',
  '��' => '咆',
  '��' => '刨',
  '��' => '炮',
  '��' => '袍',
  '��' => '跑',
  '��' => '泡',
  '��' => '呸',
  '��' => '胚',
  '��' => '培',
  '��' => '裴',
  '��' => '赔',
  '��' => '陪',
  '��' => '配',
  '��' => '佩',
  '��' => '沛',
  '��' => '喷',
  '��' => '盆',
  '��' => '砰',
  '��' => '抨',
  '��' => '烹',
  '��' => '澎',
  '��' => '彭',
  '��' => '蓬',
  '��' => '棚',
  '��' => '硼',
  '��' => '篷',
  '��' => '膨',
  '��' => '朋',
  '��' => '鹏',
  '�' => '捧',
  '�' => '碰',
  '�' => '坯',
  '�' => '砒',
  '�' => '霹',
  '�' => '批',
  '�' => '披',
  '�' => '劈',
  '�' => '琵',
  '�' => '毗',
  '�@' => '艪',
  '�A' => '艫',
  '�B' => '艬',
  '�C' => '艭',
  '�D' => '艱',
  '�E' => '艵',
  '�F' => '艶',
  '�G' => '艷',
  '�H' => '艸',
  '�I' => '艻',
  '�J' => '艼',
  '�K' => '芀',
  '�L' => '芁',
  '�M' => '芃',
  '�N' => '芅',
  '�O' => '芆',
  '�P' => '芇',
  '�Q' => '芉',
  '�R' => '芌',
  '�S' => '芐',
  '�T' => '芓',
  '�U' => '芔',
  '�V' => '芕',
  '�W' => '芖',
  '�X' => '芚',
  '�Y' => '芛',
  '�Z' => '芞',
  '�[' => '芠',
  '�\\' => '芢',
  '�]' => '芣',
  '�^' => '芧',
  '�_' => '芲',
  '�`' => '芵',
  '�a' => '芶',
  '�b' => '芺',
  '�c' => '芻',
  '�d' => '芼',
  '�e' => '芿',
  '�f' => '苀',
  '�g' => '苂',
  '�h' => '苃',
  '�i' => '苅',
  '�j' => '苆',
  '�k' => '苉',
  '�l' => '苐',
  '�m' => '苖',
  '�n' => '苙',
  '�o' => '苚',
  '�p' => '苝',
  '�q' => '苢',
  '�r' => '苧',
  '�s' => '苨',
  '�t' => '苩',
  '�u' => '苪',
  '�v' => '苬',
  '�w' => '苭',
  '�x' => '苮',
  '�y' => '苰',
  '�z' => '苲',
  '�{' => '苳',
  '�|' => '苵',
  '�}' => '苶',
  '�~' => '苸',
  'ƀ' => '苺',
  'Ɓ' => '苼',
  'Ƃ' => '苽',
  'ƃ' => '苾',
  'Ƅ' => '苿',
  'ƅ' => '茀',
  'Ɔ' => '茊',
  'Ƈ' => '茋',
  'ƈ' => '茍',
  'Ɖ' => '茐',
  'Ɗ' => '茒',
  'Ƌ' => '茓',
  'ƌ' => '茖',
  'ƍ' => '茘',
  'Ǝ' => '茙',
  'Ə' => '茝',
  'Ɛ' => '茞',
  'Ƒ' => '茟',
  'ƒ' => '茠',
  'Ɠ' => '茡',
  'Ɣ' => '茢',
  'ƕ' => '茣',
  'Ɩ' => '茤',
  'Ɨ' => '茥',
  'Ƙ' => '茦',
  'ƙ' => '茩',
  'ƚ' => '茪',
  'ƛ' => '茮',
  'Ɯ' => '茰',
  'Ɲ' => '茲',
  'ƞ' => '茷',
  'Ɵ' => '茻',
  'Ơ' => '茽',
  'ơ' => '啤',
  'Ƣ' => '脾',
  'ƣ' => '疲',
  'Ƥ' => '皮',
  'ƥ' => '匹',
  'Ʀ' => '痞',
  'Ƨ' => '僻',
  'ƨ' => '屁',
  'Ʃ' => '譬',
  'ƪ' => '篇',
  'ƫ' => '偏',
  'Ƭ' => '片',
  'ƭ' => '骗',
  'Ʈ' => '飘',
  'Ư' => '漂',
  'ư' => '瓢',
  'Ʊ' => '票',
  'Ʋ' => '撇',
  'Ƴ' => '瞥',
  'ƴ' => '拼',
  'Ƶ' => '频',
  'ƶ' => '贫',
  'Ʒ' => '品',
  'Ƹ' => '聘',
  'ƹ' => '乒',
  'ƺ' => '坪',
  'ƻ' => '苹',
  'Ƽ' => '萍',
  'ƽ' => '平',
  'ƾ' => '凭',
  'ƿ' => '瓶',
  '�' => '评',
  '�' => '屏',
  '��' => '坡',
  '��' => '泼',
  '��' => '颇',
  '��' => '婆',
  '��' => '破',
  '��' => '魄',
  '��' => '迫',
  '��' => '粕',
  '��' => '剖',
  '��' => '扑',
  '��' => '铺',
  '��' => '仆',
  '��' => '莆',
  '��' => '葡',
  '��' => '菩',
  '��' => '蒲',
  '��' => '埔',
  '��' => '朴',
  '��' => '圃',
  '��' => '普',
  '��' => '浦',
  '��' => '谱',
  '��' => '曝',
  '��' => '瀑',
  '��' => '期',
  '��' => '欺',
  '��' => '栖',
  '��' => '戚',
  '��' => '妻',
  '��' => '七',
  '��' => '凄',
  '��' => '漆',
  '��' => '柒',
  '��' => '沏',
  '��' => '其',
  '��' => '棋',
  '��' => '奇',
  '��' => '歧',
  '��' => '畦',
  '��' => '崎',
  '��' => '脐',
  '��' => '齐',
  '��' => '旗',
  '��' => '祈',
  '��' => '祁',
  '��' => '骑',
  '��' => '起',
  '��' => '岂',
  '��' => '乞',
  '��' => '企',
  '��' => '启',
  '�' => '契',
  '�' => '砌',
  '�' => '器',
  '�' => '气',
  '�' => '迄',
  '�' => '弃',
  '�' => '汽',
  '�' => '泣',
  '�' => '讫',
  '�' => '掐',
  '�@' => '茾',
  '�A' => '茿',
  '�B' => '荁',
  '�C' => '荂',
  '�D' => '荄',
  '�E' => '荅',
  '�F' => '荈',
  '�G' => '荊',
  '�H' => '荋',
  '�I' => '荌',
  '�J' => '荍',
  '�K' => '荎',
  '�L' => '荓',
  '�M' => '荕',
  '�N' => '荖',
  '�O' => '荗',
  '�P' => '荘',
  '�Q' => '荙',
  '�R' => '荝',
  '�S' => '荢',
  '�T' => '荰',
  '�U' => '荱',
  '�V' => '荲',
  '�W' => '荳',
  '�X' => '荴',
  '�Y' => '荵',
  '�Z' => '荶',
  '�[' => '荹',
  '�\\' => '荺',
  '�]' => '荾',
  '�^' => '荿',
  '�_' => '莀',
  '�`' => '莁',
  '�a' => '莂',
  '�b' => '莃',
  '�c' => '莄',
  '�d' => '莇',
  '�e' => '莈',
  '�f' => '莊',
  '�g' => '莋',
  '�h' => '莌',
  '�i' => '莍',
  '�j' => '莏',
  '�k' => '莐',
  '�l' => '莑',
  '�m' => '莔',
  '�n' => '莕',
  '�o' => '莖',
  '�p' => '莗',
  '�q' => '莙',
  '�r' => '莚',
  '�s' => '莝',
  '�t' => '莟',
  '�u' => '莡',
  '�v' => '莢',
  '�w' => '莣',
  '�x' => '莤',
  '�y' => '莥',
  '�z' => '莦',
  '�{' => '莧',
  '�|' => '莬',
  '�}' => '莭',
  '�~' => '莮',
  'ǀ' => '莯',
  'ǁ' => '莵',
  'ǂ' => '莻',
  'ǃ' => '莾',
  'DŽ' => '莿',
  'Dž' => '菂',
  'dž' => '菃',
  'LJ' => '菄',
  'Lj' => '菆',
  'lj' => '菈',
  'NJ' => '菉',
  'Nj' => '菋',
  'nj' => '菍',
  'Ǎ' => '菎',
  'ǎ' => '菐',
  'Ǐ' => '菑',
  'ǐ' => '菒',
  'Ǒ' => '菓',
  'ǒ' => '菕',
  'Ǔ' => '菗',
  'ǔ' => '菙',
  'Ǖ' => '菚',
  'ǖ' => '菛',
  'Ǘ' => '菞',
  'ǘ' => '菢',
  'Ǚ' => '菣',
  'ǚ' => '菤',
  'Ǜ' => '菦',
  'ǜ' => '菧',
  'ǝ' => '菨',
  'Ǟ' => '菫',
  'ǟ' => '菬',
  'Ǡ' => '菭',
  'ǡ' => '恰',
  'Ǣ' => '洽',
  'ǣ' => '牵',
  'Ǥ' => '扦',
  'ǥ' => '钎',
  'Ǧ' => '铅',
  'ǧ' => '千',
  'Ǩ' => '迁',
  'ǩ' => '签',
  'Ǫ' => '仟',
  'ǫ' => '谦',
  'Ǭ' => '乾',
  'ǭ' => '黔',
  'Ǯ' => '钱',
  'ǯ' => '钳',
  'ǰ' => '前',
  'DZ' => '潜',
  'Dz' => '遣',
  'dz' => '浅',
  'Ǵ' => '谴',
  'ǵ' => '堑',
  'Ƕ' => '嵌',
  'Ƿ' => '欠',
  'Ǹ' => '歉',
  'ǹ' => '枪',
  'Ǻ' => '呛',
  'ǻ' => '腔',
  'Ǽ' => '羌',
  'ǽ' => '墙',
  'Ǿ' => '蔷',
  'ǿ' => '强',
  '�' => '抢',
  '�' => '橇',
  '��' => '锹',
  '��' => '敲',
  '��' => '悄',
  '��' => '桥',
  '��' => '瞧',
  '��' => '乔',
  '��' => '侨',
  '��' => '巧',
  '��' => '鞘',
  '��' => '撬',
  '��' => '翘',
  '��' => '峭',
  '��' => '俏',
  '��' => '窍',
  '��' => '切',
  '��' => '茄',
  '��' => '且',
  '��' => '怯',
  '��' => '窃',
  '��' => '钦',
  '��' => '侵',
  '��' => '亲',
  '��' => '秦',
  '��' => '琴',
  '��' => '勤',
  '��' => '芹',
  '��' => '擒',
  '��' => '禽',
  '��' => '寝',
  '��' => '沁',
  '��' => '青',
  '��' => '轻',
  '��' => '氢',
  '��' => '倾',
  '��' => '卿',
  '��' => '清',
  '��' => '擎',
  '��' => '晴',
  '��' => '氰',
  '��' => '情',
  '��' => '顷',
  '��' => '请',
  '��' => '庆',
  '��' => '琼',
  '��' => '穷',
  '��' => '秋',
  '��' => '丘',
  '��' => '邱',
  '��' => '球',
  '��' => '求',
  '��' => '囚',
  '�' => '酋',
  '�' => '泅',
  '�' => '趋',
  '�' => '区',
  '�' => '蛆',
  '�' => '曲',
  '�' => '躯',
  '�' => '屈',
  '�' => '驱',
  '�' => '渠',
  '�@' => '菮',
  '�A' => '華',
  '�B' => '菳',
  '�C' => '菴',
  '�D' => '菵',
  '�E' => '菶',
  '�F' => '菷',
  '�G' => '菺',
  '�H' => '菻',
  '�I' => '菼',
  '�J' => '菾',
  '�K' => '菿',
  '�L' => '萀',
  '�M' => '萂',
  '�N' => '萅',
  '�O' => '萇',
  '�P' => '萈',
  '�Q' => '萉',
  '�R' => '萊',
  '�S' => '萐',
  '�T' => '萒',
  '�U' => '萓',
  '�V' => '萔',
  '�W' => '萕',
  '�X' => '萖',
  '�Y' => '萗',
  '�Z' => '萙',
  '�[' => '萚',
  '�\\' => '萛',
  '�]' => '萞',
  '�^' => '萟',
  '�_' => '萠',
  '�`' => '萡',
  '�a' => '萢',
  '�b' => '萣',
  '�c' => '萩',
  '�d' => '萪',
  '�e' => '萫',
  '�f' => '萬',
  '�g' => '萭',
  '�h' => '萮',
  '�i' => '萯',
  '�j' => '萰',
  '�k' => '萲',
  '�l' => '萳',
  '�m' => '萴',
  '�n' => '萵',
  '�o' => '萶',
  '�p' => '萷',
  '�q' => '萹',
  '�r' => '萺',
  '�s' => '萻',
  '�t' => '萾',
  '�u' => '萿',
  '�v' => '葀',
  '�w' => '葁',
  '�x' => '葂',
  '�y' => '葃',
  '�z' => '葄',
  '�{' => '葅',
  '�|' => '葇',
  '�}' => '葈',
  '�~' => '葉',
  'Ȁ' => '葊',
  'ȁ' => '葋',
  'Ȃ' => '葌',
  'ȃ' => '葍',
  'Ȅ' => '葎',
  'ȅ' => '葏',
  'Ȇ' => '葐',
  'ȇ' => '葒',
  'Ȉ' => '葓',
  'ȉ' => '葔',
  'Ȋ' => '葕',
  'ȋ' => '葖',
  'Ȍ' => '葘',
  'ȍ' => '葝',
  'Ȏ' => '葞',
  'ȏ' => '葟',
  'Ȑ' => '葠',
  'ȑ' => '葢',
  'Ȓ' => '葤',
  'ȓ' => '葥',
  'Ȕ' => '葦',
  'ȕ' => '葧',
  'Ȗ' => '葨',
  'ȗ' => '葪',
  'Ș' => '葮',
  'ș' => '葯',
  'Ț' => '葰',
  'ț' => '葲',
  'Ȝ' => '葴',
  'ȝ' => '葷',
  'Ȟ' => '葹',
  'ȟ' => '葻',
  'Ƞ' => '葼',
  'ȡ' => '取',
  'Ȣ' => '娶',
  'ȣ' => '龋',
  'Ȥ' => '趣',
  'ȥ' => '去',
  'Ȧ' => '圈',
  'ȧ' => '颧',
  'Ȩ' => '权',
  'ȩ' => '醛',
  'Ȫ' => '泉',
  'ȫ' => '全',
  'Ȭ' => '痊',
  'ȭ' => '拳',
  'Ȯ' => '犬',
  'ȯ' => '券',
  'Ȱ' => '劝',
  'ȱ' => '缺',
  'Ȳ' => '炔',
  'ȳ' => '瘸',
  'ȴ' => '却',
  'ȵ' => '鹊',
  'ȶ' => '榷',
  'ȷ' => '确',
  'ȸ' => '雀',
  'ȹ' => '裙',
  'Ⱥ' => '群',
  'Ȼ' => '然',
  'ȼ' => '燃',
  'Ƚ' => '冉',
  'Ⱦ' => '染',
  'ȿ' => '瓤',
  '�' => '壤',
  '�' => '攘',
  '��' => '嚷',
  '��' => '让',
  '��' => '饶',
  '��' => '扰',
  '��' => '绕',
  '��' => '惹',
  '��' => '热',
  '��' => '壬',
  '��' => '仁',
  '��' => '人',
  '��' => '忍',
  '��' => '韧',
  '��' => '任',
  '��' => '认',
  '��' => '刃',
  '��' => '妊',
  '��' => '纫',
  '��' => '扔',
  '��' => '仍',
  '��' => '日',
  '��' => '戎',
  '��' => '茸',
  '��' => '蓉',
  '��' => '荣',
  '��' => '融',
  '��' => '熔',
  '��' => '溶',
  '��' => '容',
  '��' => '绒',
  '��' => '冗',
  '��' => '揉',
  '��' => '柔',
  '��' => '肉',
  '��' => '茹',
  '��' => '蠕',
  '��' => '儒',
  '��' => '孺',
  '��' => '如',
  '��' => '辱',
  '��' => '乳',
  '��' => '汝',
  '��' => '入',
  '��' => '褥',
  '��' => '软',
  '��' => '阮',
  '��' => '蕊',
  '��' => '瑞',
  '��' => '锐',
  '��' => '闰',
  '��' => '润',
  '��' => '若',
  '�' => '弱',
  '�' => '撒',
  '�' => '洒',
  '�' => '萨',
  '�' => '腮',
  '�' => '鳃',
  '�' => '塞',
  '�' => '赛',
  '�' => '三',
  '�' => '叁',
  '�@' => '葽',
  '�A' => '葾',
  '�B' => '葿',
  '�C' => '蒀',
  '�D' => '蒁',
  '�E' => '蒃',
  '�F' => '蒄',
  '�G' => '蒅',
  '�H' => '蒆',
  '�I' => '蒊',
  '�J' => '蒍',
  '�K' => '蒏',
  '�L' => '蒐',
  '�M' => '蒑',
  '�N' => '蒒',
  '�O' => '蒓',
  '�P' => '蒔',
  '�Q' => '蒕',
  '�R' => '蒖',
  '�S' => '蒘',
  '�T' => '蒚',
  '�U' => '蒛',
  '�V' => '蒝',
  '�W' => '蒞',
  '�X' => '蒟',
  '�Y' => '蒠',
  '�Z' => '蒢',
  '�[' => '蒣',
  '�\\' => '蒤',
  '�]' => '蒥',
  '�^' => '蒦',
  '�_' => '蒧',
  '�`' => '蒨',
  '�a' => '蒩',
  '�b' => '蒪',
  '�c' => '蒫',
  '�d' => '蒬',
  '�e' => '蒭',
  '�f' => '蒮',
  '�g' => '蒰',
  '�h' => '蒱',
  '�i' => '蒳',
  '�j' => '蒵',
  '�k' => '蒶',
  '�l' => '蒷',
  '�m' => '蒻',
  '�n' => '蒼',
  '�o' => '蒾',
  '�p' => '蓀',
  '�q' => '蓂',
  '�r' => '蓃',
  '�s' => '蓅',
  '�t' => '蓆',
  '�u' => '蓇',
  '�v' => '蓈',
  '�w' => '蓋',
  '�x' => '蓌',
  '�y' => '蓎',
  '�z' => '蓏',
  '�{' => '蓒',
  '�|' => '蓔',
  '�}' => '蓕',
  '�~' => '蓗',
  'ɀ' => '蓘',
  'Ɂ' => '蓙',
  'ɂ' => '蓚',
  'Ƀ' => '蓛',
  'Ʉ' => '蓜',
  'Ʌ' => '蓞',
  'Ɇ' => '蓡',
  'ɇ' => '蓢',
  'Ɉ' => '蓤',
  'ɉ' => '蓧',
  'Ɋ' => '蓨',
  'ɋ' => '蓩',
  'Ɍ' => '蓪',
  'ɍ' => '蓫',
  'Ɏ' => '蓭',
  'ɏ' => '蓮',
  'ɐ' => '蓯',
  'ɑ' => '蓱',
  'ɒ' => '蓲',
  'ɓ' => '蓳',
  'ɔ' => '蓴',
  'ɕ' => '蓵',
  'ɖ' => '蓶',
  'ɗ' => '蓷',
  'ɘ' => '蓸',
  'ə' => '蓹',
  'ɚ' => '蓺',
  'ɛ' => '蓻',
  'ɜ' => '蓽',
  'ɝ' => '蓾',
  'ɞ' => '蔀',
  'ɟ' => '蔁',
  'ɠ' => '蔂',
  'ɡ' => '伞',
  'ɢ' => '散',
  'ɣ' => '桑',
  'ɤ' => '嗓',
  'ɥ' => '丧',
  'ɦ' => '搔',
  'ɧ' => '骚',
  'ɨ' => '扫',
  'ɩ' => '嫂',
  'ɪ' => '瑟',
  'ɫ' => '色',
  'ɬ' => '涩',
  'ɭ' => '森',
  'ɮ' => '僧',
  'ɯ' => '莎',
  'ɰ' => '砂',
  'ɱ' => '杀',
  'ɲ' => '刹',
  'ɳ' => '沙',
  'ɴ' => '纱',
  'ɵ' => '傻',
  'ɶ' => '啥',
  'ɷ' => '煞',
  'ɸ' => '筛',
  'ɹ' => '晒',
  'ɺ' => '珊',
  'ɻ' => '苫',
  'ɼ' => '杉',
  'ɽ' => '山',
  'ɾ' => '删',
  'ɿ' => '煽',
  '�' => '衫',
  '�' => '闪',
  '��' => '陕',
  '��' => '擅',
  '��' => '赡',
  '��' => '膳',
  '��' => '善',
  '��' => '汕',
  '��' => '扇',
  '��' => '缮',
  '��' => '墒',
  '��' => '伤',
  '��' => '商',
  '��' => '赏',
  '��' => '晌',
  '��' => '上',
  '��' => '尚',
  '��' => '裳',
  '��' => '梢',
  '��' => '捎',
  '��' => '稍',
  '��' => '烧',
  '��' => '芍',
  '��' => '勺',
  '��' => '韶',
  '��' => '少',
  '��' => '哨',
  '��' => '邵',
  '��' => '绍',
  '��' => '奢',
  '��' => '赊',
  '��' => '蛇',
  '��' => '舌',
  '��' => '舍',
  '��' => '赦',
  '��' => '摄',
  '��' => '射',
  '��' => '慑',
  '��' => '涉',
  '��' => '社',
  '��' => '设',
  '��' => '砷',
  '��' => '申',
  '��' => '呻',
  '��' => '伸',
  '��' => '身',
  '��' => '深',
  '��' => '娠',
  '��' => '绅',
  '��' => '神',
  '��' => '沈',
  '��' => '审',
  '��' => '婶',
  '�' => '甚',
  '�' => '肾',
  '�' => '慎',
  '�' => '渗',
  '�' => '声',
  '�' => '生',
  '�' => '甥',
  '�' => '牲',
  '�' => '升',
  '�' => '绳',
  '�@' => '蔃',
  '�A' => '蔄',
  '�B' => '蔅',
  '�C' => '蔆',
  '�D' => '蔇',
  '�E' => '蔈',
  '�F' => '蔉',
  '�G' => '蔊',
  '�H' => '蔋',
  '�I' => '蔍',
  '�J' => '蔎',
  '�K' => '蔏',
  '�L' => '蔐',
  '�M' => '蔒',
  '�N' => '蔔',
  '�O' => '蔕',
  '�P' => '蔖',
  '�Q' => '蔘',
  '�R' => '蔙',
  '�S' => '蔛',
  '�T' => '蔜',
  '�U' => '蔝',
  '�V' => '蔞',
  '�W' => '蔠',
  '�X' => '蔢',
  '�Y' => '蔣',
  '�Z' => '蔤',
  '�[' => '蔥',
  '�\\' => '蔦',
  '�]' => '蔧',
  '�^' => '蔨',
  '�_' => '蔩',
  '�`' => '蔪',
  '�a' => '蔭',
  '�b' => '蔮',
  '�c' => '蔯',
  '�d' => '蔰',
  '�e' => '蔱',
  '�f' => '蔲',
  '�g' => '蔳',
  '�h' => '蔴',
  '�i' => '蔵',
  '�j' => '蔶',
  '�k' => '蔾',
  '�l' => '蔿',
  '�m' => '蕀',
  '�n' => '蕁',
  '�o' => '蕂',
  '�p' => '蕄',
  '�q' => '蕅',
  '�r' => '蕆',
  '�s' => '蕇',
  '�t' => '蕋',
  '�u' => '蕌',
  '�v' => '蕍',
  '�w' => '蕎',
  '�x' => '蕏',
  '�y' => '蕐',
  '�z' => '蕑',
  '�{' => '蕒',
  '�|' => '蕓',
  '�}' => '蕔',
  '�~' => '蕕',
  'ʀ' => '蕗',
  'ʁ' => '蕘',
  'ʂ' => '蕚',
  'ʃ' => '蕛',
  'ʄ' => '蕜',
  'ʅ' => '蕝',
  'ʆ' => '蕟',
  'ʇ' => '蕠',
  'ʈ' => '蕡',
  'ʉ' => '蕢',
  'ʊ' => '蕣',
  'ʋ' => '蕥',
  'ʌ' => '蕦',
  'ʍ' => '蕧',
  'ʎ' => '蕩',
  'ʏ' => '蕪',
  'ʐ' => '蕫',
  'ʑ' => '蕬',
  'ʒ' => '蕭',
  'ʓ' => '蕮',
  'ʔ' => '蕯',
  'ʕ' => '蕰',
  'ʖ' => '蕱',
  'ʗ' => '蕳',
  'ʘ' => '蕵',
  'ʙ' => '蕶',
  'ʚ' => '蕷',
  'ʛ' => '蕸',
  'ʜ' => '蕼',
  'ʝ' => '蕽',
  'ʞ' => '蕿',
  'ʟ' => '薀',
  'ʠ' => '薁',
  'ʡ' => '省',
  'ʢ' => '盛',
  'ʣ' => '剩',
  'ʤ' => '胜',
  'ʥ' => '圣',
  'ʦ' => '师',
  'ʧ' => '失',
  'ʨ' => '狮',
  'ʩ' => '施',
  'ʪ' => '湿',
  'ʫ' => '诗',
  'ʬ' => '尸',
  'ʭ' => '虱',
  'ʮ' => '十',
  'ʯ' => '石',
  'ʰ' => '拾',
  'ʱ' => '时',
  'ʲ' => '什',
  'ʳ' => '食',
  'ʴ' => '蚀',
  'ʵ' => '实',
  'ʶ' => '识',
  'ʷ' => '史',
  'ʸ' => '矢',
  'ʹ' => '使',
  'ʺ' => '屎',
  'ʻ' => '驶',
  'ʼ' => '始',
  'ʽ' => '式',
  'ʾ' => '示',
  'ʿ' => '士',
  '�' => '世',
  '�' => '柿',
  '��' => '事',
  '��' => '拭',
  '��' => '誓',
  '��' => '逝',
  '��' => '势',
  '��' => '是',
  '��' => '嗜',
  '��' => '噬',
  '��' => '适',
  '��' => '仕',
  '��' => '侍',
  '��' => '释',
  '��' => '饰',
  '��' => '氏',
  '��' => '市',
  '��' => '恃',
  '��' => '室',
  '��' => '视',
  '��' => '试',
  '��' => '收',
  '��' => '手',
  '��' => '首',
  '��' => '守',
  '��' => '寿',
  '��' => '授',
  '��' => '售',
  '��' => '受',
  '��' => '瘦',
  '��' => '兽',
  '��' => '蔬',
  '��' => '枢',
  '��' => '梳',
  '��' => '殊',
  '��' => '抒',
  '��' => '输',
  '��' => '叔',
  '��' => '舒',
  '��' => '淑',
  '��' => '疏',
  '��' => '书',
  '��' => '赎',
  '��' => '孰',
  '��' => '熟',
  '��' => '薯',
  '��' => '暑',
  '��' => '曙',
  '��' => '署',
  '��' => '蜀',
  '��' => '黍',
  '��' => '鼠',
  '��' => '属',
  '�' => '术',
  '�' => '述',
  '�' => '树',
  '�' => '束',
  '�' => '戍',
  '�' => '竖',
  '�' => '墅',
  '�' => '庶',
  '�' => '数',
  '�' => '漱',
  '�@' => '薂',
  '�A' => '薃',
  '�B' => '薆',
  '�C' => '薈',
  '�D' => '薉',
  '�E' => '薊',
  '�F' => '薋',
  '�G' => '薌',
  '�H' => '薍',
  '�I' => '薎',
  '�J' => '薐',
  '�K' => '薑',
  '�L' => '薒',
  '�M' => '薓',
  '�N' => '薔',
  '�O' => '薕',
  '�P' => '薖',
  '�Q' => '薗',
  '�R' => '薘',
  '�S' => '薙',
  '�T' => '薚',
  '�U' => '薝',
  '�V' => '薞',
  '�W' => '薟',
  '�X' => '薠',
  '�Y' => '薡',
  '�Z' => '薢',
  '�[' => '薣',
  '�\\' => '薥',
  '�]' => '薦',
  '�^' => '薧',
  '�_' => '薩',
  '�`' => '薫',
  '�a' => '薬',
  '�b' => '薭',
  '�c' => '薱',
  '�d' => '薲',
  '�e' => '薳',
  '�f' => '薴',
  '�g' => '薵',
  '�h' => '薶',
  '�i' => '薸',
  '�j' => '薺',
  '�k' => '薻',
  '�l' => '薼',
  '�m' => '薽',
  '�n' => '薾',
  '�o' => '薿',
  '�p' => '藀',
  '�q' => '藂',
  '�r' => '藃',
  '�s' => '藄',
  '�t' => '藅',
  '�u' => '藆',
  '�v' => '藇',
  '�w' => '藈',
  '�x' => '藊',
  '�y' => '藋',
  '�z' => '藌',
  '�{' => '藍',
  '�|' => '藎',
  '�}' => '藑',
  '�~' => '藒',
  'ˀ' => '藔',
  'ˁ' => '藖',
  '˂' => '藗',
  '˃' => '藘',
  '˄' => '藙',
  '˅' => '藚',
  'ˆ' => '藛',
  'ˇ' => '藝',
  'ˈ' => '藞',
  'ˉ' => '藟',
  'ˊ' => '藠',
  'ˋ' => '藡',
  'ˌ' => '藢',
  'ˍ' => '藣',
  'ˎ' => '藥',
  'ˏ' => '藦',
  'ː' => '藧',
  'ˑ' => '藨',
  '˒' => '藪',
  '˓' => '藫',
  '˔' => '藬',
  '˕' => '藭',
  '˖' => '藮',
  '˗' => '藯',
  '˘' => '藰',
  '˙' => '藱',
  '˚' => '藲',
  '˛' => '藳',
  '˜' => '藴',
  '˝' => '藵',
  '˞' => '藶',
  '˟' => '藷',
  'ˠ' => '藸',
  'ˡ' => '恕',
  'ˢ' => '刷',
  'ˣ' => '耍',
  'ˤ' => '摔',
  '˥' => '衰',
  '˦' => '甩',
  '˧' => '帅',
  '˨' => '栓',
  '˩' => '拴',
  '˪' => '霜',
  '˫' => '双',
  'ˬ' => '爽',
  '˭' => '谁',
  'ˮ' => '水',
  '˯' => '睡',
  '˰' => '税',
  '˱' => '吮',
  '˲' => '瞬',
  '˳' => '顺',
  '˴' => '舜',
  '˵' => '说',
  '˶' => '硕',
  '˷' => '朔',
  '˸' => '烁',
  '˹' => '斯',
  '˺' => '撕',
  '˻' => '嘶',
  '˼' => '思',
  '˽' => '私',
  '˾' => '司',
  '˿' => '丝',
  '�' => '死',
  '�' => '肆',
  '��' => '寺',
  '��' => '嗣',
  '��' => '四',
  '��' => '伺',
  '��' => '似',
  '��' => '饲',
  '��' => '巳',
  '��' => '松',
  '��' => '耸',
  '��' => '怂',
  '��' => '颂',
  '��' => '送',
  '��' => '宋',
  '��' => '讼',
  '��' => '诵',
  '��' => '搜',
  '��' => '艘',
  '��' => '擞',
  '��' => '嗽',
  '��' => '苏',
  '��' => '酥',
  '��' => '俗',
  '��' => '素',
  '��' => '速',
  '��' => '粟',
  '��' => '僳',
  '��' => '塑',
  '��' => '溯',
  '��' => '宿',
  '��' => '诉',
  '��' => '肃',
  '��' => '酸',
  '��' => '蒜',
  '��' => '算',
  '��' => '虽',
  '��' => '隋',
  '��' => '随',
  '��' => '绥',
  '��' => '髓',
  '��' => '碎',
  '��' => '岁',
  '��' => '穗',
  '��' => '遂',
  '��' => '隧',
  '��' => '祟',
  '��' => '孙',
  '��' => '损',
  '��' => '笋',
  '��' => '蓑',
  '��' => '梭',
  '��' => '唆',
  '�' => '缩',
  '�' => '琐',
  '�' => '索',
  '�' => '锁',
  '�' => '所',
  '�' => '塌',
  '�' => '他',
  '�' => '它',
  '�' => '她',
  '�' => '塔',
  '�@' => '藹',
  '�A' => '藺',
  '�B' => '藼',
  '�C' => '藽',
  '�D' => '藾',
  '�E' => '蘀',
  '�F' => '蘁',
  '�G' => '蘂',
  '�H' => '蘃',
  '�I' => '蘄',
  '�J' => '蘆',
  '�K' => '蘇',
  '�L' => '蘈',
  '�M' => '蘉',
  '�N' => '蘊',
  '�O' => '蘋',
  '�P' => '蘌',
  '�Q' => '蘍',
  '�R' => '蘎',
  '�S' => '蘏',
  '�T' => '蘐',
  '�U' => '蘒',
  '�V' => '蘓',
  '�W' => '蘔',
  '�X' => '蘕',
  '�Y' => '蘗',
  '�Z' => '蘘',
  '�[' => '蘙',
  '�\\' => '蘚',
  '�]' => '蘛',
  '�^' => '蘜',
  '�_' => '蘝',
  '�`' => '蘞',
  '�a' => '蘟',
  '�b' => '蘠',
  '�c' => '蘡',
  '�d' => '蘢',
  '�e' => '蘣',
  '�f' => '蘤',
  '�g' => '蘥',
  '�h' => '蘦',
  '�i' => '蘨',
  '�j' => '蘪',
  '�k' => '蘫',
  '�l' => '蘬',
  '�m' => '蘭',
  '�n' => '蘮',
  '�o' => '蘯',
  '�p' => '蘰',
  '�q' => '蘱',
  '�r' => '蘲',
  '�s' => '蘳',
  '�t' => '蘴',
  '�u' => '蘵',
  '�v' => '蘶',
  '�w' => '蘷',
  '�x' => '蘹',
  '�y' => '蘺',
  '�z' => '蘻',
  '�{' => '蘽',
  '�|' => '蘾',
  '�}' => '蘿',
  '�~' => '虀',
  '̀' => '虁',
  '́' => '虂',
  '̂' => '虃',
  '̃' => '虄',
  '̄' => '虅',
  '̅' => '虆',
  '̆' => '虇',
  '̇' => '虈',
  '̈' => '虉',
  '̉' => '虊',
  '̊' => '虋',
  '̋' => '虌',
  '̌' => '虒',
  '̍' => '虓',
  '̎' => '處',
  '̏' => '虖',
  '̐' => '虗',
  '̑' => '虘',
  '̒' => '虙',
  '̓' => '虛',
  '̔' => '虜',
  '̕' => '虝',
  '̖' => '號',
  '̗' => '虠',
  '̘' => '虡',
  '̙' => '虣',
  '̚' => '虤',
  '̛' => '虥',
  '̜' => '虦',
  '̝' => '虧',
  '̞' => '虨',
  '̟' => '虩',
  '̠' => '虪',
  '̡' => '獭',
  '̢' => '挞',
  '̣' => '蹋',
  '̤' => '踏',
  '̥' => '胎',
  '̦' => '苔',
  '̧' => '抬',
  '̨' => '台',
  '̩' => '泰',
  '̪' => '酞',
  '̫' => '太',
  '̬' => '态',
  '̭' => '汰',
  '̮' => '坍',
  '̯' => '摊',
  '̰' => '贪',
  '̱' => '瘫',
  '̲' => '滩',
  '̳' => '坛',
  '̴' => '檀',
  '̵' => '痰',
  '̶' => '潭',
  '̷' => '谭',
  '̸' => '谈',
  '̹' => '坦',
  '̺' => '毯',
  '̻' => '袒',
  '̼' => '碳',
  '̽' => '探',
  '̾' => '叹',
  '̿' => '炭',
  '�' => '汤',
  '�' => '塘',
  '��' => '搪',
  '��' => '堂',
  '��' => '棠',
  '��' => '膛',
  '��' => '唐',
  '��' => '糖',
  '��' => '倘',
  '��' => '躺',
  '��' => '淌',
  '��' => '趟',
  '��' => '烫',
  '��' => '掏',
  '��' => '涛',
  '��' => '滔',
  '��' => '绦',
  '��' => '萄',
  '��' => '桃',
  '��' => '逃',
  '��' => '淘',
  '��' => '陶',
  '��' => '讨',
  '��' => '套',
  '��' => '特',
  '��' => '藤',
  '��' => '腾',
  '��' => '疼',
  '��' => '誊',
  '��' => '梯',
  '��' => '剔',
  '��' => '踢',
  '��' => '锑',
  '��' => '提',
  '��' => '题',
  '��' => '蹄',
  '��' => '啼',
  '��' => '体',
  '��' => '替',
  '��' => '嚏',
  '��' => '惕',
  '��' => '涕',
  '��' => '剃',
  '��' => '屉',
  '��' => '天',
  '��' => '添',
  '��' => '填',
  '��' => '田',
  '��' => '甜',
  '��' => '恬',
  '��' => '舔',
  '��' => '腆',
  '��' => '挑',
  '�' => '条',
  '�' => '迢',
  '�' => '眺',
  '�' => '跳',
  '�' => '贴',
  '�' => '铁',
  '�' => '帖',
  '�' => '厅',
  '�' => '听',
  '�' => '烃',
  '�@' => '虭',
  '�A' => '虯',
  '�B' => '虰',
  '�C' => '虲',
  '�D' => '虳',
  '�E' => '虴',
  '�F' => '虵',
  '�G' => '虶',
  '�H' => '虷',
  '�I' => '虸',
  '�J' => '蚃',
  '�K' => '蚄',
  '�L' => '蚅',
  '�M' => '蚆',
  '�N' => '蚇',
  '�O' => '蚈',
  '�P' => '蚉',
  '�Q' => '蚎',
  '�R' => '蚏',
  '�S' => '蚐',
  '�T' => '蚑',
  '�U' => '蚒',
  '�V' => '蚔',
  '�W' => '蚖',
  '�X' => '蚗',
  '�Y' => '蚘',
  '�Z' => '蚙',
  '�[' => '蚚',
  '�\\' => '蚛',
  '�]' => '蚞',
  '�^' => '蚟',
  '�_' => '蚠',
  '�`' => '蚡',
  '�a' => '蚢',
  '�b' => '蚥',
  '�c' => '蚦',
  '�d' => '蚫',
  '�e' => '蚭',
  '�f' => '蚮',
  '�g' => '蚲',
  '�h' => '蚳',
  '�i' => '蚷',
  '�j' => '蚸',
  '�k' => '蚹',
  '�l' => '蚻',
  '�m' => '蚼',
  '�n' => '蚽',
  '�o' => '蚾',
  '�p' => '蚿',
  '�q' => '蛁',
  '�r' => '蛂',
  '�s' => '蛃',
  '�t' => '蛅',
  '�u' => '蛈',
  '�v' => '蛌',
  '�w' => '蛍',
  '�x' => '蛒',
  '�y' => '蛓',
  '�z' => '蛕',
  '�{' => '蛖',
  '�|' => '蛗',
  '�}' => '蛚',
  '�~' => '蛜',
  '̀' => '蛝',
  '́' => '蛠',
  '͂' => '蛡',
  '̓' => '蛢',
  '̈́' => '蛣',
  'ͅ' => '蛥',
  '͆' => '蛦',
  '͇' => '蛧',
  '͈' => '蛨',
  '͉' => '蛪',
  '͊' => '蛫',
  '͋' => '蛬',
  '͌' => '蛯',
  '͍' => '蛵',
  '͎' => '蛶',
  '͏' => '蛷',
  '͐' => '蛺',
  '͑' => '蛻',
  '͒' => '蛼',
  '͓' => '蛽',
  '͔' => '蛿',
  '͕' => '蜁',
  '͖' => '蜄',
  '͗' => '蜅',
  '͘' => '蜆',
  '͙' => '蜋',
  '͚' => '蜌',
  '͛' => '蜎',
  '͜' => '蜏',
  '͝' => '蜐',
  '͞' => '蜑',
  '͟' => '蜔',
  '͠' => '蜖',
  '͡' => '汀',
  '͢' => '廷',
  'ͣ' => '停',
  'ͤ' => '亭',
  'ͥ' => '庭',
  'ͦ' => '挺',
  'ͧ' => '艇',
  'ͨ' => '通',
  'ͩ' => '桐',
  'ͪ' => '酮',
  'ͫ' => '瞳',
  'ͬ' => '同',
  'ͭ' => '铜',
  'ͮ' => '彤',
  'ͯ' => '童',
  'Ͱ' => '桶',
  'ͱ' => '捅',
  'Ͳ' => '筒',
  'ͳ' => '统',
  'ʹ' => '痛',
  '͵' => '偷',
  'Ͷ' => '投',
  'ͷ' => '头',
  '͸' => '透',
  '͹' => '凸',
  'ͺ' => '秃',
  'ͻ' => '突',
  'ͼ' => '图',
  'ͽ' => '徒',
  ';' => '途',
  'Ϳ' => '涂',
  '�' => '屠',
  '�' => '土',
  '��' => '吐',
  '��' => '兔',
  '��' => '湍',
  '��' => '团',
  '��' => '推',
  '��' => '颓',
  '��' => '腿',
  '��' => '蜕',
  '��' => '褪',
  '��' => '退',
  '��' => '吞',
  '��' => '屯',
  '��' => '臀',
  '��' => '拖',
  '��' => '托',
  '��' => '脱',
  '��' => '鸵',
  '��' => '陀',
  '��' => '驮',
  '��' => '驼',
  '��' => '椭',
  '��' => '妥',
  '��' => '拓',
  '��' => '唾',
  '��' => '挖',
  '��' => '哇',
  '��' => '蛙',
  '��' => '洼',
  '��' => '娃',
  '��' => '瓦',
  '��' => '袜',
  '��' => '歪',
  '��' => '外',
  '��' => '豌',
  '��' => '弯',
  '��' => '湾',
  '��' => '玩',
  '��' => '顽',
  '��' => '丸',
  '��' => '烷',
  '��' => '完',
  '��' => '碗',
  '��' => '挽',
  '��' => '晚',
  '��' => '皖',
  '��' => '惋',
  '��' => '宛',
  '��' => '婉',
  '��' => '万',
  '��' => '腕',
  '��' => '汪',
  '�' => '王',
  '�' => '亡',
  '�' => '枉',
  '�' => '网',
  '�' => '往',
  '�' => '旺',
  '�' => '望',
  '�' => '忘',
  '�' => '妄',
  '�' => '威',
  '�@' => '蜙',
  '�A' => '蜛',
  '�B' => '蜝',
  '�C' => '蜟',
  '�D' => '蜠',
  '�E' => '蜤',
  '�F' => '蜦',
  '�G' => '蜧',
  '�H' => '蜨',
  '�I' => '蜪',
  '�J' => '蜫',
  '�K' => '蜬',
  '�L' => '蜭',
  '�M' => '蜯',
  '�N' => '蜰',
  '�O' => '蜲',
  '�P' => '蜳',
  '�Q' => '蜵',
  '�R' => '蜶',
  '�S' => '蜸',
  '�T' => '蜹',
  '�U' => '蜺',
  '�V' => '蜼',
  '�W' => '蜽',
  '�X' => '蝀',
  '�Y' => '蝁',
  '�Z' => '蝂',
  '�[' => '蝃',
  '�\\' => '蝄',
  '�]' => '蝅',
  '�^' => '蝆',
  '�_' => '蝊',
  '�`' => '蝋',
  '�a' => '蝍',
  '�b' => '蝏',
  '�c' => '蝐',
  '�d' => '蝑',
  '�e' => '蝒',
  '�f' => '蝔',
  '�g' => '蝕',
  '�h' => '蝖',
  '�i' => '蝘',
  '�j' => '蝚',
  '�k' => '蝛',
  '�l' => '蝜',
  '�m' => '蝝',
  '�n' => '蝞',
  '�o' => '蝟',
  '�p' => '蝡',
  '�q' => '蝢',
  '�r' => '蝦',
  '�s' => '蝧',
  '�t' => '蝨',
  '�u' => '蝩',
  '�v' => '蝪',
  '�w' => '蝫',
  '�x' => '蝬',
  '�y' => '蝭',
  '�z' => '蝯',
  '�{' => '蝱',
  '�|' => '蝲',
  '�}' => '蝳',
  '�~' => '蝵',
  '΀' => '蝷',
  '΁' => '蝸',
  '΂' => '蝹',
  '΃' => '蝺',
  '΄' => '蝿',
  '΅' => '螀',
  'Ά' => '螁',
  '·' => '螄',
  'Έ' => '螆',
  'Ή' => '螇',
  'Ί' => '螉',
  '΋' => '螊',
  'Ό' => '螌',
  '΍' => '螎',
  'Ύ' => '螏',
  'Ώ' => '螐',
  'ΐ' => '螑',
  'Α' => '螒',
  'Β' => '螔',
  'Γ' => '螕',
  'Δ' => '螖',
  'Ε' => '螘',
  'Ζ' => '螙',
  'Η' => '螚',
  'Θ' => '螛',
  'Ι' => '螜',
  'Κ' => '螝',
  'Λ' => '螞',
  'Μ' => '螠',
  'Ν' => '螡',
  'Ξ' => '螢',
  'Ο' => '螣',
  'Π' => '螤',
  'Ρ' => '巍',
  '΢' => '微',
  'Σ' => '危',
  'Τ' => '韦',
  'Υ' => '违',
  'Φ' => '桅',
  'Χ' => '围',
  'Ψ' => '唯',
  'Ω' => '惟',
  'Ϊ' => '为',
  'Ϋ' => '潍',
  'ά' => '维',
  'έ' => '苇',
  'ή' => '萎',
  'ί' => '委',
  'ΰ' => '伟',
  'α' => '伪',
  'β' => '尾',
  'γ' => '纬',
  'δ' => '未',
  'ε' => '蔚',
  'ζ' => '味',
  'η' => '畏',
  'θ' => '胃',
  'ι' => '喂',
  'κ' => '魏',
  'λ' => '位',
  'μ' => '渭',
  'ν' => '谓',
  'ξ' => '尉',
  'ο' => '慰',
  '�' => '卫',
  '�' => '瘟',
  '��' => '温',
  '��' => '蚊',
  '��' => '文',
  '��' => '闻',
  '��' => '纹',
  '��' => '吻',
  '��' => '稳',
  '��' => '紊',
  '��' => '问',
  '��' => '嗡',
  '��' => '翁',
  '��' => '瓮',
  '��' => '挝',
  '��' => '蜗',
  '��' => '涡',
  '��' => '窝',
  '��' => '我',
  '��' => '斡',
  '��' => '卧',
  '��' => '握',
  '��' => '沃',
  '��' => '巫',
  '��' => '呜',
  '��' => '钨',
  '��' => '乌',
  '��' => '污',
  '��' => '诬',
  '��' => '屋',
  '��' => '无',
  '��' => '芜',
  '��' => '梧',
  '��' => '吾',
  '��' => '吴',
  '��' => '毋',
  '��' => '武',
  '��' => '五',
  '��' => '捂',
  '��' => '午',
  '��' => '舞',
  '��' => '伍',
  '��' => '侮',
  '��' => '坞',
  '��' => '戊',
  '��' => '雾',
  '��' => '晤',
  '��' => '物',
  '��' => '勿',
  '��' => '务',
  '��' => '悟',
  '��' => '误',
  '��' => '昔',
  '�' => '熙',
  '�' => '析',
  '�' => '西',
  '�' => '硒',
  '�' => '矽',
  '�' => '晰',
  '�' => '嘻',
  '�' => '吸',
  '�' => '锡',
  '�' => '牺',
  '�@' => '螥',
  '�A' => '螦',
  '�B' => '螧',
  '�C' => '螩',
  '�D' => '螪',
  '�E' => '螮',
  '�F' => '螰',
  '�G' => '螱',
  '�H' => '螲',
  '�I' => '螴',
  '�J' => '螶',
  '�K' => '螷',
  '�L' => '螸',
  '�M' => '螹',
  '�N' => '螻',
  '�O' => '螼',
  '�P' => '螾',
  '�Q' => '螿',
  '�R' => '蟁',
  '�S' => '蟂',
  '�T' => '蟃',
  '�U' => '蟄',
  '�V' => '蟅',
  '�W' => '蟇',
  '�X' => '蟈',
  '�Y' => '蟉',
  '�Z' => '蟌',
  '�[' => '蟍',
  '�\\' => '蟎',
  '�]' => '蟏',
  '�^' => '蟐',
  '�_' => '蟔',
  '�`' => '蟕',
  '�a' => '蟖',
  '�b' => '蟗',
  '�c' => '蟘',
  '�d' => '蟙',
  '�e' => '蟚',
  '�f' => '蟜',
  '�g' => '蟝',
  '�h' => '蟞',
  '�i' => '蟟',
  '�j' => '蟡',
  '�k' => '蟢',
  '�l' => '蟣',
  '�m' => '蟤',
  '�n' => '蟦',
  '�o' => '蟧',
  '�p' => '蟨',
  '�q' => '蟩',
  '�r' => '蟫',
  '�s' => '蟬',
  '�t' => '蟭',
  '�u' => '蟯',
  '�v' => '蟰',
  '�w' => '蟱',
  '�x' => '蟲',
  '�y' => '蟳',
  '�z' => '蟴',
  '�{' => '蟵',
  '�|' => '蟶',
  '�}' => '蟷',
  '�~' => '蟸',
  'π' => '蟺',
  'ρ' => '蟻',
  'ς' => '蟼',
  'σ' => '蟽',
  'τ' => '蟿',
  'υ' => '蠀',
  'φ' => '蠁',
  'χ' => '蠂',
  'ψ' => '蠄',
  'ω' => '蠅',
  'ϊ' => '蠆',
  'ϋ' => '蠇',
  'ό' => '蠈',
  'ύ' => '蠉',
  'ώ' => '蠋',
  'Ϗ' => '蠌',
  'ϐ' => '蠍',
  'ϑ' => '蠎',
  'ϒ' => '蠏',
  'ϓ' => '蠐',
  'ϔ' => '蠑',
  'ϕ' => '蠒',
  'ϖ' => '蠔',
  'ϗ' => '蠗',
  'Ϙ' => '蠘',
  'ϙ' => '蠙',
  'Ϛ' => '蠚',
  'ϛ' => '蠜',
  'Ϝ' => '蠝',
  'ϝ' => '蠞',
  'Ϟ' => '蠟',
  'ϟ' => '蠠',
  'Ϡ' => '蠣',
  'ϡ' => '稀',
  'Ϣ' => '息',
  'ϣ' => '希',
  'Ϥ' => '悉',
  'ϥ' => '膝',
  'Ϧ' => '夕',
  'ϧ' => '惜',
  'Ϩ' => '熄',
  'ϩ' => '烯',
  'Ϫ' => '溪',
  'ϫ' => '汐',
  'Ϭ' => '犀',
  'ϭ' => '檄',
  'Ϯ' => '袭',
  'ϯ' => '席',
  'ϰ' => '习',
  'ϱ' => '媳',
  'ϲ' => '喜',
  'ϳ' => '铣',
  'ϴ' => '洗',
  'ϵ' => '系',
  '϶' => '隙',
  'Ϸ' => '戏',
  'ϸ' => '细',
  'Ϲ' => '瞎',
  'Ϻ' => '虾',
  'ϻ' => '匣',
  'ϼ' => '霞',
  'Ͻ' => '辖',
  'Ͼ' => '暇',
  'Ͽ' => '峡',
  '�' => '侠',
  '�' => '狭',
  '��' => '下',
  '��' => '厦',
  '��' => '夏',
  '��' => '吓',
  '��' => '掀',
  '��' => '锨',
  '��' => '先',
  '��' => '仙',
  '��' => '鲜',
  '��' => '纤',
  '��' => '咸',
  '��' => '贤',
  '��' => '衔',
  '��' => '舷',
  '��' => '闲',
  '��' => '涎',
  '��' => '弦',
  '��' => '嫌',
  '��' => '显',
  '��' => '险',
  '��' => '现',
  '��' => '献',
  '��' => '县',
  '��' => '腺',
  '��' => '馅',
  '��' => '羡',
  '��' => '宪',
  '��' => '陷',
  '��' => '限',
  '��' => '线',
  '��' => '相',
  '��' => '厢',
  '��' => '镶',
  '��' => '香',
  '��' => '箱',
  '��' => '襄',
  '��' => '湘',
  '��' => '乡',
  '��' => '翔',
  '��' => '祥',
  '��' => '详',
  '��' => '想',
  '��' => '响',
  '��' => '享',
  '��' => '项',
  '��' => '巷',
  '��' => '橡',
  '��' => '像',
  '��' => '向',
  '��' => '象',
  '��' => '萧',
  '�' => '硝',
  '�' => '霄',
  '�' => '削',
  '�' => '哮',
  '�' => '嚣',
  '�' => '销',
  '�' => '消',
  '�' => '宵',
  '�' => '淆',
  '�' => '晓',
  '�@' => '蠤',
  '�A' => '蠥',
  '�B' => '蠦',
  '�C' => '蠧',
  '�D' => '蠨',
  '�E' => '蠩',
  '�F' => '蠪',
  '�G' => '蠫',
  '�H' => '蠬',
  '�I' => '蠭',
  '�J' => '蠮',
  '�K' => '蠯',
  '�L' => '蠰',
  '�M' => '蠱',
  '�N' => '蠳',
  '�O' => '蠴',
  '�P' => '蠵',
  '�Q' => '蠶',
  '�R' => '蠷',
  '�S' => '蠸',
  '�T' => '蠺',
  '�U' => '蠻',
  '�V' => '蠽',
  '�W' => '蠾',
  '�X' => '蠿',
  '�Y' => '衁',
  '�Z' => '衂',
  '�[' => '衃',
  '�\\' => '衆',
  '�]' => '衇',
  '�^' => '衈',
  '�_' => '衉',
  '�`' => '衊',
  '�a' => '衋',
  '�b' => '衎',
  '�c' => '衏',
  '�d' => '衐',
  '�e' => '衑',
  '�f' => '衒',
  '�g' => '術',
  '�h' => '衕',
  '�i' => '衖',
  '�j' => '衘',
  '�k' => '衚',
  '�l' => '衛',
  '�m' => '衜',
  '�n' => '衝',
  '�o' => '衞',
  '�p' => '衟',
  '�q' => '衠',
  '�r' => '衦',
  '�s' => '衧',
  '�t' => '衪',
  '�u' => '衭',
  '�v' => '衯',
  '�w' => '衱',
  '�x' => '衳',
  '�y' => '衴',
  '�z' => '衵',
  '�{' => '衶',
  '�|' => '衸',
  '�}' => '衹',
  '�~' => '衺',
  'Ѐ' => '衻',
  'Ё' => '衼',
  'Ђ' => '袀',
  'Ѓ' => '袃',
  'Є' => '袆',
  'Ѕ' => '袇',
  'І' => '袉',
  'Ї' => '袊',
  'Ј' => '袌',
  'Љ' => '袎',
  'Њ' => '袏',
  'Ћ' => '袐',
  'Ќ' => '袑',
  'Ѝ' => '袓',
  'Ў' => '袔',
  'Џ' => '袕',
  'А' => '袗',
  'Б' => '袘',
  'В' => '袙',
  'Г' => '袚',
  'Д' => '袛',
  'Е' => '袝',
  'Ж' => '袞',
  'З' => '袟',
  'И' => '袠',
  'Й' => '袡',
  'К' => '袣',
  'Л' => '袥',
  'М' => '袦',
  'Н' => '袧',
  'О' => '袨',
  'П' => '袩',
  'Р' => '袪',
  'С' => '小',
  'Т' => '孝',
  'У' => '校',
  'Ф' => '肖',
  'Х' => '啸',
  'Ц' => '笑',
  'Ч' => '效',
  'Ш' => '楔',
  'Щ' => '些',
  'Ъ' => '歇',
  'Ы' => '蝎',
  'Ь' => '鞋',
  'Э' => '协',
  'Ю' => '挟',
  'Я' => '携',
  'а' => '邪',
  'б' => '斜',
  'в' => '胁',
  'г' => '谐',
  'д' => '写',
  'е' => '械',
  'ж' => '卸',
  'з' => '蟹',
  'и' => '懈',
  'й' => '泄',
  'к' => '泻',
  'л' => '谢',
  'м' => '屑',
  'н' => '薪',
  'о' => '芯',
  'п' => '锌',
  '�' => '欣',
  '�' => '辛',
  '��' => '新',
  '��' => '忻',
  '��' => '心',
  '��' => '信',
  '��' => '衅',
  '��' => '星',
  '��' => '腥',
  '��' => '猩',
  '��' => '惺',
  '��' => '兴',
  '��' => '刑',
  '��' => '型',
  '��' => '形',
  '��' => '邢',
  '��' => '行',
  '��' => '醒',
  '��' => '幸',
  '��' => '杏',
  '��' => '性',
  '��' => '姓',
  '��' => '兄',
  '��' => '凶',
  '��' => '胸',
  '��' => '匈',
  '��' => '汹',
  '��' => '雄',
  '��' => '熊',
  '��' => '休',
  '��' => '修',
  '��' => '羞',
  '��' => '朽',
  '��' => '嗅',
  '��' => '锈',
  '��' => '秀',
  '��' => '袖',
  '��' => '绣',
  '��' => '墟',
  '��' => '戌',
  '��' => '需',
  '��' => '虚',
  '��' => '嘘',
  '��' => '须',
  '��' => '徐',
  '��' => '许',
  '��' => '蓄',
  '��' => '酗',
  '��' => '叙',
  '��' => '旭',
  '��' => '序',
  '��' => '畜',
  '��' => '恤',
  '�' => '絮',
  '�' => '婿',
  '�' => '绪',
  '�' => '续',
  '�' => '轩',
  '�' => '喧',
  '�' => '宣',
  '�' => '悬',
  '�' => '旋',
  '�' => '玄',
  '�@' => '袬',
  '�A' => '袮',
  '�B' => '袯',
  '�C' => '袰',
  '�D' => '袲',
  '�E' => '袳',
  '�F' => '袴',
  '�G' => '袵',
  '�H' => '袶',
  '�I' => '袸',
  '�J' => '袹',
  '�K' => '袺',
  '�L' => '袻',
  '�M' => '袽',
  '�N' => '袾',
  '�O' => '袿',
  '�P' => '裀',
  '�Q' => '裃',
  '�R' => '裄',
  '�S' => '裇',
  '�T' => '裈',
  '�U' => '裊',
  '�V' => '裋',
  '�W' => '裌',
  '�X' => '裍',
  '�Y' => '裏',
  '�Z' => '裐',
  '�[' => '裑',
  '�\\' => '裓',
  '�]' => '裖',
  '�^' => '裗',
  '�_' => '裚',
  '�`' => '裛',
  '�a' => '補',
  '�b' => '裝',
  '�c' => '裞',
  '�d' => '裠',
  '�e' => '裡',
  '�f' => '裦',
  '�g' => '裧',
  '�h' => '裩',
  '�i' => '裪',
  '�j' => '裫',
  '�k' => '裬',
  '�l' => '裭',
  '�m' => '裮',
  '�n' => '裯',
  '�o' => '裲',
  '�p' => '裵',
  '�q' => '裶',
  '�r' => '裷',
  '�s' => '裺',
  '�t' => '裻',
  '�u' => '製',
  '�v' => '裿',
  '�w' => '褀',
  '�x' => '褁',
  '�y' => '褃',
  '�z' => '褄',
  '�{' => '褅',
  '�|' => '褆',
  '�}' => '複',
  '�~' => '褈',
  'р' => '褉',
  'с' => '褋',
  'т' => '褌',
  'у' => '褍',
  'ф' => '褎',
  'х' => '褏',
  'ц' => '褑',
  'ч' => '褔',
  'ш' => '褕',
  'щ' => '褖',
  'ъ' => '褗',
  'ы' => '褘',
  'ь' => '褜',
  'э' => '褝',
  'ю' => '褞',
  'я' => '褟',
  'ѐ' => '褠',
  'ё' => '褢',
  'ђ' => '褣',
  'ѓ' => '褤',
  'є' => '褦',
  'ѕ' => '褧',
  'і' => '褨',
  'ї' => '褩',
  'ј' => '褬',
  'љ' => '褭',
  'њ' => '褮',
  'ћ' => '褯',
  'ќ' => '褱',
  'ѝ' => '褲',
  'ў' => '褳',
  'џ' => '褵',
  'Ѡ' => '褷',
  'ѡ' => '选',
  'Ѣ' => '癣',
  'ѣ' => '眩',
  'Ѥ' => '绚',
  'ѥ' => '靴',
  'Ѧ' => '薛',
  'ѧ' => '学',
  'Ѩ' => '穴',
  'ѩ' => '雪',
  'Ѫ' => '血',
  'ѫ' => '勋',
  'Ѭ' => '熏',
  'ѭ' => '循',
  'Ѯ' => '旬',
  'ѯ' => '询',
  'Ѱ' => '寻',
  'ѱ' => '驯',
  'Ѳ' => '巡',
  'ѳ' => '殉',
  'Ѵ' => '汛',
  'ѵ' => '训',
  'Ѷ' => '讯',
  'ѷ' => '逊',
  'Ѹ' => '迅',
  'ѹ' => '压',
  'Ѻ' => '押',
  'ѻ' => '鸦',
  'Ѽ' => '鸭',
  'ѽ' => '呀',
  'Ѿ' => '丫',
  'ѿ' => '芽',
  '�' => '牙',
  '�' => '蚜',
  '��' => '崖',
  '��' => '衙',
  '��' => '涯',
  '��' => '雅',
  '��' => '哑',
  '��' => '亚',
  '��' => '讶',
  '��' => '焉',
  '��' => '咽',
  '��' => '阉',
  '��' => '烟',
  '��' => '淹',
  '��' => '盐',
  '��' => '严',
  '��' => '研',
  '��' => '蜒',
  '��' => '岩',
  '��' => '延',
  '��' => '言',
  '��' => '颜',
  '��' => '阎',
  '��' => '炎',
  '��' => '沿',
  '��' => '奄',
  '��' => '掩',
  '��' => '眼',
  '��' => '衍',
  '��' => '演',
  '��' => '艳',
  '��' => '堰',
  '��' => '燕',
  '��' => '厌',
  '��' => '砚',
  '��' => '雁',
  '��' => '唁',
  '��' => '彦',
  '��' => '焰',
  '��' => '宴',
  '��' => '谚',
  '��' => '验',
  '��' => '殃',
  '��' => '央',
  '��' => '鸯',
  '��' => '秧',
  '��' => '杨',
  '��' => '扬',
  '��' => '佯',
  '��' => '疡',
  '��' => '羊',
  '��' => '洋',
  '��' => '阳',
  '�' => '氧',
  '�' => '仰',
  '�' => '痒',
  '�' => '养',
  '�' => '样',
  '�' => '漾',
  '�' => '邀',
  '�' => '腰',
  '�' => '妖',
  '�' => '瑶',
  '�@' => '褸',
  '�A' => '褹',
  '�B' => '褺',
  '�C' => '褻',
  '�D' => '褼',
  '�E' => '褽',
  '�F' => '褾',
  '�G' => '褿',
  '�H' => '襀',
  '�I' => '襂',
  '�J' => '襃',
  '�K' => '襅',
  '�L' => '襆',
  '�M' => '襇',
  '�N' => '襈',
  '�O' => '襉',
  '�P' => '襊',
  '�Q' => '襋',
  '�R' => '襌',
  '�S' => '襍',
  '�T' => '襎',
  '�U' => '襏',
  '�V' => '襐',
  '�W' => '襑',
  '�X' => '襒',
  '�Y' => '襓',
  '�Z' => '襔',
  '�[' => '襕',
  '�\\' => '襖',
  '�]' => '襗',
  '�^' => '襘',
  '�_' => '襙',
  '�`' => '襚',
  '�a' => '襛',
  '�b' => '襜',
  '�c' => '襝',
  '�d' => '襠',
  '�e' => '襡',
  '�f' => '襢',
  '�g' => '襣',
  '�h' => '襤',
  '�i' => '襥',
  '�j' => '襧',
  '�k' => '襨',
  '�l' => '襩',
  '�m' => '襪',
  '�n' => '襫',
  '�o' => '襬',
  '�p' => '襭',
  '�q' => '襮',
  '�r' => '襯',
  '�s' => '襰',
  '�t' => '襱',
  '�u' => '襲',
  '�v' => '襳',
  '�w' => '襴',
  '�x' => '襵',
  '�y' => '襶',
  '�z' => '襷',
  '�{' => '襸',
  '�|' => '襹',
  '�}' => '襺',
  '�~' => '襼',
  'Ҁ' => '襽',
  'ҁ' => '襾',
  '҂' => '覀',
  '҃' => '覂',
  '҄' => '覄',
  '҅' => '覅',
  '҆' => '覇',
  '҇' => '覈',
  '҈' => '覉',
  '҉' => '覊',
  'Ҋ' => '見',
  'ҋ' => '覌',
  'Ҍ' => '覍',
  'ҍ' => '覎',
  'Ҏ' => '規',
  'ҏ' => '覐',
  'Ґ' => '覑',
  'ґ' => '覒',
  'Ғ' => '覓',
  'ғ' => '覔',
  'Ҕ' => '覕',
  'ҕ' => '視',
  'Җ' => '覗',
  'җ' => '覘',
  'Ҙ' => '覙',
  'ҙ' => '覚',
  'Қ' => '覛',
  'қ' => '覜',
  'Ҝ' => '覝',
  'ҝ' => '覞',
  'Ҟ' => '覟',
  'ҟ' => '覠',
  'Ҡ' => '覡',
  'ҡ' => '摇',
  'Ң' => '尧',
  'ң' => '遥',
  'Ҥ' => '窑',
  'ҥ' => '谣',
  'Ҧ' => '姚',
  'ҧ' => '咬',
  'Ҩ' => '舀',
  'ҩ' => '药',
  'Ҫ' => '要',
  'ҫ' => '耀',
  'Ҭ' => '椰',
  'ҭ' => '噎',
  'Ү' => '耶',
  'ү' => '爷',
  'Ұ' => '野',
  'ұ' => '冶',
  'Ҳ' => '也',
  'ҳ' => '页',
  'Ҵ' => '掖',
  'ҵ' => '业',
  'Ҷ' => '叶',
  'ҷ' => '曳',
  'Ҹ' => '腋',
  'ҹ' => '夜',
  'Һ' => '液',
  'һ' => '一',
  'Ҽ' => '壹',
  'ҽ' => '医',
  'Ҿ' => '揖',
  'ҿ' => '铱',
  '�' => '依',
  '�' => '伊',
  '��' => '衣',
  '��' => '颐',
  '��' => '夷',
  '��' => '遗',
  '��' => '移',
  '��' => '仪',
  '��' => '胰',
  '��' => '疑',
  '��' => '沂',
  '��' => '宜',
  '��' => '姨',
  '��' => '彝',
  '��' => '椅',
  '��' => '蚁',
  '��' => '倚',
  '��' => '已',
  '��' => '乙',
  '��' => '矣',
  '��' => '以',
  '��' => '艺',
  '��' => '抑',
  '��' => '易',
  '��' => '邑',
  '��' => '屹',
  '��' => '亿',
  '��' => '役',
  '��' => '臆',
  '��' => '逸',
  '��' => '肄',
  '��' => '疫',
  '��' => '亦',
  '��' => '裔',
  '��' => '意',
  '��' => '毅',
  '��' => '忆',
  '��' => '义',
  '��' => '益',
  '��' => '溢',
  '��' => '诣',
  '��' => '议',
  '��' => '谊',
  '��' => '译',
  '��' => '异',
  '��' => '翼',
  '��' => '翌',
  '��' => '绎',
  '��' => '茵',
  '��' => '荫',
  '��' => '因',
  '��' => '殷',
  '��' => '音',
  '�' => '阴',
  '�' => '姻',
  '�' => '吟',
  '�' => '银',
  '�' => '淫',
  '�' => '寅',
  '�' => '饮',
  '�' => '尹',
  '�' => '引',
  '�' => '隐',
  '�@' => '覢',
  '�A' => '覣',
  '�B' => '覤',
  '�C' => '覥',
  '�D' => '覦',
  '�E' => '覧',
  '�F' => '覨',
  '�G' => '覩',
  '�H' => '親',
  '�I' => '覫',
  '�J' => '覬',
  '�K' => '覭',
  '�L' => '覮',
  '�M' => '覯',
  '�N' => '覰',
  '�O' => '覱',
  '�P' => '覲',
  '�Q' => '観',
  '�R' => '覴',
  '�S' => '覵',
  '�T' => '覶',
  '�U' => '覷',
  '�V' => '覸',
  '�W' => '覹',
  '�X' => '覺',
  '�Y' => '覻',
  '�Z' => '覼',
  '�[' => '覽',
  '�\\' => '覾',
  '�]' => '覿',
  '�^' => '觀',
  '�_' => '觃',
  '�`' => '觍',
  '�a' => '觓',
  '�b' => '觔',
  '�c' => '觕',
  '�d' => '觗',
  '�e' => '觘',
  '�f' => '觙',
  '�g' => '觛',
  '�h' => '觝',
  '�i' => '觟',
  '�j' => '觠',
  '�k' => '觡',
  '�l' => '觢',
  '�m' => '觤',
  '�n' => '觧',
  '�o' => '觨',
  '�p' => '觩',
  '�q' => '觪',
  '�r' => '觬',
  '�s' => '觭',
  '�t' => '觮',
  '�u' => '觰',
  '�v' => '觱',
  '�w' => '觲',
  '�x' => '觴',
  '�y' => '觵',
  '�z' => '觶',
  '�{' => '觷',
  '�|' => '觸',
  '�}' => '觹',
  '�~' => '觺',
  'Ӏ' => '觻',
  'Ӂ' => '觼',
  'ӂ' => '觽',
  'Ӄ' => '觾',
  'ӄ' => '觿',
  'Ӆ' => '訁',
  'ӆ' => '訂',
  'Ӈ' => '訃',
  'ӈ' => '訄',
  'Ӊ' => '訅',
  'ӊ' => '訆',
  'Ӌ' => '計',
  'ӌ' => '訉',
  'Ӎ' => '訊',
  'ӎ' => '訋',
  'ӏ' => '訌',
  'Ӑ' => '訍',
  'ӑ' => '討',
  'Ӓ' => '訏',
  'ӓ' => '訐',
  'Ӕ' => '訑',
  'ӕ' => '訒',
  'Ӗ' => '訓',
  'ӗ' => '訔',
  'Ә' => '訕',
  'ә' => '訖',
  'Ӛ' => '託',
  'ӛ' => '記',
  'Ӝ' => '訙',
  'ӝ' => '訚',
  'Ӟ' => '訛',
  'ӟ' => '訜',
  'Ӡ' => '訝',
  'ӡ' => '印',
  'Ӣ' => '英',
  'ӣ' => '樱',
  'Ӥ' => '婴',
  'ӥ' => '鹰',
  'Ӧ' => '应',
  'ӧ' => '缨',
  'Ө' => '莹',
  'ө' => '萤',
  'Ӫ' => '营',
  'ӫ' => '荧',
  'Ӭ' => '蝇',
  'ӭ' => '迎',
  'Ӯ' => '赢',
  'ӯ' => '盈',
  'Ӱ' => '影',
  'ӱ' => '颖',
  'Ӳ' => '硬',
  'ӳ' => '映',
  'Ӵ' => '哟',
  'ӵ' => '拥',
  'Ӷ' => '佣',
  'ӷ' => '臃',
  'Ӹ' => '痈',
  'ӹ' => '庸',
  'Ӻ' => '雍',
  'ӻ' => '踊',
  'Ӽ' => '蛹',
  'ӽ' => '咏',
  'Ӿ' => '泳',
  'ӿ' => '涌',
  '�' => '永',
  '�' => '恿',
  '��' => '勇',
  '��' => '用',
  '��' => '幽',
  '��' => '优',
  '��' => '悠',
  '��' => '忧',
  '��' => '尤',
  '��' => '由',
  '��' => '邮',
  '��' => '铀',
  '��' => '犹',
  '��' => '油',
  '��' => '游',
  '��' => '酉',
  '��' => '有',
  '��' => '友',
  '��' => '右',
  '��' => '佑',
  '��' => '釉',
  '��' => '诱',
  '��' => '又',
  '��' => '幼',
  '��' => '迂',
  '��' => '淤',
  '��' => '于',
  '��' => '盂',
  '��' => '榆',
  '��' => '虞',
  '��' => '愚',
  '��' => '舆',
  '��' => '余',
  '��' => '俞',
  '��' => '逾',
  '��' => '鱼',
  '��' => '愉',
  '��' => '渝',
  '��' => '渔',
  '��' => '隅',
  '��' => '予',
  '��' => '娱',
  '��' => '雨',
  '��' => '与',
  '��' => '屿',
  '��' => '禹',
  '��' => '宇',
  '��' => '语',
  '��' => '羽',
  '��' => '玉',
  '��' => '域',
  '��' => '芋',
  '��' => '郁',
  '�' => '吁',
  '�' => '遇',
  '�' => '喻',
  '�' => '峪',
  '�' => '御',
  '�' => '愈',
  '�' => '欲',
  '�' => '狱',
  '�' => '育',
  '�' => '誉',
  '�@' => '訞',
  '�A' => '訟',
  '�B' => '訠',
  '�C' => '訡',
  '�D' => '訢',
  '�E' => '訣',
  '�F' => '訤',
  '�G' => '訥',
  '�H' => '訦',
  '�I' => '訧',
  '�J' => '訨',
  '�K' => '訩',
  '�L' => '訪',
  '�M' => '訫',
  '�N' => '訬',
  '�O' => '設',
  '�P' => '訮',
  '�Q' => '訯',
  '�R' => '訰',
  '�S' => '許',
  '�T' => '訲',
  '�U' => '訳',
  '�V' => '訴',
  '�W' => '訵',
  '�X' => '訶',
  '�Y' => '訷',
  '�Z' => '訸',
  '�[' => '訹',
  '�\\' => '診',
  '�]' => '註',
  '�^' => '証',
  '�_' => '訽',
  '�`' => '訿',
  '�a' => '詀',
  '�b' => '詁',
  '�c' => '詂',
  '�d' => '詃',
  '�e' => '詄',
  '�f' => '詅',
  '�g' => '詆',
  '�h' => '詇',
  '�i' => '詉',
  '�j' => '詊',
  '�k' => '詋',
  '�l' => '詌',
  '�m' => '詍',
  '�n' => '詎',
  '�o' => '詏',
  '�p' => '詐',
  '�q' => '詑',
  '�r' => '詒',
  '�s' => '詓',
  '�t' => '詔',
  '�u' => '評',
  '�v' => '詖',
  '�w' => '詗',
  '�x' => '詘',
  '�y' => '詙',
  '�z' => '詚',
  '�{' => '詛',
  '�|' => '詜',
  '�}' => '詝',
  '�~' => '詞',
  'Ԁ' => '詟',
  'ԁ' => '詠',
  'Ԃ' => '詡',
  'ԃ' => '詢',
  'Ԅ' => '詣',
  'ԅ' => '詤',
  'Ԇ' => '詥',
  'ԇ' => '試',
  'Ԉ' => '詧',
  'ԉ' => '詨',
  'Ԋ' => '詩',
  'ԋ' => '詪',
  'Ԍ' => '詫',
  'ԍ' => '詬',
  'Ԏ' => '詭',
  'ԏ' => '詮',
  'Ԑ' => '詯',
  'ԑ' => '詰',
  'Ԓ' => '話',
  'ԓ' => '該',
  'Ԕ' => '詳',
  'ԕ' => '詴',
  'Ԗ' => '詵',
  'ԗ' => '詶',
  'Ԙ' => '詷',
  'ԙ' => '詸',
  'Ԛ' => '詺',
  'ԛ' => '詻',
  'Ԝ' => '詼',
  'ԝ' => '詽',
  'Ԟ' => '詾',
  'ԟ' => '詿',
  'Ԡ' => '誀',
  'ԡ' => '浴',
  'Ԣ' => '寓',
  'ԣ' => '裕',
  'Ԥ' => '预',
  'ԥ' => '豫',
  'Ԧ' => '驭',
  'ԧ' => '鸳',
  'Ԩ' => '渊',
  'ԩ' => '冤',
  'Ԫ' => '元',
  'ԫ' => '垣',
  'Ԭ' => '袁',
  'ԭ' => '原',
  'Ԯ' => '援',
  'ԯ' => '辕',
  '԰' => '园',
  'Ա' => '员',
  'Բ' => '圆',
  'Գ' => '猿',
  'Դ' => '源',
  'Ե' => '缘',
  'Զ' => '远',
  'Է' => '苑',
  'Ը' => '愿',
  'Թ' => '怨',
  'Ժ' => '院',
  'Ի' => '曰',
  'Լ' => '约',
  'Խ' => '越',
  'Ծ' => '跃',
  'Կ' => '钥',
  '�' => '岳',
  '�' => '粤',
  '��' => '月',
  '��' => '悦',
  '��' => '阅',
  '��' => '耘',
  '��' => '云',
  '��' => '郧',
  '��' => '匀',
  '��' => '陨',
  '��' => '允',
  '��' => '运',
  '��' => '蕴',
  '��' => '酝',
  '��' => '晕',
  '��' => '韵',
  '��' => '孕',
  '��' => '匝',
  '��' => '砸',
  '��' => '杂',
  '��' => '栽',
  '��' => '哉',
  '��' => '灾',
  '��' => '宰',
  '��' => '载',
  '��' => '再',
  '��' => '在',
  '��' => '咱',
  '��' => '攒',
  '��' => '暂',
  '��' => '赞',
  '��' => '赃',
  '��' => '脏',
  '��' => '葬',
  '��' => '遭',
  '��' => '糟',
  '��' => '凿',
  '��' => '藻',
  '��' => '枣',
  '��' => '早',
  '��' => '澡',
  '��' => '蚤',
  '��' => '躁',
  '��' => '噪',
  '��' => '造',
  '��' => '皂',
  '��' => '灶',
  '��' => '燥',
  '��' => '责',
  '��' => '择',
  '��' => '则',
  '��' => '泽',
  '��' => '贼',
  '�' => '怎',
  '�' => '增',
  '�' => '憎',
  '�' => '曾',
  '�' => '赠',
  '�' => '扎',
  '�' => '喳',
  '�' => '渣',
  '�' => '札',
  '�' => '轧',
  '�@' => '誁',
  '�A' => '誂',
  '�B' => '誃',
  '�C' => '誄',
  '�D' => '誅',
  '�E' => '誆',
  '�F' => '誇',
  '�G' => '誈',
  '�H' => '誋',
  '�I' => '誌',
  '�J' => '認',
  '�K' => '誎',
  '�L' => '誏',
  '�M' => '誐',
  '�N' => '誑',
  '�O' => '誒',
  '�P' => '誔',
  '�Q' => '誕',
  '�R' => '誖',
  '�S' => '誗',
  '�T' => '誘',
  '�U' => '誙',
  '�V' => '誚',
  '�W' => '誛',
  '�X' => '誜',
  '�Y' => '誝',
  '�Z' => '語',
  '�[' => '誟',
  '�\\' => '誠',
  '�]' => '誡',
  '�^' => '誢',
  '�_' => '誣',
  '�`' => '誤',
  '�a' => '誥',
  '�b' => '誦',
  '�c' => '誧',
  '�d' => '誨',
  '�e' => '誩',
  '�f' => '說',
  '�g' => '誫',
  '�h' => '説',
  '�i' => '読',
  '�j' => '誮',
  '�k' => '誯',
  '�l' => '誰',
  '�m' => '誱',
  '�n' => '課',
  '�o' => '誳',
  '�p' => '誴',
  '�q' => '誵',
  '�r' => '誶',
  '�s' => '誷',
  '�t' => '誸',
  '�u' => '誹',
  '�v' => '誺',
  '�w' => '誻',
  '�x' => '誼',
  '�y' => '誽',
  '�z' => '誾',
  '�{' => '調',
  '�|' => '諀',
  '�}' => '諁',
  '�~' => '諂',
  'Հ' => '諃',
  'Ձ' => '諄',
  'Ղ' => '諅',
  'Ճ' => '諆',
  'Մ' => '談',
  'Յ' => '諈',
  'Ն' => '諉',
  'Շ' => '諊',
  'Ո' => '請',
  'Չ' => '諌',
  'Պ' => '諍',
  'Ջ' => '諎',
  'Ռ' => '諏',
  'Ս' => '諐',
  'Վ' => '諑',
  'Տ' => '諒',
  'Ր' => '諓',
  'Ց' => '諔',
  'Ւ' => '諕',
  'Փ' => '論',
  'Ք' => '諗',
  'Օ' => '諘',
  'Ֆ' => '諙',
  '՗' => '諚',
  '՘' => '諛',
  'ՙ' => '諜',
  '՚' => '諝',
  '՛' => '諞',
  '՜' => '諟',
  '՝' => '諠',
  '՞' => '諡',
  '՟' => '諢',
  'ՠ' => '諣',
  'ա' => '铡',
  'բ' => '闸',
  'գ' => '眨',
  'դ' => '栅',
  'ե' => '榨',
  'զ' => '咋',
  'է' => '乍',
  'ը' => '炸',
  'թ' => '诈',
  'ժ' => '摘',
  'ի' => '斋',
  'լ' => '宅',
  'խ' => '窄',
  'ծ' => '债',
  'կ' => '寨',
  'հ' => '瞻',
  'ձ' => '毡',
  'ղ' => '詹',
  'ճ' => '粘',
  'մ' => '沾',
  'յ' => '盏',
  'ն' => '斩',
  'շ' => '辗',
  'ո' => '崭',
  'չ' => '展',
  'պ' => '蘸',
  'ջ' => '栈',
  'ռ' => '占',
  'ս' => '战',
  'վ' => '站',
  'տ' => '湛',
  '�' => '绽',
  '�' => '樟',
  '��' => '章',
  '��' => '彰',
  '��' => '漳',
  '��' => '张',
  '��' => '掌',
  '��' => '涨',
  '��' => '杖',
  '��' => '丈',
  '��' => '帐',
  '��' => '账',
  '��' => '仗',
  '��' => '胀',
  '��' => '瘴',
  '��' => '障',
  '��' => '招',
  '��' => '昭',
  '��' => '找',
  '��' => '沼',
  '��' => '赵',
  '��' => '照',
  '��' => '罩',
  '��' => '兆',
  '��' => '肇',
  '��' => '召',
  '��' => '遮',
  '��' => '折',
  '��' => '哲',
  '��' => '蛰',
  '��' => '辙',
  '��' => '者',
  '��' => '锗',
  '��' => '蔗',
  '��' => '这',
  '��' => '浙',
  '��' => '珍',
  '��' => '斟',
  '��' => '真',
  '��' => '甄',
  '��' => '砧',
  '��' => '臻',
  '��' => '贞',
  '��' => '针',
  '��' => '侦',
  '��' => '枕',
  '��' => '疹',
  '��' => '诊',
  '��' => '震',
  '��' => '振',
  '��' => '镇',
  '��' => '阵',
  '��' => '蒸',
  '�' => '挣',
  '�' => '睁',
  '�' => '征',
  '�' => '狰',
  '�' => '争',
  '�' => '怔',
  '�' => '整',
  '�' => '拯',
  '�' => '正',
  '�' => '政',
  '�@' => '諤',
  '�A' => '諥',
  '�B' => '諦',
  '�C' => '諧',
  '�D' => '諨',
  '�E' => '諩',
  '�F' => '諪',
  '�G' => '諫',
  '�H' => '諬',
  '�I' => '諭',
  '�J' => '諮',
  '�K' => '諯',
  '�L' => '諰',
  '�M' => '諱',
  '�N' => '諲',
  '�O' => '諳',
  '�P' => '諴',
  '�Q' => '諵',
  '�R' => '諶',
  '�S' => '諷',
  '�T' => '諸',
  '�U' => '諹',
  '�V' => '諺',
  '�W' => '諻',
  '�X' => '諼',
  '�Y' => '諽',
  '�Z' => '諾',
  '�[' => '諿',
  '�\\' => '謀',
  '�]' => '謁',
  '�^' => '謂',
  '�_' => '謃',
  '�`' => '謄',
  '�a' => '謅',
  '�b' => '謆',
  '�c' => '謈',
  '�d' => '謉',
  '�e' => '謊',
  '�f' => '謋',
  '�g' => '謌',
  '�h' => '謍',
  '�i' => '謎',
  '�j' => '謏',
  '�k' => '謐',
  '�l' => '謑',
  '�m' => '謒',
  '�n' => '謓',
  '�o' => '謔',
  '�p' => '謕',
  '�q' => '謖',
  '�r' => '謗',
  '�s' => '謘',
  '�t' => '謙',
  '�u' => '謚',
  '�v' => '講',
  '�w' => '謜',
  '�x' => '謝',
  '�y' => '謞',
  '�z' => '謟',
  '�{' => '謠',
  '�|' => '謡',
  '�}' => '謢',
  '�~' => '謣',
  'ր' => '謤',
  'ց' => '謥',
  'ւ' => '謧',
  'փ' => '謨',
  'ք' => '謩',
  'օ' => '謪',
  'ֆ' => '謫',
  'և' => '謬',
  'ֈ' => '謭',
  '։' => '謮',
  '֊' => '謯',
  '֋' => '謰',
  '֌' => '謱',
  '֍' => '謲',
  '֎' => '謳',
  '֏' => '謴',
  '֐' => '謵',
  '֑' => '謶',
  '֒' => '謷',
  '֓' => '謸',
  '֔' => '謹',
  '֕' => '謺',
  '֖' => '謻',
  '֗' => '謼',
  '֘' => '謽',
  '֙' => '謾',
  '֚' => '謿',
  '֛' => '譀',
  '֜' => '譁',
  '֝' => '譂',
  '֞' => '譃',
  '֟' => '譄',
  '֠' => '譅',
  '֡' => '帧',
  '֢' => '症',
  '֣' => '郑',
  '֤' => '证',
  '֥' => '芝',
  '֦' => '枝',
  '֧' => '支',
  '֨' => '吱',
  '֩' => '蜘',
  '֪' => '知',
  '֫' => '肢',
  '֬' => '脂',
  '֭' => '汁',
  '֮' => '之',
  '֯' => '织',
  'ְ' => '职',
  'ֱ' => '直',
  'ֲ' => '植',
  'ֳ' => '殖',
  'ִ' => '执',
  'ֵ' => '值',
  'ֶ' => '侄',
  'ַ' => '址',
  'ָ' => '指',
  'ֹ' => '止',
  'ֺ' => '趾',
  'ֻ' => '只',
  'ּ' => '旨',
  'ֽ' => '纸',
  '־' => '志',
  'ֿ' => '挚',
  '�' => '掷',
  '�' => '至',
  '��' => '致',
  '��' => '置',
  '��' => '帜',
  '��' => '峙',
  '��' => '制',
  '��' => '智',
  '��' => '秩',
  '��' => '稚',
  '��' => '质',
  '��' => '炙',
  '��' => '痔',
  '��' => '滞',
  '��' => '治',
  '��' => '窒',
  '��' => '中',
  '��' => '盅',
  '��' => '忠',
  '��' => '钟',
  '��' => '衷',
  '��' => '终',
  '��' => '种',
  '��' => '肿',
  '��' => '重',
  '��' => '仲',
  '��' => '众',
  '��' => '舟',
  '��' => '周',
  '��' => '州',
  '��' => '洲',
  '��' => '诌',
  '��' => '粥',
  '��' => '轴',
  '��' => '肘',
  '��' => '帚',
  '��' => '咒',
  '��' => '皱',
  '��' => '宙',
  '��' => '昼',
  '��' => '骤',
  '��' => '珠',
  '��' => '株',
  '��' => '蛛',
  '��' => '朱',
  '��' => '猪',
  '��' => '诸',
  '��' => '诛',
  '��' => '逐',
  '��' => '竹',
  '��' => '烛',
  '��' => '煮',
  '��' => '拄',
  '�' => '瞩',
  '�' => '嘱',
  '�' => '主',
  '�' => '著',
  '�' => '柱',
  '�' => '助',
  '�' => '蛀',
  '�' => '贮',
  '�' => '铸',
  '�' => '筑',
  '�@' => '譆',
  '�A' => '譇',
  '�B' => '譈',
  '�C' => '證',
  '�D' => '譊',
  '�E' => '譋',
  '�F' => '譌',
  '�G' => '譍',
  '�H' => '譎',
  '�I' => '譏',
  '�J' => '譐',
  '�K' => '譑',
  '�L' => '譒',
  '�M' => '譓',
  '�N' => '譔',
  '�O' => '譕',
  '�P' => '譖',
  '�Q' => '譗',
  '�R' => '識',
  '�S' => '譙',
  '�T' => '譚',
  '�U' => '譛',
  '�V' => '譜',
  '�W' => '譝',
  '�X' => '譞',
  '�Y' => '譟',
  '�Z' => '譠',
  '�[' => '譡',
  '�\\' => '譢',
  '�]' => '譣',
  '�^' => '譤',
  '�_' => '譥',
  '�`' => '譧',
  '�a' => '譨',
  '�b' => '譩',
  '�c' => '譪',
  '�d' => '譫',
  '�e' => '譭',
  '�f' => '譮',
  '�g' => '譯',
  '�h' => '議',
  '�i' => '譱',
  '�j' => '譲',
  '�k' => '譳',
  '�l' => '譴',
  '�m' => '譵',
  '�n' => '譶',
  '�o' => '護',
  '�p' => '譸',
  '�q' => '譹',
  '�r' => '譺',
  '�s' => '譻',
  '�t' => '譼',
  '�u' => '譽',
  '�v' => '譾',
  '�w' => '譿',
  '�x' => '讀',
  '�y' => '讁',
  '�z' => '讂',
  '�{' => '讃',
  '�|' => '讄',
  '�}' => '讅',
  '�~' => '讆',
  '׀' => '讇',
  'ׁ' => '讈',
  'ׂ' => '讉',
  '׃' => '變',
  'ׄ' => '讋',
  'ׅ' => '讌',
  '׆' => '讍',
  'ׇ' => '讎',
  '׈' => '讏',
  '׉' => '讐',
  '׊' => '讑',
  '׋' => '讒',
  '׌' => '讓',
  '׍' => '讔',
  '׎' => '讕',
  '׏' => '讖',
  'א' => '讗',
  'ב' => '讘',
  'ג' => '讙',
  'ד' => '讚',
  'ה' => '讛',
  'ו' => '讜',
  'ז' => '讝',
  'ח' => '讞',
  'ט' => '讟',
  'י' => '讬',
  'ך' => '讱',
  'כ' => '讻',
  'ל' => '诇',
  'ם' => '诐',
  'מ' => '诪',
  'ן' => '谉',
  'נ' => '谞',
  'ס' => '住',
  'ע' => '注',
  'ף' => '祝',
  'פ' => '驻',
  'ץ' => '抓',
  'צ' => '爪',
  'ק' => '拽',
  'ר' => '专',
  'ש' => '砖',
  'ת' => '转',
  '׫' => '撰',
  '׬' => '赚',
  '׭' => '篆',
  '׮' => '桩',
  'ׯ' => '庄',
  'װ' => '装',
  'ױ' => '妆',
  'ײ' => '撞',
  '׳' => '壮',
  '״' => '状',
  '׵' => '椎',
  '׶' => '锥',
  '׷' => '追',
  '׸' => '赘',
  '׹' => '坠',
  '׺' => '缀',
  '׻' => '谆',
  '׼' => '准',
  '׽' => '捉',
  '׾' => '拙',
  '׿' => '卓',
  '�' => '桌',
  '�' => '琢',
  '��' => '茁',
  '��' => '酌',
  '��' => '啄',
  '��' => '着',
  '��' => '灼',
  '��' => '浊',
  '��' => '兹',
  '��' => '咨',
  '��' => '资',
  '��' => '姿',
  '��' => '滋',
  '��' => '淄',
  '��' => '孜',
  '��' => '紫',
  '��' => '仔',
  '��' => '籽',
  '��' => '滓',
  '��' => '子',
  '��' => '自',
  '��' => '渍',
  '��' => '字',
  '��' => '鬃',
  '��' => '棕',
  '��' => '踪',
  '��' => '宗',
  '��' => '综',
  '��' => '总',
  '��' => '纵',
  '��' => '邹',
  '��' => '走',
  '��' => '奏',
  '��' => '揍',
  '��' => '租',
  '��' => '足',
  '��' => '卒',
  '��' => '族',
  '��' => '祖',
  '��' => '诅',
  '��' => '阻',
  '��' => '组',
  '��' => '钻',
  '��' => '纂',
  '��' => '嘴',
  '��' => '醉',
  '��' => '最',
  '��' => '罪',
  '��' => '尊',
  '��' => '遵',
  '��' => '昨',
  '��' => '左',
  '��' => '佐',
  '�' => '柞',
  '�' => '做',
  '�' => '作',
  '�' => '坐',
  '�' => '座',
  '�@' => '谸',
  '�A' => '谹',
  '�B' => '谺',
  '�C' => '谻',
  '�D' => '谼',
  '�E' => '谽',
  '�F' => '谾',
  '�G' => '谿',
  '�H' => '豀',
  '�I' => '豂',
  '�J' => '豃',
  '�K' => '豄',
  '�L' => '豅',
  '�M' => '豈',
  '�N' => '豊',
  '�O' => '豋',
  '�P' => '豍',
  '�Q' => '豎',
  '�R' => '豏',
  '�S' => '豐',
  '�T' => '豑',
  '�U' => '豒',
  '�V' => '豓',
  '�W' => '豔',
  '�X' => '豖',
  '�Y' => '豗',
  '�Z' => '豘',
  '�[' => '豙',
  '�\\' => '豛',
  '�]' => '豜',
  '�^' => '豝',
  '�_' => '豞',
  '�`' => '豟',
  '�a' => '豠',
  '�b' => '豣',
  '�c' => '豤',
  '�d' => '豥',
  '�e' => '豦',
  '�f' => '豧',
  '�g' => '豨',
  '�h' => '豩',
  '�i' => '豬',
  '�j' => '豭',
  '�k' => '豮',
  '�l' => '豯',
  '�m' => '豰',
  '�n' => '豱',
  '�o' => '豲',
  '�p' => '豴',
  '�q' => '豵',
  '�r' => '豶',
  '�s' => '豷',
  '�t' => '豻',
  '�u' => '豼',
  '�v' => '豽',
  '�w' => '豾',
  '�x' => '豿',
  '�y' => '貀',
  '�z' => '貁',
  '�{' => '貃',
  '�|' => '貄',
  '�}' => '貆',
  '�~' => '貇',
  '؀' => '貈',
  '؁' => '貋',
  '؂' => '貍',
  '؃' => '貎',
  '؄' => '貏',
  '؅' => '貐',
  '؆' => '貑',
  '؇' => '貒',
  '؈' => '貓',
  '؉' => '貕',
  '؊' => '貖',
  '؋' => '貗',
  '،' => '貙',
  '؍' => '貚',
  '؎' => '貛',
  '؏' => '貜',
  'ؐ' => '貝',
  'ؑ' => '貞',
  'ؒ' => '貟',
  'ؓ' => '負',
  'ؔ' => '財',
  'ؕ' => '貢',
  'ؖ' => '貣',
  'ؗ' => '貤',
  'ؘ' => '貥',
  'ؙ' => '貦',
  'ؚ' => '貧',
  '؛' => '貨',
  '؜' => '販',
  '؝' => '貪',
  '؞' => '貫',
  '؟' => '責',
  'ؠ' => '貭',
  'ء' => '亍',
  'آ' => '丌',
  'أ' => '兀',
  'ؤ' => '丐',
  'إ' => '廿',
  'ئ' => '卅',
  'ا' => '丕',
  'ب' => '亘',
  'ة' => '丞',
  'ت' => '鬲',
  'ث' => '孬',
  'ج' => '噩',
  'ح' => '丨',
  'خ' => '禺',
  'د' => '丿',
  'ذ' => '匕',
  'ر' => '乇',
  'ز' => '夭',
  'س' => '爻',
  'ش' => '卮',
  'ص' => '氐',
  'ض' => '囟',
  'ط' => '胤',
  'ظ' => '馗',
  'ع' => '毓',
  'غ' => '睾',
  'ػ' => '鼗',
  'ؼ' => '丶',
  'ؽ' => '亟',
  'ؾ' => '鼐',
  'ؿ' => '乜',
  '�' => '乩',
  '�' => '亓',
  '��' => '芈',
  '��' => '孛',
  '��' => '啬',
  '��' => '嘏',
  '��' => '仄',
  '��' => '厍',
  '��' => '厝',
  '��' => '厣',
  '��' => '厥',
  '��' => '厮',
  '��' => '靥',
  '��' => '赝',
  '��' => '匚',
  '��' => '叵',
  '��' => '匦',
  '��' => '匮',
  '��' => '匾',
  '��' => '赜',
  '��' => '卦',
  '��' => '卣',
  '��' => '刂',
  '��' => '刈',
  '��' => '刎',
  '��' => '刭',
  '��' => '刳',
  '��' => '刿',
  '��' => '剀',
  '��' => '剌',
  '��' => '剞',
  '��' => '剡',
  '��' => '剜',
  '��' => '蒯',
  '��' => '剽',
  '��' => '劂',
  '��' => '劁',
  '��' => '劐',
  '��' => '劓',
  '��' => '冂',
  '��' => '罔',
  '��' => '亻',
  '��' => '仃',
  '��' => '仉',
  '��' => '仂',
  '��' => '仨',
  '��' => '仡',
  '��' => '仫',
  '��' => '仞',
  '��' => '伛',
  '��' => '仳',
  '��' => '伢',
  '��' => '佤',
  '�' => '仵',
  '�' => '伥',
  '�' => '伧',
  '�' => '伉',
  '�' => '伫',
  '�' => '佞',
  '�' => '佧',
  '�' => '攸',
  '�' => '佚',
  '�' => '佝',
  '�@' => '貮',
  '�A' => '貯',
  '�B' => '貰',
  '�C' => '貱',
  '�D' => '貲',
  '�E' => '貳',
  '�F' => '貴',
  '�G' => '貵',
  '�H' => '貶',
  '�I' => '買',
  '�J' => '貸',
  '�K' => '貹',
  '�L' => '貺',
  '�M' => '費',
  '�N' => '貼',
  '�O' => '貽',
  '�P' => '貾',
  '�Q' => '貿',
  '�R' => '賀',
  '�S' => '賁',
  '�T' => '賂',
  '�U' => '賃',
  '�V' => '賄',
  '�W' => '賅',
  '�X' => '賆',
  '�Y' => '資',
  '�Z' => '賈',
  '�[' => '賉',
  '�\\' => '賊',
  '�]' => '賋',
  '�^' => '賌',
  '�_' => '賍',
  '�`' => '賎',
  '�a' => '賏',
  '�b' => '賐',
  '�c' => '賑',
  '�d' => '賒',
  '�e' => '賓',
  '�f' => '賔',
  '�g' => '賕',
  '�h' => '賖',
  '�i' => '賗',
  '�j' => '賘',
  '�k' => '賙',
  '�l' => '賚',
  '�m' => '賛',
  '�n' => '賜',
  '�o' => '賝',
  '�p' => '賞',
  '�q' => '賟',
  '�r' => '賠',
  '�s' => '賡',
  '�t' => '賢',
  '�u' => '賣',
  '�v' => '賤',
  '�w' => '賥',
  '�x' => '賦',
  '�y' => '賧',
  '�z' => '賨',
  '�{' => '賩',
  '�|' => '質',
  '�}' => '賫',
  '�~' => '賬',
  'ـ' => '賭',
  'ف' => '賮',
  'ق' => '賯',
  'ك' => '賰',
  'ل' => '賱',
  'م' => '賲',
  'ن' => '賳',
  'ه' => '賴',
  'و' => '賵',
  'ى' => '賶',
  'ي' => '賷',
  'ً' => '賸',
  'ٌ' => '賹',
  'ٍ' => '賺',
  'َ' => '賻',
  'ُ' => '購',
  'ِ' => '賽',
  'ّ' => '賾',
  'ْ' => '賿',
  'ٓ' => '贀',
  'ٔ' => '贁',
  'ٕ' => '贂',
  'ٖ' => '贃',
  'ٗ' => '贄',
  '٘' => '贅',
  'ٙ' => '贆',
  'ٚ' => '贇',
  'ٛ' => '贈',
  'ٜ' => '贉',
  'ٝ' => '贊',
  'ٞ' => '贋',
  'ٟ' => '贌',
  '٠' => '贍',
  '١' => '佟',
  '٢' => '佗',
  '٣' => '伲',
  '٤' => '伽',
  '٥' => '佶',
  '٦' => '佴',
  '٧' => '侑',
  '٨' => '侉',
  '٩' => '侃',
  '٪' => '侏',
  '٫' => '佾',
  '٬' => '佻',
  '٭' => '侪',
  'ٮ' => '佼',
  'ٯ' => '侬',
  'ٰ' => '侔',
  'ٱ' => '俦',
  'ٲ' => '俨',
  'ٳ' => '俪',
  'ٴ' => '俅',
  'ٵ' => '俚',
  'ٶ' => '俣',
  'ٷ' => '俜',
  'ٸ' => '俑',
  'ٹ' => '俟',
  'ٺ' => '俸',
  'ٻ' => '倩',
  'ټ' => '偌',
  'ٽ' => '俳',
  'پ' => '倬',
  'ٿ' => '倏',
  '�' => '倮',
  '�' => '倭',
  '��' => '俾',
  '��' => '倜',
  '��' => '倌',
  '��' => '倥',
  '��' => '倨',
  '��' => '偾',
  '��' => '偃',
  '��' => '偕',
  '��' => '偈',
  '��' => '偎',
  '��' => '偬',
  '��' => '偻',
  '��' => '傥',
  '��' => '傧',
  '��' => '傩',
  '��' => '傺',
  '��' => '僖',
  '��' => '儆',
  '��' => '僭',
  '��' => '僬',
  '��' => '僦',
  '��' => '僮',
  '��' => '儇',
  '��' => '儋',
  '��' => '仝',
  '��' => '氽',
  '��' => '佘',
  '��' => '佥',
  '��' => '俎',
  '��' => '龠',
  '��' => '汆',
  '��' => '籴',
  '��' => '兮',
  '��' => '巽',
  '��' => '黉',
  '��' => '馘',
  '��' => '冁',
  '��' => '夔',
  '��' => '勹',
  '��' => '匍',
  '��' => '訇',
  '��' => '匐',
  '��' => '凫',
  '��' => '夙',
  '��' => '兕',
  '��' => '亠',
  '��' => '兖',
  '��' => '亳',
  '��' => '衮',
  '��' => '袤',
  '��' => '亵',
  '�' => '脔',
  '�' => '裒',
  '�' => '禀',
  '�' => '嬴',
  '�' => '蠃',
  '�' => '羸',
  '�' => '冫',
  '�' => '冱',
  '�' => '冽',
  '�' => '冼',
  '�@' => '贎',
  '�A' => '贏',
  '�B' => '贐',
  '�C' => '贑',
  '�D' => '贒',
  '�E' => '贓',
  '�F' => '贔',
  '�G' => '贕',
  '�H' => '贖',
  '�I' => '贗',
  '�J' => '贘',
  '�K' => '贙',
  '�L' => '贚',
  '�M' => '贛',
  '�N' => '贜',
  '�O' => '贠',
  '�P' => '赑',
  '�Q' => '赒',
  '�R' => '赗',
  '�S' => '赟',
  '�T' => '赥',
  '�U' => '赨',
  '�V' => '赩',
  '�W' => '赪',
  '�X' => '赬',
  '�Y' => '赮',
  '�Z' => '赯',
  '�[' => '赱',
  '�\\' => '赲',
  '�]' => '赸',
  '�^' => '赹',
  '�_' => '赺',
  '�`' => '赻',
  '�a' => '赼',
  '�b' => '赽',
  '�c' => '赾',
  '�d' => '赿',
  '�e' => '趀',
  '�f' => '趂',
  '�g' => '趃',
  '�h' => '趆',
  '�i' => '趇',
  '�j' => '趈',
  '�k' => '趉',
  '�l' => '趌',
  '�m' => '趍',
  '�n' => '趎',
  '�o' => '趏',
  '�p' => '趐',
  '�q' => '趒',
  '�r' => '趓',
  '�s' => '趕',
  '�t' => '趖',
  '�u' => '趗',
  '�v' => '趘',
  '�w' => '趙',
  '�x' => '趚',
  '�y' => '趛',
  '�z' => '趜',
  '�{' => '趝',
  '�|' => '趞',
  '�}' => '趠',
  '�~' => '趡',
  'ڀ' => '趢',
  'ځ' => '趤',
  'ڂ' => '趥',
  'ڃ' => '趦',
  'ڄ' => '趧',
  'څ' => '趨',
  'چ' => '趩',
  'ڇ' => '趪',
  'ڈ' => '趫',
  'ډ' => '趬',
  'ڊ' => '趭',
  'ڋ' => '趮',
  'ڌ' => '趯',
  'ڍ' => '趰',
  'ڎ' => '趲',
  'ڏ' => '趶',
  'ڐ' => '趷',
  'ڑ' => '趹',
  'ڒ' => '趻',
  'ړ' => '趽',
  'ڔ' => '跀',
  'ڕ' => '跁',
  'ږ' => '跂',
  'ڗ' => '跅',
  'ژ' => '跇',
  'ڙ' => '跈',
  'ښ' => '跉',
  'ڛ' => '跊',
  'ڜ' => '跍',
  'ڝ' => '跐',
  'ڞ' => '跒',
  'ڟ' => '跓',
  'ڠ' => '跔',
  'ڡ' => '凇',
  'ڢ' => '冖',
  'ڣ' => '冢',
  'ڤ' => '冥',
  'ڥ' => '讠',
  'ڦ' => '讦',
  'ڧ' => '讧',
  'ڨ' => '讪',
  'ک' => '讴',
  'ڪ' => '讵',
  'ګ' => '讷',
  'ڬ' => '诂',
  'ڭ' => '诃',
  'ڮ' => '诋',
  'گ' => '诏',
  'ڰ' => '诎',
  'ڱ' => '诒',
  'ڲ' => '诓',
  'ڳ' => '诔',
  'ڴ' => '诖',
  'ڵ' => '诘',
  'ڶ' => '诙',
  'ڷ' => '诜',
  'ڸ' => '诟',
  'ڹ' => '诠',
  'ں' => '诤',
  'ڻ' => '诨',
  'ڼ' => '诩',
  'ڽ' => '诮',
  'ھ' => '诰',
  'ڿ' => '诳',
  '�' => '诶',
  '�' => '诹',
  '��' => '诼',
  '��' => '诿',
  '��' => '谀',
  '��' => '谂',
  '��' => '谄',
  '��' => '谇',
  '��' => '谌',
  '��' => '谏',
  '��' => '谑',
  '��' => '谒',
  '��' => '谔',
  '��' => '谕',
  '��' => '谖',
  '��' => '谙',
  '��' => '谛',
  '��' => '谘',
  '��' => '谝',
  '��' => '谟',
  '��' => '谠',
  '��' => '谡',
  '��' => '谥',
  '��' => '谧',
  '��' => '谪',
  '��' => '谫',
  '��' => '谮',
  '��' => '谯',
  '��' => '谲',
  '��' => '谳',
  '��' => '谵',
  '��' => '谶',
  '��' => '卩',
  '��' => '卺',
  '��' => '阝',
  '��' => '阢',
  '��' => '阡',
  '��' => '阱',
  '��' => '阪',
  '��' => '阽',
  '��' => '阼',
  '��' => '陂',
  '��' => '陉',
  '��' => '陔',
  '��' => '陟',
  '��' => '陧',
  '��' => '陬',
  '��' => '陲',
  '��' => '陴',
  '��' => '隈',
  '��' => '隍',
  '��' => '隗',
  '��' => '隰',
  '�' => '邗',
  '�' => '邛',
  '�' => '邝',
  '�' => '邙',
  '�' => '邬',
  '�' => '邡',
  '�' => '邴',
  '�' => '邳',
  '�' => '邶',
  '�' => '邺',
  '�@' => '跕',
  '�A' => '跘',
  '�B' => '跙',
  '�C' => '跜',
  '�D' => '跠',
  '�E' => '跡',
  '�F' => '跢',
  '�G' => '跥',
  '�H' => '跦',
  '�I' => '跧',
  '�J' => '跩',
  '�K' => '跭',
  '�L' => '跮',
  '�M' => '跰',
  '�N' => '跱',
  '�O' => '跲',
  '�P' => '跴',
  '�Q' => '跶',
  '�R' => '跼',
  '�S' => '跾',
  '�T' => '跿',
  '�U' => '踀',
  '�V' => '踁',
  '�W' => '踂',
  '�X' => '踃',
  '�Y' => '踄',
  '�Z' => '踆',
  '�[' => '踇',
  '�\\' => '踈',
  '�]' => '踋',
  '�^' => '踍',
  '�_' => '踎',
  '�`' => '踐',
  '�a' => '踑',
  '�b' => '踒',
  '�c' => '踓',
  '�d' => '踕',
  '�e' => '踖',
  '�f' => '踗',
  '�g' => '踘',
  '�h' => '踙',
  '�i' => '踚',
  '�j' => '踛',
  '�k' => '踜',
  '�l' => '踠',
  '�m' => '踡',
  '�n' => '踤',
  '�o' => '踥',
  '�p' => '踦',
  '�q' => '踧',
  '�r' => '踨',
  '�s' => '踫',
  '�t' => '踭',
  '�u' => '踰',
  '�v' => '踲',
  '�w' => '踳',
  '�x' => '踴',
  '�y' => '踶',
  '�z' => '踷',
  '�{' => '踸',
  '�|' => '踻',
  '�}' => '踼',
  '�~' => '踾',
  'ۀ' => '踿',
  'ہ' => '蹃',
  'ۂ' => '蹅',
  'ۃ' => '蹆',
  'ۄ' => '蹌',
  'ۅ' => '蹍',
  'ۆ' => '蹎',
  'ۇ' => '蹏',
  'ۈ' => '蹐',
  'ۉ' => '蹓',
  'ۊ' => '蹔',
  'ۋ' => '蹕',
  'ی' => '蹖',
  'ۍ' => '蹗',
  'ێ' => '蹘',
  'ۏ' => '蹚',
  'ې' => '蹛',
  'ۑ' => '蹜',
  'ے' => '蹝',
  'ۓ' => '蹞',
  '۔' => '蹟',
  'ە' => '蹠',
  'ۖ' => '蹡',
  'ۗ' => '蹢',
  'ۘ' => '蹣',
  'ۙ' => '蹤',
  'ۚ' => '蹥',
  'ۛ' => '蹧',
  'ۜ' => '蹨',
  '۝' => '蹪',
  '۞' => '蹫',
  '۟' => '蹮',
  '۠' => '蹱',
  'ۡ' => '邸',
  'ۢ' => '邰',
  'ۣ' => '郏',
  'ۤ' => '郅',
  'ۥ' => '邾',
  'ۦ' => '郐',
  'ۧ' => '郄',
  'ۨ' => '郇',
  '۩' => '郓',
  '۪' => '郦',
  '۫' => '郢',
  '۬' => '郜',
  'ۭ' => '郗',
  'ۮ' => '郛',
  'ۯ' => '郫',
  '۰' => '郯',
  '۱' => '郾',
  '۲' => '鄄',
  '۳' => '鄢',
  '۴' => '鄞',
  '۵' => '鄣',
  '۶' => '鄱',
  '۷' => '鄯',
  '۸' => '鄹',
  '۹' => '酃',
  'ۺ' => '酆',
  'ۻ' => '刍',
  'ۼ' => '奂',
  '۽' => '劢',
  '۾' => '劬',
  'ۿ' => '劭',
  '�' => '劾',
  '�' => '哿',
  '��' => '勐',
  '��' => '勖',
  '��' => '勰',
  '��' => '叟',
  '��' => '燮',
  '��' => '矍',
  '��' => '廴',
  '��' => '凵',
  '��' => '凼',
  '��' => '鬯',
  '��' => '厶',
  '��' => '弁',
  '��' => '畚',
  '��' => '巯',
  '��' => '坌',
  '��' => '垩',
  '��' => '垡',
  '��' => '塾',
  '��' => '墼',
  '��' => '壅',
  '��' => '壑',
  '��' => '圩',
  '��' => '圬',
  '��' => '圪',
  '��' => '圳',
  '��' => '圹',
  '��' => '圮',
  '��' => '圯',
  '��' => '坜',
  '��' => '圻',
  '��' => '坂',
  '��' => '坩',
  '��' => '垅',
  '��' => '坫',
  '��' => '垆',
  '��' => '坼',
  '��' => '坻',
  '��' => '坨',
  '��' => '坭',
  '��' => '坶',
  '��' => '坳',
  '��' => '垭',
  '��' => '垤',
  '��' => '垌',
  '��' => '垲',
  '��' => '埏',
  '��' => '垧',
  '��' => '垴',
  '��' => '垓',
  '��' => '垠',
  '��' => '埕',
  '�' => '埘',
  '�' => '埚',
  '�' => '埙',
  '�' => '埒',
  '�' => '垸',
  '�' => '埴',
  '�' => '埯',
  '�' => '埸',
  '�' => '埤',
  '�' => '埝',
  '�@' => '蹳',
  '�A' => '蹵',
  '�B' => '蹷',
  '�C' => '蹸',
  '�D' => '蹹',
  '�E' => '蹺',
  '�F' => '蹻',
  '�G' => '蹽',
  '�H' => '蹾',
  '�I' => '躀',
  '�J' => '躂',
  '�K' => '躃',
  '�L' => '躄',
  '�M' => '躆',
  '�N' => '躈',
  '�O' => '躉',
  '�P' => '躊',
  '�Q' => '躋',
  '�R' => '躌',
  '�S' => '躍',
  '�T' => '躎',
  '�U' => '躑',
  '�V' => '躒',
  '�W' => '躓',
  '�X' => '躕',
  '�Y' => '躖',
  '�Z' => '躗',
  '�[' => '躘',
  '�\\' => '躙',
  '�]' => '躚',
  '�^' => '躛',
  '�_' => '躝',
  '�`' => '躟',
  '�a' => '躠',
  '�b' => '躡',
  '�c' => '躢',
  '�d' => '躣',
  '�e' => '躤',
  '�f' => '躥',
  '�g' => '躦',
  '�h' => '躧',
  '�i' => '躨',
  '�j' => '躩',
  '�k' => '躪',
  '�l' => '躭',
  '�m' => '躮',
  '�n' => '躰',
  '�o' => '躱',
  '�p' => '躳',
  '�q' => '躴',
  '�r' => '躵',
  '�s' => '躶',
  '�t' => '躷',
  '�u' => '躸',
  '�v' => '躹',
  '�w' => '躻',
  '�x' => '躼',
  '�y' => '躽',
  '�z' => '躾',
  '�{' => '躿',
  '�|' => '軀',
  '�}' => '軁',
  '�~' => '軂',
  '܀' => '軃',
  '܁' => '軄',
  '܂' => '軅',
  '܃' => '軆',
  '܄' => '軇',
  '܅' => '軈',
  '܆' => '軉',
  '܇' => '車',
  '܈' => '軋',
  '܉' => '軌',
  '܊' => '軍',
  '܋' => '軏',
  '܌' => '軐',
  '܍' => '軑',
  '܎' => '軒',
  '܏' => '軓',
  'ܐ' => '軔',
  'ܑ' => '軕',
  'ܒ' => '軖',
  'ܓ' => '軗',
  'ܔ' => '軘',
  'ܕ' => '軙',
  'ܖ' => '軚',
  'ܗ' => '軛',
  'ܘ' => '軜',
  'ܙ' => '軝',
  'ܚ' => '軞',
  'ܛ' => '軟',
  'ܜ' => '軠',
  'ܝ' => '軡',
  'ܞ' => '転',
  'ܟ' => '軣',
  'ܠ' => '軤',
  'ܡ' => '堋',
  'ܢ' => '堍',
  'ܣ' => '埽',
  'ܤ' => '埭',
  'ܥ' => '堀',
  'ܦ' => '堞',
  'ܧ' => '堙',
  'ܨ' => '塄',
  'ܩ' => '堠',
  'ܪ' => '塥',
  'ܫ' => '塬',
  'ܬ' => '墁',
  'ܭ' => '墉',
  'ܮ' => '墚',
  'ܯ' => '墀',
  'ܰ' => '馨',
  'ܱ' => '鼙',
  'ܲ' => '懿',
  'ܳ' => '艹',
  'ܴ' => '艽',
  'ܵ' => '艿',
  'ܶ' => '芏',
  'ܷ' => '芊',
  'ܸ' => '芨',
  'ܹ' => '芄',
  'ܺ' => '芎',
  'ܻ' => '芑',
  'ܼ' => '芗',
  'ܽ' => '芙',
  'ܾ' => '芫',
  'ܿ' => '芸',
  '�' => '芾',
  '�' => '芰',
  '��' => '苈',
  '��' => '苊',
  '��' => '苣',
  '��' => '芘',
  '��' => '芷',
  '��' => '芮',
  '��' => '苋',
  '��' => '苌',
  '��' => '苁',
  '��' => '芩',
  '��' => '芴',
  '��' => '芡',
  '��' => '芪',
  '��' => '芟',
  '��' => '苄',
  '��' => '苎',
  '��' => '芤',
  '��' => '苡',
  '��' => '茉',
  '��' => '苷',
  '��' => '苤',
  '��' => '茏',
  '��' => '茇',
  '��' => '苜',
  '��' => '苴',
  '��' => '苒',
  '��' => '苘',
  '��' => '茌',
  '��' => '苻',
  '��' => '苓',
  '��' => '茑',
  '��' => '茚',
  '��' => '茆',
  '��' => '茔',
  '��' => '茕',
  '��' => '苠',
  '��' => '苕',
  '��' => '茜',
  '��' => '荑',
  '��' => '荛',
  '��' => '荜',
  '��' => '茈',
  '��' => '莒',
  '��' => '茼',
  '��' => '茴',
  '��' => '茱',
  '��' => '莛',
  '��' => '荞',
  '��' => '茯',
  '��' => '荏',
  '��' => '荇',
  '�' => '荃',
  '�' => '荟',
  '�' => '荀',
  '�' => '茗',
  '�' => '荠',
  '�' => '茭',
  '�' => '茺',
  '�' => '茳',
  '�' => '荦',
  '�' => '荥',
  '�@' => '軥',
  '�A' => '軦',
  '�B' => '軧',
  '�C' => '軨',
  '�D' => '軩',
  '�E' => '軪',
  '�F' => '軫',
  '�G' => '軬',
  '�H' => '軭',
  '�I' => '軮',
  '�J' => '軯',
  '�K' => '軰',
  '�L' => '軱',
  '�M' => '軲',
  '�N' => '軳',
  '�O' => '軴',
  '�P' => '軵',
  '�Q' => '軶',
  '�R' => '軷',
  '�S' => '軸',
  '�T' => '軹',
  '�U' => '軺',
  '�V' => '軻',
  '�W' => '軼',
  '�X' => '軽',
  '�Y' => '軾',
  '�Z' => '軿',
  '�[' => '輀',
  '�\\' => '輁',
  '�]' => '輂',
  '�^' => '較',
  '�_' => '輄',
  '�`' => '輅',
  '�a' => '輆',
  '�b' => '輇',
  '�c' => '輈',
  '�d' => '載',
  '�e' => '輊',
  '�f' => '輋',
  '�g' => '輌',
  '�h' => '輍',
  '�i' => '輎',
  '�j' => '輏',
  '�k' => '輐',
  '�l' => '輑',
  '�m' => '輒',
  '�n' => '輓',
  '�o' => '輔',
  '�p' => '輕',
  '�q' => '輖',
  '�r' => '輗',
  '�s' => '輘',
  '�t' => '輙',
  '�u' => '輚',
  '�v' => '輛',
  '�w' => '輜',
  '�x' => '輝',
  '�y' => '輞',
  '�z' => '輟',
  '�{' => '輠',
  '�|' => '輡',
  '�}' => '輢',
  '�~' => '輣',
  '݀' => '輤',
  '݁' => '輥',
  '݂' => '輦',
  '݃' => '輧',
  '݄' => '輨',
  '݅' => '輩',
  '݆' => '輪',
  '݇' => '輫',
  '݈' => '輬',
  '݉' => '輭',
  '݊' => '輮',
  '݋' => '輯',
  '݌' => '輰',
  'ݍ' => '輱',
  'ݎ' => '輲',
  'ݏ' => '輳',
  'ݐ' => '輴',
  'ݑ' => '輵',
  'ݒ' => '輶',
  'ݓ' => '輷',
  'ݔ' => '輸',
  'ݕ' => '輹',
  'ݖ' => '輺',
  'ݗ' => '輻',
  'ݘ' => '輼',
  'ݙ' => '輽',
  'ݚ' => '輾',
  'ݛ' => '輿',
  'ݜ' => '轀',
  'ݝ' => '轁',
  'ݞ' => '轂',
  'ݟ' => '轃',
  'ݠ' => '轄',
  'ݡ' => '荨',
  'ݢ' => '茛',
  'ݣ' => '荩',
  'ݤ' => '荬',
  'ݥ' => '荪',
  'ݦ' => '荭',
  'ݧ' => '荮',
  'ݨ' => '莰',
  'ݩ' => '荸',
  'ݪ' => '莳',
  'ݫ' => '莴',
  'ݬ' => '莠',
  'ݭ' => '莪',
  'ݮ' => '莓',
  'ݯ' => '莜',
  'ݰ' => '莅',
  'ݱ' => '荼',
  'ݲ' => '莶',
  'ݳ' => '莩',
  'ݴ' => '荽',
  'ݵ' => '莸',
  'ݶ' => '荻',
  'ݷ' => '莘',
  'ݸ' => '莞',
  'ݹ' => '莨',
  'ݺ' => '莺',
  'ݻ' => '莼',
  'ݼ' => '菁',
  'ݽ' => '萁',
  'ݾ' => '菥',
  'ݿ' => '菘',
  '�' => '堇',
  '�' => '萘',
  '��' => '萋',
  '��' => '菝',
  '��' => '菽',
  '��' => '菖',
  '��' => '萜',
  '��' => '萸',
  '��' => '萑',
  '��' => '萆',
  '��' => '菔',
  '��' => '菟',
  '��' => '萏',
  '��' => '萃',
  '��' => '菸',
  '��' => '菹',
  '��' => '菪',
  '��' => '菅',
  '��' => '菀',
  '��' => '萦',
  '��' => '菰',
  '��' => '菡',
  '��' => '葜',
  '��' => '葑',
  '��' => '葚',
  '��' => '葙',
  '��' => '葳',
  '��' => '蒇',
  '��' => '蒈',
  '��' => '葺',
  '��' => '蒉',
  '��' => '葸',
  '��' => '萼',
  '��' => '葆',
  '��' => '葩',
  '��' => '葶',
  '��' => '蒌',
  '��' => '蒎',
  '��' => '萱',
  '��' => '葭',
  '��' => '蓁',
  '��' => '蓍',
  '��' => '蓐',
  '��' => '蓦',
  '��' => '蒽',
  '��' => '蓓',
  '��' => '蓊',
  '��' => '蒿',
  '��' => '蒺',
  '��' => '蓠',
  '��' => '蒡',
  '��' => '蒹',
  '��' => '蒴',
  '�' => '蒗',
  '�' => '蓥',
  '�' => '蓣',
  '�' => '蔌',
  '�' => '甍',
  '�' => '蔸',
  '�' => '蓰',
  '�' => '蔹',
  '�' => '蔟',
  '�' => '蔺',
  '�@' => '轅',
  '�A' => '轆',
  '�B' => '轇',
  '�C' => '轈',
  '�D' => '轉',
  '�E' => '轊',
  '�F' => '轋',
  '�G' => '轌',
  '�H' => '轍',
  '�I' => '轎',
  '�J' => '轏',
  '�K' => '轐',
  '�L' => '轑',
  '�M' => '轒',
  '�N' => '轓',
  '�O' => '轔',
  '�P' => '轕',
  '�Q' => '轖',
  '�R' => '轗',
  '�S' => '轘',
  '�T' => '轙',
  '�U' => '轚',
  '�V' => '轛',
  '�W' => '轜',
  '�X' => '轝',
  '�Y' => '轞',
  '�Z' => '轟',
  '�[' => '轠',
  '�\\' => '轡',
  '�]' => '轢',
  '�^' => '轣',
  '�_' => '轤',
  '�`' => '轥',
  '�a' => '轪',
  '�b' => '辀',
  '�c' => '辌',
  '�d' => '辒',
  '�e' => '辝',
  '�f' => '辠',
  '�g' => '辡',
  '�h' => '辢',
  '�i' => '辤',
  '�j' => '辥',
  '�k' => '辦',
  '�l' => '辧',
  '�m' => '辪',
  '�n' => '辬',
  '�o' => '辭',
  '�p' => '辮',
  '�q' => '辯',
  '�r' => '農',
  '�s' => '辳',
  '�t' => '辴',
  '�u' => '辵',
  '�v' => '辷',
  '�w' => '辸',
  '�x' => '辺',
  '�y' => '辻',
  '�z' => '込',
  '�{' => '辿',
  '�|' => '迀',
  '�}' => '迃',
  '�~' => '迆',
  'ހ' => '迉',
  'ށ' => '迊',
  'ނ' => '迋',
  'ރ' => '迌',
  'ބ' => '迍',
  'ޅ' => '迏',
  'ކ' => '迒',
  'އ' => '迖',
  'ވ' => '迗',
  'މ' => '迚',
  'ފ' => '迠',
  'ދ' => '迡',
  'ތ' => '迣',
  'ލ' => '迧',
  'ގ' => '迬',
  'ޏ' => '迯',
  'ސ' => '迱',
  'ޑ' => '迲',
  'ޒ' => '迴',
  'ޓ' => '迵',
  'ޔ' => '迶',
  'ޕ' => '迺',
  'ޖ' => '迻',
  'ޗ' => '迼',
  'ޘ' => '迾',
  'ޙ' => '迿',
  'ޚ' => '逇',
  'ޛ' => '逈',
  'ޜ' => '逌',
  'ޝ' => '逎',
  'ޞ' => '逓',
  'ޟ' => '逕',
  'ޠ' => '逘',
  'ޡ' => '蕖',
  'ޢ' => '蔻',
  'ޣ' => '蓿',
  'ޤ' => '蓼',
  'ޥ' => '蕙',
  'ަ' => '蕈',
  'ާ' => '蕨',
  'ި' => '蕤',
  'ީ' => '蕞',
  'ު' => '蕺',
  'ޫ' => '瞢',
  'ެ' => '蕃',
  'ޭ' => '蕲',
  'ޮ' => '蕻',
  'ޯ' => '薤',
  'ް' => '薨',
  'ޱ' => '薇',
  '޲' => '薏',
  '޳' => '蕹',
  '޴' => '薮',
  '޵' => '薜',
  '޶' => '薅',
  '޷' => '薹',
  '޸' => '薷',
  '޹' => '薰',
  '޺' => '藓',
  '޻' => '藁',
  '޼' => '藜',
  '޽' => '藿',
  '޾' => '蘧',
  '޿' => '蘅',
  '�' => '蘩',
  '�' => '蘖',
  '��' => '蘼',
  '��' => '廾',
  '��' => '弈',
  '��' => '夼',
  '��' => '奁',
  '��' => '耷',
  '��' => '奕',
  '��' => '奚',
  '��' => '奘',
  '��' => '匏',
  '��' => '尢',
  '��' => '尥',
  '��' => '尬',
  '��' => '尴',
  '��' => '扌',
  '��' => '扪',
  '��' => '抟',
  '��' => '抻',
  '��' => '拊',
  '��' => '拚',
  '��' => '拗',
  '��' => '拮',
  '��' => '挢',
  '��' => '拶',
  '��' => '挹',
  '��' => '捋',
  '��' => '捃',
  '��' => '掭',
  '��' => '揶',
  '��' => '捱',
  '��' => '捺',
  '��' => '掎',
  '��' => '掴',
  '��' => '捭',
  '��' => '掬',
  '��' => '掊',
  '��' => '捩',
  '��' => '掮',
  '��' => '掼',
  '��' => '揲',
  '��' => '揸',
  '��' => '揠',
  '��' => '揿',
  '��' => '揄',
  '��' => '揞',
  '��' => '揎',
  '��' => '摒',
  '��' => '揆',
  '��' => '掾',
  '��' => '摅',
  '��' => '摁',
  '�' => '搋',
  '�' => '搛',
  '�' => '搠',
  '�' => '搌',
  '�' => '搦',
  '�' => '搡',
  '�' => '摞',
  '�' => '撄',
  '�' => '摭',
  '�' => '撖',
  '�@' => '這',
  '�A' => '逜',
  '�B' => '連',
  '�C' => '逤',
  '�D' => '逥',
  '�E' => '逧',
  '�F' => '逨',
  '�G' => '逩',
  '�H' => '逪',
  '�I' => '逫',
  '�J' => '逬',
  '�K' => '逰',
  '�L' => '週',
  '�M' => '進',
  '�N' => '逳',
  '�O' => '逴',
  '�P' => '逷',
  '�Q' => '逹',
  '�R' => '逺',
  '�S' => '逽',
  '�T' => '逿',
  '�U' => '遀',
  '�V' => '遃',
  '�W' => '遅',
  '�X' => '遆',
  '�Y' => '遈',
  '�Z' => '遉',
  '�[' => '遊',
  '�\\' => '運',
  '�]' => '遌',
  '�^' => '過',
  '�_' => '達',
  '�`' => '違',
  '�a' => '遖',
  '�b' => '遙',
  '�c' => '遚',
  '�d' => '遜',
  '�e' => '遝',
  '�f' => '遞',
  '�g' => '遟',
  '�h' => '遠',
  '�i' => '遡',
  '�j' => '遤',
  '�k' => '遦',
  '�l' => '遧',
  '�m' => '適',
  '�n' => '遪',
  '�o' => '遫',
  '�p' => '遬',
  '�q' => '遯',
  '�r' => '遰',
  '�s' => '遱',
  '�t' => '遲',
  '�u' => '遳',
  '�v' => '遶',
  '�w' => '遷',
  '�x' => '選',
  '�y' => '遹',
  '�z' => '遺',
  '�{' => '遻',
  '�|' => '遼',
  '�}' => '遾',
  '�~' => '邁',
  '߀' => '還',
  '߁' => '邅',
  '߂' => '邆',
  '߃' => '邇',
  '߄' => '邉',
  '߅' => '邊',
  '߆' => '邌',
  '߇' => '邍',
  '߈' => '邎',
  '߉' => '邏',
  'ߊ' => '邐',
  'ߋ' => '邒',
  'ߌ' => '邔',
  'ߍ' => '邖',
  'ߎ' => '邘',
  'ߏ' => '邚',
  'ߐ' => '邜',
  'ߑ' => '邞',
  'ߒ' => '邟',
  'ߓ' => '邠',
  'ߔ' => '邤',
  'ߕ' => '邥',
  'ߖ' => '邧',
  'ߗ' => '邨',
  'ߘ' => '邩',
  'ߙ' => '邫',
  'ߚ' => '邭',
  'ߛ' => '邲',
  'ߜ' => '邷',
  'ߝ' => '邼',
  'ߞ' => '邽',
  'ߟ' => '邿',
  'ߠ' => '郀',
  'ߡ' => '摺',
  'ߢ' => '撷',
  'ߣ' => '撸',
  'ߤ' => '撙',
  'ߥ' => '撺',
  'ߦ' => '擀',
  'ߧ' => '擐',
  'ߨ' => '擗',
  'ߩ' => '擤',
  'ߪ' => '擢',
  '߫' => '攉',
  '߬' => '攥',
  '߭' => '攮',
  '߮' => '弋',
  '߯' => '忒',
  '߰' => '甙',
  '߱' => '弑',
  '߲' => '卟',
  '߳' => '叱',
  'ߴ' => '叽',
  'ߵ' => '叩',
  '߶' => '叨',
  '߷' => '叻',
  '߸' => '吒',
  '߹' => '吖',
  'ߺ' => '吆',
  '߻' => '呋',
  '߼' => '呒',
  '߽' => '呓',
  '߾' => '呔',
  '߿' => '呖',
  '�' => '呃',
  '�' => '吡',
  '��' => '呗',
  '��' => '呙',
  '��' => '吣',
  '��' => '吲',
  '��' => '咂',
  '��' => '咔',
  '��' => '呷',
  '��' => '呱',
  '��' => '呤',
  '��' => '咚',
  '��' => '咛',
  '��' => '咄',
  '��' => '呶',
  '��' => '呦',
  '��' => '咝',
  '��' => '哐',
  '��' => '咭',
  '��' => '哂',
  '��' => '咴',
  '��' => '哒',
  '��' => '咧',
  '��' => '咦',
  '��' => '哓',
  '��' => '哔',
  '��' => '呲',
  '��' => '咣',
  '��' => '哕',
  '��' => '咻',
  '��' => '咿',
  '��' => '哌',
  '��' => '哙',
  '��' => '哚',
  '��' => '哜',
  '��' => '咩',
  '��' => '咪',
  '��' => '咤',
  '��' => '哝',
  '��' => '哏',
  '��' => '哞',
  '��' => '唛',
  '��' => '哧',
  '��' => '唠',
  '��' => '哽',
  '��' => '唔',
  '��' => '哳',
  '��' => '唢',
  '��' => '唣',
  '��' => '唏',
  '��' => '唑',
  '��' => '唧',
  '��' => '唪',
  '�' => '啧',
  '�' => '喏',
  '�' => '喵',
  '�' => '啉',
  '�' => '啭',
  '�' => '啁',
  '�' => '啕',
  '�' => '唿',
  '�' => '啐',
  '�' => '唼',
  '�@' => '郂',
  '�A' => '郃',
  '�B' => '郆',
  '�C' => '郈',
  '�D' => '郉',
  '�E' => '郋',
  '�F' => '郌',
  '�G' => '郍',
  '�H' => '郒',
  '�I' => '郔',
  '�J' => '郕',
  '�K' => '郖',
  '�L' => '郘',
  '�M' => '郙',
  '�N' => '郚',
  '�O' => '郞',
  '�P' => '郟',
  '�Q' => '郠',
  '�R' => '郣',
  '�S' => '郤',
  '�T' => '郥',
  '�U' => '郩',
  '�V' => '郪',
  '�W' => '郬',
  '�X' => '郮',
  '�Y' => '郰',
  '�Z' => '郱',
  '�[' => '郲',
  '�\\' => '郳',
  '�]' => '郵',
  '�^' => '郶',
  '�_' => '郷',
  '�`' => '郹',
  '�a' => '郺',
  '�b' => '郻',
  '�c' => '郼',
  '�d' => '郿',
  '�e' => '鄀',
  '�f' => '鄁',
  '�g' => '鄃',
  '�h' => '鄅',
  '�i' => '鄆',
  '�j' => '鄇',
  '�k' => '鄈',
  '�l' => '鄉',
  '�m' => '鄊',
  '�n' => '鄋',
  '�o' => '鄌',
  '�p' => '鄍',
  '�q' => '鄎',
  '�r' => '鄏',
  '�s' => '鄐',
  '�t' => '鄑',
  '�u' => '鄒',
  '�v' => '鄓',
  '�w' => '鄔',
  '�x' => '鄕',
  '�y' => '鄖',
  '�z' => '鄗',
  '�{' => '鄘',
  '�|' => '鄚',
  '�}' => '鄛',
  '�~' => '鄜',
  '�' => '鄝',
  '�' => '鄟',
  '�' => '鄠',
  '�' => '鄡',
  '�' => '鄤',
  '�' => '鄥',
  '�' => '鄦',
  '�' => '鄧',
  '�' => '鄨',
  '�' => '鄩',
  '�' => '鄪',
  '�' => '鄫',
  '�' => '鄬',
  '�' => '鄭',
  '�' => '鄮',
  '�' => '鄰',
  '�' => '鄲',
  '�' => '鄳',
  '�' => '鄴',
  '�' => '鄵',
  '�' => '鄶',
  '�' => '鄷',
  '�' => '鄸',
  '�' => '鄺',
  '�' => '鄻',
  '�' => '鄼',
  '�' => '鄽',
  '�' => '鄾',
  '�' => '鄿',
  '�' => '酀',
  '�' => '酁',
  '�' => '酂',
  '�' => '酄',
  '�' => '唷',
  '�' => '啖',
  '�' => '啵',
  '�' => '啶',
  '�' => '啷',
  '�' => '唳',
  '�' => '唰',
  '�' => '啜',
  '�' => '喋',
  '�' => '嗒',
  '�' => '喃',
  '�' => '喱',
  '�' => '喹',
  '�' => '喈',
  '�' => '喁',
  '�' => '喟',
  '�' => '啾',
  '�' => '嗖',
  '�' => '喑',
  '�' => '啻',
  '�' => '嗟',
  '�' => '喽',
  '�' => '喾',
  '�' => '喔',
  '�' => '喙',
  '�' => '嗪',
  '�' => '嗷',
  '�' => '嗉',
  '�' => '嘟',
  '�' => '嗑',
  '�' => '嗫',
  '�' => '嗬',
  '�' => '嗔',
  '��' => '嗦',
  '��' => '嗝',
  '��' => '嗄',
  '��' => '嗯',
  '��' => '嗥',
  '��' => '嗲',
  '��' => '嗳',
  '��' => '嗌',
  '��' => '嗍',
  '��' => '嗨',
  '��' => '嗵',
  '��' => '嗤',
  '��' => '辔',
  '��' => '嘞',
  '��' => '嘈',
  '��' => '嘌',
  '��' => '嘁',
  '��' => '嘤',
  '��' => '嘣',
  '��' => '嗾',
  '��' => '嘀',
  '��' => '嘧',
  '��' => '嘭',
  '��' => '噘',
  '��' => '嘹',
  '��' => '噗',
  '��' => '嘬',
  '��' => '噍',
  '��' => '噢',
  '��' => '噙',
  '��' => '噜',
  '��' => '噌',
  '��' => '噔',
  '��' => '嚆',
  '��' => '噤',
  '��' => '噱',
  '��' => '噫',
  '��' => '噻',
  '��' => '噼',
  '��' => '嚅',
  '��' => '嚓',
  '��' => '嚯',
  '��' => '囔',
  '��' => '囗',
  '��' => '囝',
  '��' => '囡',
  '��' => '囵',
  '��' => '囫',
  '��' => '囹',
  '��' => '囿',
  '��' => '圄',
  '�' => '圊',
  '�' => '圉',
  '�' => '圜',
  '�' => '帏',
  '�' => '帙',
  '�' => '帔',
  '�' => '帑',
  '�' => '帱',
  '�' => '帻',
  '�' => '帼',
  '�@' => '酅',
  '�A' => '酇',
  '�B' => '酈',
  '�C' => '酑',
  '�D' => '酓',
  '�E' => '酔',
  '�F' => '酕',
  '�G' => '酖',
  '�H' => '酘',
  '�I' => '酙',
  '�J' => '酛',
  '�K' => '酜',
  '�L' => '酟',
  '�M' => '酠',
  '�N' => '酦',
  '�O' => '酧',
  '�P' => '酨',
  '�Q' => '酫',
  '�R' => '酭',
  '�S' => '酳',
  '�T' => '酺',
  '�U' => '酻',
  '�V' => '酼',
  '�W' => '醀',
  '�X' => '醁',
  '�Y' => '醂',
  '�Z' => '醃',
  '�[' => '醄',
  '�\\' => '醆',
  '�]' => '醈',
  '�^' => '醊',
  '�_' => '醎',
  '�`' => '醏',
  '�a' => '醓',
  '�b' => '醔',
  '�c' => '醕',
  '�d' => '醖',
  '�e' => '醗',
  '�f' => '醘',
  '�g' => '醙',
  '�h' => '醜',
  '�i' => '醝',
  '�j' => '醞',
  '�k' => '醟',
  '�l' => '醠',
  '�m' => '醡',
  '�n' => '醤',
  '�o' => '醥',
  '�p' => '醦',
  '�q' => '醧',
  '�r' => '醨',
  '�s' => '醩',
  '�t' => '醫',
  '�u' => '醬',
  '�v' => '醰',
  '�w' => '醱',
  '�x' => '醲',
  '�y' => '醳',
  '�z' => '醶',
  '�{' => '醷',
  '�|' => '醸',
  '�}' => '醹',
  '�~' => '醻',
  '�' => '醼',
  '�' => '醽',
  '�' => '醾',
  '�' => '醿',
  '�' => '釀',
  '�' => '釁',
  '�' => '釂',
  '�' => '釃',
  '�' => '釄',
  '�' => '釅',
  '�' => '釆',
  '�' => '釈',
  '�' => '釋',
  '�' => '釐',
  '�' => '釒',
  '�' => '釓',
  '�' => '釔',
  '�' => '釕',
  '�' => '釖',
  '�' => '釗',
  '�' => '釘',
  '�' => '釙',
  '�' => '釚',
  '�' => '釛',
  '�' => '針',
  '�' => '釞',
  '�' => '釟',
  '�' => '釠',
  '�' => '釡',
  '�' => '釢',
  '�' => '釣',
  '�' => '釤',
  '�' => '釥',
  '�' => '帷',
  '�' => '幄',
  '�' => '幔',
  '�' => '幛',
  '�' => '幞',
  '�' => '幡',
  '�' => '岌',
  '�' => '屺',
  '�' => '岍',
  '�' => '岐',
  '�' => '岖',
  '�' => '岈',
  '�' => '岘',
  '�' => '岙',
  '�' => '岑',
  '�' => '岚',
  '�' => '岜',
  '�' => '岵',
  '�' => '岢',
  '�' => '岽',
  '�' => '岬',
  '�' => '岫',
  '�' => '岱',
  '�' => '岣',
  '�' => '峁',
  '�' => '岷',
  '�' => '峄',
  '�' => '峒',
  '�' => '峤',
  '�' => '峋',
  '�' => '峥',
  '�' => '崂',
  '�' => '崃',
  '��' => '崧',
  '��' => '崦',
  '��' => '崮',
  '��' => '崤',
  '��' => '崞',
  '��' => '崆',
  '��' => '崛',
  '��' => '嵘',
  '��' => '崾',
  '��' => '崴',
  '��' => '崽',
  '��' => '嵬',
  '��' => '嵛',
  '��' => '嵯',
  '��' => '嵝',
  '��' => '嵫',
  '��' => '嵋',
  '��' => '嵊',
  '��' => '嵩',
  '��' => '嵴',
  '��' => '嶂',
  '��' => '嶙',
  '��' => '嶝',
  '��' => '豳',
  '��' => '嶷',
  '��' => '巅',
  '��' => '彳',
  '��' => '彷',
  '��' => '徂',
  '��' => '徇',
  '��' => '徉',
  '��' => '後',
  '��' => '徕',
  '��' => '徙',
  '��' => '徜',
  '��' => '徨',
  '��' => '徭',
  '��' => '徵',
  '��' => '徼',
  '��' => '衢',
  '��' => '彡',
  '��' => '犭',
  '��' => '犰',
  '��' => '犴',
  '��' => '犷',
  '��' => '犸',
  '��' => '狃',
  '��' => '狁',
  '��' => '狎',
  '��' => '狍',
  '��' => '狒',
  '�' => '狨',
  '�' => '狯',
  '�' => '狩',
  '�' => '狲',
  '�' => '狴',
  '�' => '狷',
  '�' => '猁',
  '�' => '狳',
  '�' => '猃',
  '�' => '狺',
  '�@' => '釦',
  '�A' => '釧',
  '�B' => '釨',
  '�C' => '釩',
  '�D' => '釪',
  '�E' => '釫',
  '�F' => '釬',
  '�G' => '釭',
  '�H' => '釮',
  '�I' => '釯',
  '�J' => '釰',
  '�K' => '釱',
  '�L' => '釲',
  '�M' => '釳',
  '�N' => '釴',
  '�O' => '釵',
  '�P' => '釶',
  '�Q' => '釷',
  '�R' => '釸',
  '�S' => '釹',
  '�T' => '釺',
  '�U' => '釻',
  '�V' => '釼',
  '�W' => '釽',
  '�X' => '釾',
  '�Y' => '釿',
  '�Z' => '鈀',
  '�[' => '鈁',
  '�\\' => '鈂',
  '�]' => '鈃',
  '�^' => '鈄',
  '�_' => '鈅',
  '�`' => '鈆',
  '�a' => '鈇',
  '�b' => '鈈',
  '�c' => '鈉',
  '�d' => '鈊',
  '�e' => '鈋',
  '�f' => '鈌',
  '�g' => '鈍',
  '�h' => '鈎',
  '�i' => '鈏',
  '�j' => '鈐',
  '�k' => '鈑',
  '�l' => '鈒',
  '�m' => '鈓',
  '�n' => '鈔',
  '�o' => '鈕',
  '�p' => '鈖',
  '�q' => '鈗',
  '�r' => '鈘',
  '�s' => '鈙',
  '�t' => '鈚',
  '�u' => '鈛',
  '�v' => '鈜',
  '�w' => '鈝',
  '�x' => '鈞',
  '�y' => '鈟',
  '�z' => '鈠',
  '�{' => '鈡',
  '�|' => '鈢',
  '�}' => '鈣',
  '�~' => '鈤',
  '�' => '鈥',
  '�' => '鈦',
  '�' => '鈧',
  '�' => '鈨',
  '�' => '鈩',
  '�' => '鈪',
  '�' => '鈫',
  '�' => '鈬',
  '�' => '鈭',
  '�' => '鈮',
  '�' => '鈯',
  '�' => '鈰',
  '�' => '鈱',
  '�' => '鈲',
  '�' => '鈳',
  '�' => '鈴',
  '�' => '鈵',
  '�' => '鈶',
  '�' => '鈷',
  '�' => '鈸',
  '�' => '鈹',
  '�' => '鈺',
  '�' => '鈻',
  '�' => '鈼',
  '�' => '鈽',
  '�' => '鈾',
  '�' => '鈿',
  '�' => '鉀',
  '�' => '鉁',
  '�' => '鉂',
  '�' => '鉃',
  '�' => '鉄',
  '�' => '鉅',
  '�' => '狻',
  '�' => '猗',
  '�' => '猓',
  '�' => '猡',
  '�' => '猊',
  '�' => '猞',
  '�' => '猝',
  '�' => '猕',
  '�' => '猢',
  '�' => '猹',
  '�' => '猥',
  '�' => '猬',
  '�' => '猸',
  '�' => '猱',
  '�' => '獐',
  '�' => '獍',
  '�' => '獗',
  '�' => '獠',
  '�' => '獬',
  '�' => '獯',
  '�' => '獾',
  '�' => '舛',
  '�' => '夥',
  '�' => '飧',
  '�' => '夤',
  '�' => '夂',
  '�' => '饣',
  '�' => '饧',
  '�' => '饨',
  '�' => '饩',
  '�' => '饪',
  '�' => '饫',
  '�' => '饬',
  '��' => '饴',
  '��' => '饷',
  '��' => '饽',
  '��' => '馀',
  '��' => '馄',
  '��' => '馇',
  '��' => '馊',
  '��' => '馍',
  '��' => '馐',
  '��' => '馑',
  '��' => '馓',
  '��' => '馔',
  '��' => '馕',
  '��' => '庀',
  '��' => '庑',
  '��' => '庋',
  '��' => '庖',
  '��' => '庥',
  '��' => '庠',
  '��' => '庹',
  '��' => '庵',
  '��' => '庾',
  '��' => '庳',
  '��' => '赓',
  '��' => '廒',
  '��' => '廑',
  '��' => '廛',
  '��' => '廨',
  '��' => '廪',
  '��' => '膺',
  '��' => '忄',
  '��' => '忉',
  '��' => '忖',
  '��' => '忏',
  '��' => '怃',
  '��' => '忮',
  '��' => '怄',
  '��' => '忡',
  '��' => '忤',
  '��' => '忾',
  '��' => '怅',
  '��' => '怆',
  '��' => '忪',
  '��' => '忭',
  '��' => '忸',
  '��' => '怙',
  '��' => '怵',
  '��' => '怦',
  '��' => '怛',
  '��' => '怏',
  '��' => '怍',
  '�' => '怩',
  '�' => '怫',
  '�' => '怊',
  '�' => '怿',
  '�' => '怡',
  '�' => '恸',
  '�' => '恹',
  '�' => '恻',
  '�' => '恺',
  '�' => '恂',
  '�@' => '鉆',
  '�A' => '鉇',
  '�B' => '鉈',
  '�C' => '鉉',
  '�D' => '鉊',
  '�E' => '鉋',
  '�F' => '鉌',
  '�G' => '鉍',
  '�H' => '鉎',
  '�I' => '鉏',
  '�J' => '鉐',
  '�K' => '鉑',
  '�L' => '鉒',
  '�M' => '鉓',
  '�N' => '鉔',
  '�O' => '鉕',
  '�P' => '鉖',
  '�Q' => '鉗',
  '�R' => '鉘',
  '�S' => '鉙',
  '�T' => '鉚',
  '�U' => '鉛',
  '�V' => '鉜',
  '�W' => '鉝',
  '�X' => '鉞',
  '�Y' => '鉟',
  '�Z' => '鉠',
  '�[' => '鉡',
  '�\\' => '鉢',
  '�]' => '鉣',
  '�^' => '鉤',
  '�_' => '鉥',
  '�`' => '鉦',
  '�a' => '鉧',
  '�b' => '鉨',
  '�c' => '鉩',
  '�d' => '鉪',
  '�e' => '鉫',
  '�f' => '鉬',
  '�g' => '鉭',
  '�h' => '鉮',
  '�i' => '鉯',
  '�j' => '鉰',
  '�k' => '鉱',
  '�l' => '鉲',
  '�m' => '鉳',
  '�n' => '鉵',
  '�o' => '鉶',
  '�p' => '鉷',
  '�q' => '鉸',
  '�r' => '鉹',
  '�s' => '鉺',
  '�t' => '鉻',
  '�u' => '鉼',
  '�v' => '鉽',
  '�w' => '鉾',
  '�x' => '鉿',
  '�y' => '銀',
  '�z' => '銁',
  '�{' => '銂',
  '�|' => '銃',
  '�}' => '銄',
  '�~' => '銅',
  '�' => '銆',
  '�' => '銇',
  '�' => '銈',
  '�' => '銉',
  '�' => '銊',
  '�' => '銋',
  '�' => '銌',
  '�' => '銍',
  '�' => '銏',
  '�' => '銐',
  '�' => '銑',
  '�' => '銒',
  '�' => '銓',
  '�' => '銔',
  '�' => '銕',
  '�' => '銖',
  '�' => '銗',
  '�' => '銘',
  '�' => '銙',
  '�' => '銚',
  '�' => '銛',
  '�' => '銜',
  '�' => '銝',
  '�' => '銞',
  '�' => '銟',
  '�' => '銠',
  '�' => '銡',
  '�' => '銢',
  '�' => '銣',
  '�' => '銤',
  '�' => '銥',
  '�' => '銦',
  '�' => '銧',
  '�' => '恪',
  '�' => '恽',
  '�' => '悖',
  '�' => '悚',
  '�' => '悭',
  '�' => '悝',
  '�' => '悃',
  '�' => '悒',
  '�' => '悌',
  '�' => '悛',
  '�' => '惬',
  '�' => '悻',
  '�' => '悱',
  '�' => '惝',
  '�' => '惘',
  '�' => '惆',
  '�' => '惚',
  '�' => '悴',
  '�' => '愠',
  '�' => '愦',
  '�' => '愕',
  '�' => '愣',
  '�' => '惴',
  '�' => '愀',
  '�' => '愎',
  '�' => '愫',
  '�' => '慊',
  '�' => '慵',
  '�' => '憬',
  '�' => '憔',
  '�' => '憧',
  '�' => '憷',
  '�' => '懔',
  '��' => '懵',
  '��' => '忝',
  '��' => '隳',
  '��' => '闩',
  '��' => '闫',
  '��' => '闱',
  '��' => '闳',
  '��' => '闵',
  '��' => '闶',
  '��' => '闼',
  '��' => '闾',
  '��' => '阃',
  '��' => '阄',
  '��' => '阆',
  '��' => '阈',
  '��' => '阊',
  '��' => '阋',
  '��' => '阌',
  '��' => '阍',
  '��' => '阏',
  '��' => '阒',
  '��' => '阕',
  '��' => '阖',
  '��' => '阗',
  '��' => '阙',
  '��' => '阚',
  '��' => '丬',
  '��' => '爿',
  '��' => '戕',
  '��' => '氵',
  '��' => '汔',
  '��' => '汜',
  '��' => '汊',
  '��' => '沣',
  '��' => '沅',
  '��' => '沐',
  '��' => '沔',
  '��' => '沌',
  '��' => '汨',
  '��' => '汩',
  '��' => '汴',
  '��' => '汶',
  '��' => '沆',
  '��' => '沩',
  '��' => '泐',
  '��' => '泔',
  '��' => '沭',
  '��' => '泷',
  '��' => '泸',
  '��' => '泱',
  '��' => '泗',
  '�' => '沲',
  '�' => '泠',
  '�' => '泖',
  '�' => '泺',
  '�' => '泫',
  '�' => '泮',
  '�' => '沱',
  '�' => '泓',
  '�' => '泯',
  '�' => '泾',
  '�@' => '銨',
  '�A' => '銩',
  '�B' => '銪',
  '�C' => '銫',
  '�D' => '銬',
  '�E' => '銭',
  '�F' => '銯',
  '�G' => '銰',
  '�H' => '銱',
  '�I' => '銲',
  '�J' => '銳',
  '�K' => '銴',
  '�L' => '銵',
  '�M' => '銶',
  '�N' => '銷',
  '�O' => '銸',
  '�P' => '銹',
  '�Q' => '銺',
  '�R' => '銻',
  '�S' => '銼',
  '�T' => '銽',
  '�U' => '銾',
  '�V' => '銿',
  '�W' => '鋀',
  '�X' => '鋁',
  '�Y' => '鋂',
  '�Z' => '鋃',
  '�[' => '鋄',
  '�\\' => '鋅',
  '�]' => '鋆',
  '�^' => '鋇',
  '�_' => '鋉',
  '�`' => '鋊',
  '�a' => '鋋',
  '�b' => '鋌',
  '�c' => '鋍',
  '�d' => '鋎',
  '�e' => '鋏',
  '�f' => '鋐',
  '�g' => '鋑',
  '�h' => '鋒',
  '�i' => '鋓',
  '�j' => '鋔',
  '�k' => '鋕',
  '�l' => '鋖',
  '�m' => '鋗',
  '�n' => '鋘',
  '�o' => '鋙',
  '�p' => '鋚',
  '�q' => '鋛',
  '�r' => '鋜',
  '�s' => '鋝',
  '�t' => '鋞',
  '�u' => '鋟',
  '�v' => '鋠',
  '�w' => '鋡',
  '�x' => '鋢',
  '�y' => '鋣',
  '�z' => '鋤',
  '�{' => '鋥',
  '�|' => '鋦',
  '�}' => '鋧',
  '�~' => '鋨',
  '�' => '鋩',
  '�' => '鋪',
  '�' => '鋫',
  '�' => '鋬',
  '�' => '鋭',
  '�' => '鋮',
  '�' => '鋯',
  '�' => '鋰',
  '�' => '鋱',
  '�' => '鋲',
  '�' => '鋳',
  '�' => '鋴',
  '�' => '鋵',
  '�' => '鋶',
  '�' => '鋷',
  '�' => '鋸',
  '�' => '鋹',
  '�' => '鋺',
  '�' => '鋻',
  '�' => '鋼',
  '�' => '鋽',
  '�' => '鋾',
  '�' => '鋿',
  '�' => '錀',
  '�' => '錁',
  '�' => '錂',
  '�' => '錃',
  '�' => '錄',
  '�' => '錅',
  '�' => '錆',
  '�' => '錇',
  '�' => '錈',
  '�' => '錉',
  '�' => '洹',
  '�' => '洧',
  '�' => '洌',
  '�' => '浃',
  '�' => '浈',
  '�' => '洇',
  '�' => '洄',
  '�' => '洙',
  '�' => '洎',
  '�' => '洫',
  '�' => '浍',
  '�' => '洮',
  '�' => '洵',
  '�' => '洚',
  '�' => '浏',
  '�' => '浒',
  '�' => '浔',
  '�' => '洳',
  '�' => '涑',
  '�' => '浯',
  '�' => '涞',
  '�' => '涠',
  '�' => '浞',
  '�' => '涓',
  '�' => '涔',
  '�' => '浜',
  '�' => '浠',
  '�' => '浼',
  '�' => '浣',
  '�' => '渚',
  '�' => '淇',
  '�' => '淅',
  '�' => '淞',
  '��' => '渎',
  '��' => '涿',
  '��' => '淠',
  '��' => '渑',
  '��' => '淦',
  '��' => '淝',
  '��' => '淙',
  '��' => '渖',
  '��' => '涫',
  '��' => '渌',
  '��' => '涮',
  '��' => '渫',
  '��' => '湮',
  '��' => '湎',
  '��' => '湫',
  '��' => '溲',
  '��' => '湟',
  '��' => '溆',
  '��' => '湓',
  '��' => '湔',
  '��' => '渲',
  '��' => '渥',
  '��' => '湄',
  '��' => '滟',
  '��' => '溱',
  '��' => '溘',
  '��' => '滠',
  '��' => '漭',
  '��' => '滢',
  '��' => '溥',
  '��' => '溧',
  '��' => '溽',
  '��' => '溻',
  '��' => '溷',
  '��' => '滗',
  '��' => '溴',
  '��' => '滏',
  '��' => '溏',
  '��' => '滂',
  '��' => '溟',
  '��' => '潢',
  '��' => '潆',
  '��' => '潇',
  '��' => '漤',
  '��' => '漕',
  '��' => '滹',
  '��' => '漯',
  '��' => '漶',
  '��' => '潋',
  '��' => '潴',
  '��' => '漪',
  '�' => '漉',
  '�' => '漩',
  '�' => '澉',
  '�' => '澍',
  '�' => '澌',
  '�' => '潸',
  '�' => '潲',
  '�' => '潼',
  '�' => '潺',
  '�' => '濑',
  '�@' => '錊',
  '�A' => '錋',
  '�B' => '錌',
  '�C' => '錍',
  '�D' => '錎',
  '�E' => '錏',
  '�F' => '錐',
  '�G' => '錑',
  '�H' => '錒',
  '�I' => '錓',
  '�J' => '錔',
  '�K' => '錕',
  '�L' => '錖',
  '�M' => '錗',
  '�N' => '錘',
  '�O' => '錙',
  '�P' => '錚',
  '�Q' => '錛',
  '�R' => '錜',
  '�S' => '錝',
  '�T' => '錞',
  '�U' => '錟',
  '�V' => '錠',
  '�W' => '錡',
  '�X' => '錢',
  '�Y' => '錣',
  '�Z' => '錤',
  '�[' => '錥',
  '�\\' => '錦',
  '�]' => '錧',
  '�^' => '錨',
  '�_' => '錩',
  '�`' => '錪',
  '�a' => '錫',
  '�b' => '錬',
  '�c' => '錭',
  '�d' => '錮',
  '�e' => '錯',
  '�f' => '錰',
  '�g' => '錱',
  '�h' => '録',
  '�i' => '錳',
  '�j' => '錴',
  '�k' => '錵',
  '�l' => '錶',
  '�m' => '錷',
  '�n' => '錸',
  '�o' => '錹',
  '�p' => '錺',
  '�q' => '錻',
  '�r' => '錼',
  '�s' => '錽',
  '�t' => '錿',
  '�u' => '鍀',
  '�v' => '鍁',
  '�w' => '鍂',
  '�x' => '鍃',
  '�y' => '鍄',
  '�z' => '鍅',
  '�{' => '鍆',
  '�|' => '鍇',
  '�}' => '鍈',
  '�~' => '鍉',
  '�' => '鍊',
  '�' => '鍋',
  '�' => '鍌',
  '�' => '鍍',
  '�' => '鍎',
  '�' => '鍏',
  '�' => '鍐',
  '�' => '鍑',
  '�' => '鍒',
  '�' => '鍓',
  '�' => '鍔',
  '�' => '鍕',
  '�' => '鍖',
  '�' => '鍗',
  '�' => '鍘',
  '�' => '鍙',
  '�' => '鍚',
  '�' => '鍛',
  '�' => '鍜',
  '�' => '鍝',
  '�' => '鍞',
  '�' => '鍟',
  '�' => '鍠',
  '�' => '鍡',
  '�' => '鍢',
  '�' => '鍣',
  '�' => '鍤',
  '�' => '鍥',
  '�' => '鍦',
  '�' => '鍧',
  '�' => '鍨',
  '�' => '鍩',
  '�' => '鍫',
  '�' => '濉',
  '�' => '澧',
  '�' => '澹',
  '�' => '澶',
  '�' => '濂',
  '�' => '濡',
  '�' => '濮',
  '�' => '濞',
  '�' => '濠',
  '�' => '濯',
  '�' => '瀚',
  '�' => '瀣',
  '�' => '瀛',
  '�' => '瀹',
  '�' => '瀵',
  '�' => '灏',
  '�' => '灞',
  '�' => '宀',
  '�' => '宄',
  '�' => '宕',
  '�' => '宓',
  '�' => '宥',
  '�' => '宸',
  '�' => '甯',
  '�' => '骞',
  '�' => '搴',
  '�' => '寤',
  '�' => '寮',
  '�' => '褰',
  '�' => '寰',
  '�' => '蹇',
  '�' => '謇',
  '�' => '辶',
  '��' => '迓',
  '��' => '迕',
  '��' => '迥',
  '��' => '迮',
  '��' => '迤',
  '��' => '迩',
  '��' => '迦',
  '��' => '迳',
  '��' => '迨',
  '��' => '逅',
  '��' => '逄',
  '��' => '逋',
  '��' => '逦',
  '��' => '逑',
  '��' => '逍',
  '��' => '逖',
  '��' => '逡',
  '��' => '逵',
  '��' => '逶',
  '��' => '逭',
  '��' => '逯',
  '��' => '遄',
  '��' => '遑',
  '��' => '遒',
  '��' => '遐',
  '��' => '遨',
  '��' => '遘',
  '��' => '遢',
  '��' => '遛',
  '��' => '暹',
  '��' => '遴',
  '��' => '遽',
  '��' => '邂',
  '��' => '邈',
  '��' => '邃',
  '��' => '邋',
  '��' => '彐',
  '��' => '彗',
  '��' => '彖',
  '��' => '彘',
  '��' => '尻',
  '��' => '咫',
  '��' => '屐',
  '��' => '屙',
  '��' => '孱',
  '��' => '屣',
  '��' => '屦',
  '��' => '羼',
  '��' => '弪',
  '��' => '弩',
  '��' => '弭',
  '�' => '艴',
  '�' => '弼',
  '�' => '鬻',
  '�' => '屮',
  '�' => '妁',
  '�' => '妃',
  '�' => '妍',
  '�' => '妩',
  '�' => '妪',
  '�' => '妣',
  '�@' => '鍬',
  '�A' => '鍭',
  '�B' => '鍮',
  '�C' => '鍯',
  '�D' => '鍰',
  '�E' => '鍱',
  '�F' => '鍲',
  '�G' => '鍳',
  '�H' => '鍴',
  '�I' => '鍵',
  '�J' => '鍶',
  '�K' => '鍷',
  '�L' => '鍸',
  '�M' => '鍹',
  '�N' => '鍺',
  '�O' => '鍻',
  '�P' => '鍼',
  '�Q' => '鍽',
  '�R' => '鍾',
  '�S' => '鍿',
  '�T' => '鎀',
  '�U' => '鎁',
  '�V' => '鎂',
  '�W' => '鎃',
  '�X' => '鎄',
  '�Y' => '鎅',
  '�Z' => '鎆',
  '�[' => '鎇',
  '�\\' => '鎈',
  '�]' => '鎉',
  '�^' => '鎊',
  '�_' => '鎋',
  '�`' => '鎌',
  '�a' => '鎍',
  '�b' => '鎎',
  '�c' => '鎐',
  '�d' => '鎑',
  '�e' => '鎒',
  '�f' => '鎓',
  '�g' => '鎔',
  '�h' => '鎕',
  '�i' => '鎖',
  '�j' => '鎗',
  '�k' => '鎘',
  '�l' => '鎙',
  '�m' => '鎚',
  '�n' => '鎛',
  '�o' => '鎜',
  '�p' => '鎝',
  '�q' => '鎞',
  '�r' => '鎟',
  '�s' => '鎠',
  '�t' => '鎡',
  '�u' => '鎢',
  '�v' => '鎣',
  '�w' => '鎤',
  '�x' => '鎥',
  '�y' => '鎦',
  '�z' => '鎧',
  '�{' => '鎨',
  '�|' => '鎩',
  '�}' => '鎪',
  '�~' => '鎫',
  '�' => '鎬',
  '�' => '鎭',
  '�' => '鎮',
  '�' => '鎯',
  '�' => '鎰',
  '�' => '鎱',
  '�' => '鎲',
  '�' => '鎳',
  '�' => '鎴',
  '�' => '鎵',
  '�' => '鎶',
  '�' => '鎷',
  '�' => '鎸',
  '�' => '鎹',
  '�' => '鎺',
  '�' => '鎻',
  '�' => '鎼',
  '�' => '鎽',
  '�' => '鎾',
  '�' => '鎿',
  '�' => '鏀',
  '�' => '鏁',
  '�' => '鏂',
  '�' => '鏃',
  '�' => '鏄',
  '�' => '鏅',
  '�' => '鏆',
  '�' => '鏇',
  '�' => '鏈',
  '�' => '鏉',
  '�' => '鏋',
  '�' => '鏌',
  '�' => '鏍',
  '�' => '妗',
  '�' => '姊',
  '�' => '妫',
  '�' => '妞',
  '�' => '妤',
  '�' => '姒',
  '�' => '妲',
  '�' => '妯',
  '�' => '姗',
  '�' => '妾',
  '�' => '娅',
  '�' => '娆',
  '�' => '姝',
  '�' => '娈',
  '�' => '姣',
  '�' => '姘',
  '�' => '姹',
  '�' => '娌',
  '�' => '娉',
  '�' => '娲',
  '�' => '娴',
  '�' => '娑',
  '�' => '娣',
  '�' => '娓',
  '�' => '婀',
  '�' => '婧',
  '�' => '婊',
  '�' => '婕',
  '�' => '娼',
  '�' => '婢',
  '�' => '婵',
  '�' => '胬',
  '�' => '媪',
  '��' => '媛',
  '��' => '婷',
  '��' => '婺',
  '��' => '媾',
  '��' => '嫫',
  '��' => '媲',
  '��' => '嫒',
  '��' => '嫔',
  '��' => '媸',
  '��' => '嫠',
  '��' => '嫣',
  '��' => '嫱',
  '��' => '嫖',
  '��' => '嫦',
  '��' => '嫘',
  '��' => '嫜',
  '��' => '嬉',
  '��' => '嬗',
  '��' => '嬖',
  '��' => '嬲',
  '��' => '嬷',
  '��' => '孀',
  '��' => '尕',
  '��' => '尜',
  '��' => '孚',
  '��' => '孥',
  '��' => '孳',
  '��' => '孑',
  '��' => '孓',
  '��' => '孢',
  '��' => '驵',
  '��' => '驷',
  '��' => '驸',
  '��' => '驺',
  '��' => '驿',
  '��' => '驽',
  '��' => '骀',
  '��' => '骁',
  '��' => '骅',
  '��' => '骈',
  '��' => '骊',
  '��' => '骐',
  '��' => '骒',
  '��' => '骓',
  '��' => '骖',
  '��' => '骘',
  '��' => '骛',
  '��' => '骜',
  '��' => '骝',
  '��' => '骟',
  '��' => '骠',
  '�' => '骢',
  '�' => '骣',
  '�' => '骥',
  '�' => '骧',
  '�' => '纟',
  '�' => '纡',
  '�' => '纣',
  '�' => '纥',
  '�' => '纨',
  '�' => '纩',
  '�@' => '鏎',
  '�A' => '鏏',
  '�B' => '鏐',
  '�C' => '鏑',
  '�D' => '鏒',
  '�E' => '鏓',
  '�F' => '鏔',
  '�G' => '鏕',
  '�H' => '鏗',
  '�I' => '鏘',
  '�J' => '鏙',
  '�K' => '鏚',
  '�L' => '鏛',
  '�M' => '鏜',
  '�N' => '鏝',
  '�O' => '鏞',
  '�P' => '鏟',
  '�Q' => '鏠',
  '�R' => '鏡',
  '�S' => '鏢',
  '�T' => '鏣',
  '�U' => '鏤',
  '�V' => '鏥',
  '�W' => '鏦',
  '�X' => '鏧',
  '�Y' => '鏨',
  '�Z' => '鏩',
  '�[' => '鏪',
  '�\\' => '鏫',
  '�]' => '鏬',
  '�^' => '鏭',
  '�_' => '鏮',
  '�`' => '鏯',
  '�a' => '鏰',
  '�b' => '鏱',
  '�c' => '鏲',
  '�d' => '鏳',
  '�e' => '鏴',
  '�f' => '鏵',
  '�g' => '鏶',
  '�h' => '鏷',
  '�i' => '鏸',
  '�j' => '鏹',
  '�k' => '鏺',
  '�l' => '鏻',
  '�m' => '鏼',
  '�n' => '鏽',
  '�o' => '鏾',
  '�p' => '鏿',
  '�q' => '鐀',
  '�r' => '鐁',
  '�s' => '鐂',
  '�t' => '鐃',
  '�u' => '鐄',
  '�v' => '鐅',
  '�w' => '鐆',
  '�x' => '鐇',
  '�y' => '鐈',
  '�z' => '鐉',
  '�{' => '鐊',
  '�|' => '鐋',
  '�}' => '鐌',
  '�~' => '鐍',
  '�' => '鐎',
  '�' => '鐏',
  '�' => '鐐',
  '�' => '鐑',
  '�' => '鐒',
  '�' => '鐓',
  '�' => '鐔',
  '�' => '鐕',
  '�' => '鐖',
  '�' => '鐗',
  '�' => '鐘',
  '�' => '鐙',
  '�' => '鐚',
  '�' => '鐛',
  '�' => '鐜',
  '�' => '鐝',
  '�' => '鐞',
  '�' => '鐟',
  '�' => '鐠',
  '�' => '鐡',
  '�' => '鐢',
  '�' => '鐣',
  '�' => '鐤',
  '�' => '鐥',
  '�' => '鐦',
  '�' => '鐧',
  '�' => '鐨',
  '�' => '鐩',
  '�' => '鐪',
  '�' => '鐫',
  '�' => '鐬',
  '�' => '鐭',
  '�' => '鐮',
  '�' => '纭',
  '�' => '纰',
  '�' => '纾',
  '�' => '绀',
  '�' => '绁',
  '�' => '绂',
  '�' => '绉',
  '�' => '绋',
  '�' => '绌',
  '�' => '绐',
  '�' => '绔',
  '�' => '绗',
  '�' => '绛',
  '�' => '绠',
  '�' => '绡',
  '�' => '绨',
  '�' => '绫',
  '�' => '绮',
  '�' => '绯',
  '�' => '绱',
  '�' => '绲',
  '�' => '缍',
  '�' => '绶',
  '�' => '绺',
  '�' => '绻',
  '�' => '绾',
  '�' => '缁',
  '�' => '缂',
  '�' => '缃',
  '�' => '缇',
  '�' => '缈',
  '�' => '缋',
  '�' => '缌',
  '��' => '缏',
  '��' => '缑',
  '��' => '缒',
  '��' => '缗',
  '��' => '缙',
  '��' => '缜',
  '��' => '缛',
  '��' => '缟',
  '��' => '缡',
  '��' => '缢',
  '��' => '缣',
  '��' => '缤',
  '��' => '缥',
  '��' => '缦',
  '��' => '缧',
  '��' => '缪',
  '��' => '缫',
  '��' => '缬',
  '��' => '缭',
  '��' => '缯',
  '��' => '缰',
  '��' => '缱',
  '��' => '缲',
  '��' => '缳',
  '��' => '缵',
  '��' => '幺',
  '��' => '畿',
  '��' => '巛',
  '��' => '甾',
  '��' => '邕',
  '��' => '玎',
  '��' => '玑',
  '��' => '玮',
  '��' => '玢',
  '��' => '玟',
  '��' => '珏',
  '��' => '珂',
  '��' => '珑',
  '��' => '玷',
  '��' => '玳',
  '��' => '珀',
  '��' => '珉',
  '��' => '珈',
  '��' => '珥',
  '��' => '珙',
  '��' => '顼',
  '��' => '琊',
  '��' => '珩',
  '��' => '珧',
  '��' => '珞',
  '��' => '玺',
  '�' => '珲',
  '�' => '琏',
  '�' => '琪',
  '�' => '瑛',
  '�' => '琦',
  '�' => '琥',
  '�' => '琨',
  '�' => '琰',
  '�' => '琮',
  '�' => '琬',
  '�@' => '鐯',
  '�A' => '鐰',
  '�B' => '鐱',
  '�C' => '鐲',
  '�D' => '鐳',
  '�E' => '鐴',
  '�F' => '鐵',
  '�G' => '鐶',
  '�H' => '鐷',
  '�I' => '鐸',
  '�J' => '鐹',
  '�K' => '鐺',
  '�L' => '鐻',
  '�M' => '鐼',
  '�N' => '鐽',
  '�O' => '鐿',
  '�P' => '鑀',
  '�Q' => '鑁',
  '�R' => '鑂',
  '�S' => '鑃',
  '�T' => '鑄',
  '�U' => '鑅',
  '�V' => '鑆',
  '�W' => '鑇',
  '�X' => '鑈',
  '�Y' => '鑉',
  '�Z' => '鑊',
  '�[' => '鑋',
  '�\\' => '鑌',
  '�]' => '鑍',
  '�^' => '鑎',
  '�_' => '鑏',
  '�`' => '鑐',
  '�a' => '鑑',
  '�b' => '鑒',
  '�c' => '鑓',
  '�d' => '鑔',
  '�e' => '鑕',
  '�f' => '鑖',
  '�g' => '鑗',
  '�h' => '鑘',
  '�i' => '鑙',
  '�j' => '鑚',
  '�k' => '鑛',
  '�l' => '鑜',
  '�m' => '鑝',
  '�n' => '鑞',
  '�o' => '鑟',
  '�p' => '鑠',
  '�q' => '鑡',
  '�r' => '鑢',
  '�s' => '鑣',
  '�t' => '鑤',
  '�u' => '鑥',
  '�v' => '鑦',
  '�w' => '鑧',
  '�x' => '鑨',
  '�y' => '鑩',
  '�z' => '鑪',
  '�{' => '鑬',
  '�|' => '鑭',
  '�}' => '鑮',
  '�~' => '鑯',
  '�' => '鑰',
  '�' => '鑱',
  '�' => '鑲',
  '�' => '鑳',
  '�' => '鑴',
  '�' => '鑵',
  '�' => '鑶',
  '�' => '鑷',
  '�' => '鑸',
  '�' => '鑹',
  '�' => '鑺',
  '�' => '鑻',
  '�' => '鑼',
  '�' => '鑽',
  '�' => '鑾',
  '�' => '鑿',
  '�' => '钀',
  '�' => '钁',
  '�' => '钂',
  '�' => '钃',
  '�' => '钄',
  '�' => '钑',
  '�' => '钖',
  '�' => '钘',
  '�' => '铇',
  '�' => '铏',
  '�' => '铓',
  '�' => '铔',
  '�' => '铚',
  '�' => '铦',
  '�' => '铻',
  '�' => '锜',
  '�' => '锠',
  '�' => '琛',
  '�' => '琚',
  '�' => '瑁',
  '�' => '瑜',
  '�' => '瑗',
  '�' => '瑕',
  '�' => '瑙',
  '�' => '瑷',
  '�' => '瑭',
  '�' => '瑾',
  '�' => '璜',
  '�' => '璎',
  '�' => '璀',
  '�' => '璁',
  '�' => '璇',
  '�' => '璋',
  '�' => '璞',
  '�' => '璨',
  '�' => '璩',
  '�' => '璐',
  '�' => '璧',
  '�' => '瓒',
  '�' => '璺',
  '�' => '韪',
  '�' => '韫',
  '�' => '韬',
  '�' => '杌',
  '�' => '杓',
  '�' => '杞',
  '�' => '杈',
  '�' => '杩',
  '�' => '枥',
  '�' => '枇',
  '��' => '杪',
  '��' => '杳',
  '��' => '枘',
  '��' => '枧',
  '��' => '杵',
  '��' => '枨',
  '��' => '枞',
  '��' => '枭',
  '��' => '枋',
  '��' => '杷',
  '��' => '杼',
  '��' => '柰',
  '��' => '栉',
  '��' => '柘',
  '��' => '栊',
  '��' => '柩',
  '��' => '枰',
  '��' => '栌',
  '��' => '柙',
  '��' => '枵',
  '��' => '柚',
  '��' => '枳',
  '��' => '柝',
  '��' => '栀',
  '��' => '柃',
  '��' => '枸',
  '��' => '柢',
  '��' => '栎',
  '��' => '柁',
  '��' => '柽',
  '��' => '栲',
  '��' => '栳',
  '��' => '桠',
  '��' => '桡',
  '��' => '桎',
  '��' => '桢',
  '��' => '桄',
  '��' => '桤',
  '��' => '梃',
  '��' => '栝',
  '��' => '桕',
  '��' => '桦',
  '��' => '桁',
  '��' => '桧',
  '��' => '桀',
  '��' => '栾',
  '��' => '桊',
  '��' => '桉',
  '��' => '栩',
  '��' => '梵',
  '��' => '梏',
  '�' => '桴',
  '�' => '桷',
  '�' => '梓',
  '�' => '桫',
  '�' => '棂',
  '�' => '楮',
  '�' => '棼',
  '�' => '椟',
  '�' => '椠',
  '�' => '棹',
  '�@' => '锧',
  '�A' => '锳',
  '�B' => '锽',
  '�C' => '镃',
  '�D' => '镈',
  '�E' => '镋',
  '�F' => '镕',
  '�G' => '镚',
  '�H' => '镠',
  '�I' => '镮',
  '�J' => '镴',
  '�K' => '镵',
  '�L' => '長',
  '�M' => '镸',
  '�N' => '镹',
  '�O' => '镺',
  '�P' => '镻',
  '�Q' => '镼',
  '�R' => '镽',
  '�S' => '镾',
  '�T' => '門',
  '�U' => '閁',
  '�V' => '閂',
  '�W' => '閃',
  '�X' => '閄',
  '�Y' => '閅',
  '�Z' => '閆',
  '�[' => '閇',
  '�\\' => '閈',
  '�]' => '閉',
  '�^' => '閊',
  '�_' => '開',
  '�`' => '閌',
  '�a' => '閍',
  '�b' => '閎',
  '�c' => '閏',
  '�d' => '閐',
  '�e' => '閑',
  '�f' => '閒',
  '�g' => '間',
  '�h' => '閔',
  '�i' => '閕',
  '�j' => '閖',
  '�k' => '閗',
  '�l' => '閘',
  '�m' => '閙',
  '�n' => '閚',
  '�o' => '閛',
  '�p' => '閜',
  '�q' => '閝',
  '�r' => '閞',
  '�s' => '閟',
  '�t' => '閠',
  '�u' => '閡',
  '�v' => '関',
  '�w' => '閣',
  '�x' => '閤',
  '�y' => '閥',
  '�z' => '閦',
  '�{' => '閧',
  '�|' => '閨',
  '�}' => '閩',
  '�~' => '閪',
  '�' => '閫',
  '�' => '閬',
  '�' => '閭',
  '�' => '閮',
  '�' => '閯',
  '�' => '閰',
  '�' => '閱',
  '�' => '閲',
  '�' => '閳',
  '�' => '閴',
  '�' => '閵',
  '�' => '閶',
  '�' => '閷',
  '�' => '閸',
  '�' => '閹',
  '�' => '閺',
  '�' => '閻',
  '�' => '閼',
  '�' => '閽',
  '�' => '閾',
  '�' => '閿',
  '�' => '闀',
  '�' => '闁',
  '�' => '闂',
  '�' => '闃',
  '�' => '闄',
  '�' => '闅',
  '�' => '闆',
  '�' => '闇',
  '�' => '闈',
  '�' => '闉',
  '�' => '闊',
  '�' => '闋',
  '�' => '椤',
  '�' => '棰',
  '�' => '椋',
  '�' => '椁',
  '�' => '楗',
  '�' => '棣',
  '�' => '椐',
  '�' => '楱',
  '�' => '椹',
  '�' => '楠',
  '�' => '楂',
  '�' => '楝',
  '�' => '榄',
  '�' => '楫',
  '�' => '榀',
  '�' => '榘',
  '�' => '楸',
  '�' => '椴',
  '�' => '槌',
  '�' => '榇',
  '�' => '榈',
  '�' => '槎',
  '�' => '榉',
  '�' => '楦',
  '�' => '楣',
  '�' => '楹',
  '�' => '榛',
  '�' => '榧',
  '�' => '榻',
  '�' => '榫',
  '�' => '榭',
  '�' => '槔',
  '�' => '榱',
  '��' => '槁',
  '��' => '槊',
  '��' => '槟',
  '��' => '榕',
  '��' => '槠',
  '��' => '榍',
  '��' => '槿',
  '��' => '樯',
  '��' => '槭',
  '��' => '樗',
  '��' => '樘',
  '��' => '橥',
  '��' => '槲',
  '��' => '橄',
  '��' => '樾',
  '��' => '檠',
  '��' => '橐',
  '��' => '橛',
  '��' => '樵',
  '��' => '檎',
  '��' => '橹',
  '��' => '樽',
  '��' => '樨',
  '��' => '橘',
  '��' => '橼',
  '��' => '檑',
  '��' => '檐',
  '��' => '檩',
  '��' => '檗',
  '��' => '檫',
  '��' => '猷',
  '��' => '獒',
  '��' => '殁',
  '��' => '殂',
  '��' => '殇',
  '��' => '殄',
  '��' => '殒',
  '��' => '殓',
  '��' => '殍',
  '��' => '殚',
  '��' => '殛',
  '��' => '殡',
  '��' => '殪',
  '��' => '轫',
  '��' => '轭',
  '��' => '轱',
  '��' => '轲',
  '��' => '轳',
  '��' => '轵',
  '��' => '轶',
  '��' => '轸',
  '�' => '轷',
  '�' => '轹',
  '�' => '轺',
  '�' => '轼',
  '�' => '轾',
  '�' => '辁',
  '�' => '辂',
  '�' => '辄',
  '�' => '辇',
  '�' => '辋',
  '�@' => '闌',
  '�A' => '闍',
  '�B' => '闎',
  '�C' => '闏',
  '�D' => '闐',
  '�E' => '闑',
  '�F' => '闒',
  '�G' => '闓',
  '�H' => '闔',
  '�I' => '闕',
  '�J' => '闖',
  '�K' => '闗',
  '�L' => '闘',
  '�M' => '闙',
  '�N' => '闚',
  '�O' => '闛',
  '�P' => '關',
  '�Q' => '闝',
  '�R' => '闞',
  '�S' => '闟',
  '�T' => '闠',
  '�U' => '闡',
  '�V' => '闢',
  '�W' => '闣',
  '�X' => '闤',
  '�Y' => '闥',
  '�Z' => '闦',
  '�[' => '闧',
  '�\\' => '闬',
  '�]' => '闿',
  '�^' => '阇',
  '�_' => '阓',
  '�`' => '阘',
  '�a' => '阛',
  '�b' => '阞',
  '�c' => '阠',
  '�d' => '阣',
  '�e' => '阤',
  '�f' => '阥',
  '�g' => '阦',
  '�h' => '阧',
  '�i' => '阨',
  '�j' => '阩',
  '�k' => '阫',
  '�l' => '阬',
  '�m' => '阭',
  '�n' => '阯',
  '�o' => '阰',
  '�p' => '阷',
  '�q' => '阸',
  '�r' => '阹',
  '�s' => '阺',
  '�t' => '阾',
  '�u' => '陁',
  '�v' => '陃',
  '�w' => '陊',
  '�x' => '陎',
  '�y' => '陏',
  '�z' => '陑',
  '�{' => '陒',
  '�|' => '陓',
  '�}' => '陖',
  '�~' => '陗',
  '�' => '陘',
  '�' => '陙',
  '�' => '陚',
  '�' => '陜',
  '�' => '陝',
  '�' => '陞',
  '�' => '陠',
  '�' => '陣',
  '�' => '陥',
  '�' => '陦',
  '�' => '陫',
  '�' => '陭',
  '�' => '陮',
  '�' => '陯',
  '�' => '陰',
  '�' => '陱',
  '�' => '陳',
  '�' => '陸',
  '�' => '陹',
  '�' => '険',
  '�' => '陻',
  '�' => '陼',
  '�' => '陽',
  '�' => '陾',
  '�' => '陿',
  '�' => '隀',
  '�' => '隁',
  '�' => '隂',
  '�' => '隃',
  '�' => '隄',
  '�' => '隇',
  '�' => '隉',
  '�' => '隊',
  '�' => '辍',
  '�' => '辎',
  '�' => '辏',
  '�' => '辘',
  '�' => '辚',
  '�' => '軎',
  '�' => '戋',
  '�' => '戗',
  '�' => '戛',
  '�' => '戟',
  '�' => '戢',
  '�' => '戡',
  '�' => '戥',
  '�' => '戤',
  '�' => '戬',
  '�' => '臧',
  '�' => '瓯',
  '�' => '瓴',
  '�' => '瓿',
  '�' => '甏',
  '�' => '甑',
  '�' => '甓',
  '�' => '攴',
  '�' => '旮',
  '�' => '旯',
  '�' => '旰',
  '�' => '昊',
  '�' => '昙',
  '�' => '杲',
  '�' => '昃',
  '�' => '昕',
  '�' => '昀',
  '�' => '炅',
  '��' => '曷',
  '��' => '昝',
  '��' => '昴',
  '��' => '昱',
  '��' => '昶',
  '��' => '昵',
  '��' => '耆',
  '��' => '晟',
  '��' => '晔',
  '��' => '晁',
  '��' => '晏',
  '��' => '晖',
  '��' => '晡',
  '��' => '晗',
  '��' => '晷',
  '��' => '暄',
  '��' => '暌',
  '��' => '暧',
  '��' => '暝',
  '��' => '暾',
  '��' => '曛',
  '��' => '曜',
  '��' => '曦',
  '��' => '曩',
  '��' => '贲',
  '��' => '贳',
  '��' => '贶',
  '��' => '贻',
  '��' => '贽',
  '��' => '赀',
  '��' => '赅',
  '��' => '赆',
  '��' => '赈',
  '��' => '赉',
  '��' => '赇',
  '��' => '赍',
  '��' => '赕',
  '��' => '赙',
  '��' => '觇',
  '��' => '觊',
  '��' => '觋',
  '��' => '觌',
  '��' => '觎',
  '��' => '觏',
  '��' => '觐',
  '��' => '觑',
  '��' => '牮',
  '��' => '犟',
  '��' => '牝',
  '��' => '牦',
  '��' => '牯',
  '�' => '牾',
  '�' => '牿',
  '�' => '犄',
  '�' => '犋',
  '�' => '犍',
  '�' => '犏',
  '�' => '犒',
  '�' => '挈',
  '�' => '挲',
  '�' => '掰',
  '�@' => '隌',
  '�A' => '階',
  '�B' => '隑',
  '�C' => '隒',
  '�D' => '隓',
  '�E' => '隕',
  '�F' => '隖',
  '�G' => '隚',
  '�H' => '際',
  '�I' => '隝',
  '�J' => '隞',
  '�K' => '隟',
  '�L' => '隠',
  '�M' => '隡',
  '�N' => '隢',
  '�O' => '隣',
  '�P' => '隤',
  '�Q' => '隥',
  '�R' => '隦',
  '�S' => '隨',
  '�T' => '隩',
  '�U' => '險',
  '�V' => '隫',
  '�W' => '隬',
  '�X' => '隭',
  '�Y' => '隮',
  '�Z' => '隯',
  '�[' => '隱',
  '�\\' => '隲',
  '�]' => '隴',
  '�^' => '隵',
  '�_' => '隷',
  '�`' => '隸',
  '�a' => '隺',
  '�b' => '隻',
  '�c' => '隿',
  '�d' => '雂',
  '�e' => '雃',
  '�f' => '雈',
  '�g' => '雊',
  '�h' => '雋',
  '�i' => '雐',
  '�j' => '雑',
  '�k' => '雓',
  '�l' => '雔',
  '�m' => '雖',
  '�n' => '雗',
  '�o' => '雘',
  '�p' => '雙',
  '�q' => '雚',
  '�r' => '雛',
  '�s' => '雜',
  '�t' => '雝',
  '�u' => '雞',
  '�v' => '雟',
  '�w' => '雡',
  '�x' => '離',
  '�y' => '難',
  '�z' => '雤',
  '�{' => '雥',
  '�|' => '雦',
  '�}' => '雧',
  '�~' => '雫',
  '�' => '雬',
  '�' => '雭',
  '�' => '雮',
  '�' => '雰',
  '�' => '雱',
  '�' => '雲',
  '�' => '雴',
  '�' => '雵',
  '�' => '雸',
  '�' => '雺',
  '�' => '電',
  '�' => '雼',
  '�' => '雽',
  '�' => '雿',
  '�' => '霂',
  '�' => '霃',
  '�' => '霅',
  '�' => '霊',
  '�' => '霋',
  '�' => '霌',
  '�' => '霐',
  '�' => '霑',
  '�' => '霒',
  '�' => '霔',
  '�' => '霕',
  '�' => '霗',
  '�' => '霘',
  '�' => '霙',
  '�' => '霚',
  '�' => '霛',
  '�' => '霝',
  '�' => '霟',
  '�' => '霠',
  '�' => '搿',
  '�' => '擘',
  '�' => '耄',
  '�' => '毪',
  '�' => '毳',
  '�' => '毽',
  '�' => '毵',
  '�' => '毹',
  '�' => '氅',
  '�' => '氇',
  '�' => '氆',
  '�' => '氍',
  '�' => '氕',
  '�' => '氘',
  '�' => '氙',
  '�' => '氚',
  '�' => '氡',
  '�' => '氩',
  '�' => '氤',
  '�' => '氪',
  '�' => '氲',
  '�' => '攵',
  '�' => '敕',
  '�' => '敫',
  '�' => '牍',
  '�' => '牒',
  '�' => '牖',
  '�' => '爰',
  '�' => '虢',
  '�' => '刖',
  '�' => '肟',
  '�' => '肜',
  '�' => '肓',
  '��' => '肼',
  '��' => '朊',
  '��' => '肽',
  '��' => '肱',
  '��' => '肫',
  '��' => '肭',
  '��' => '肴',
  '��' => '肷',
  '��' => '胧',
  '��' => '胨',
  '��' => '胩',
  '��' => '胪',
  '��' => '胛',
  '��' => '胂',
  '��' => '胄',
  '��' => '胙',
  '��' => '胍',
  '��' => '胗',
  '��' => '朐',
  '��' => '胝',
  '��' => '胫',
  '��' => '胱',
  '��' => '胴',
  '��' => '胭',
  '��' => '脍',
  '��' => '脎',
  '��' => '胲',
  '��' => '胼',
  '��' => '朕',
  '��' => '脒',
  '��' => '豚',
  '��' => '脶',
  '��' => '脞',
  '��' => '脬',
  '��' => '脘',
  '��' => '脲',
  '��' => '腈',
  '��' => '腌',
  '��' => '腓',
  '��' => '腴',
  '��' => '腙',
  '��' => '腚',
  '��' => '腱',
  '��' => '腠',
  '��' => '腩',
  '��' => '腼',
  '��' => '腽',
  '��' => '腭',
  '��' => '腧',
  '��' => '塍',
  '��' => '媵',
  '�' => '膈',
  '�' => '膂',
  '�' => '膑',
  '�' => '滕',
  '�' => '膣',
  '�' => '膪',
  '�' => '臌',
  '�' => '朦',
  '�' => '臊',
  '�' => '膻',
  '�@' => '霡',
  '�A' => '霢',
  '�B' => '霣',
  '�C' => '霤',
  '�D' => '霥',
  '�E' => '霦',
  '�F' => '霧',
  '�G' => '霨',
  '�H' => '霩',
  '�I' => '霫',
  '�J' => '霬',
  '�K' => '霮',
  '�L' => '霯',
  '�M' => '霱',
  '�N' => '霳',
  '�O' => '霴',
  '�P' => '霵',
  '�Q' => '霶',
  '�R' => '霷',
  '�S' => '霺',
  '�T' => '霻',
  '�U' => '霼',
  '�V' => '霽',
  '�W' => '霿',
  '�X' => '靀',
  '�Y' => '靁',
  '�Z' => '靂',
  '�[' => '靃',
  '�\\' => '靄',
  '�]' => '靅',
  '�^' => '靆',
  '�_' => '靇',
  '�`' => '靈',
  '�a' => '靉',
  '�b' => '靊',
  '�c' => '靋',
  '�d' => '靌',
  '�e' => '靍',
  '�f' => '靎',
  '�g' => '靏',
  '�h' => '靐',
  '�i' => '靑',
  '�j' => '靔',
  '�k' => '靕',
  '�l' => '靗',
  '�m' => '靘',
  '�n' => '靚',
  '�o' => '靜',
  '�p' => '靝',
  '�q' => '靟',
  '�r' => '靣',
  '�s' => '靤',
  '�t' => '靦',
  '�u' => '靧',
  '�v' => '靨',
  '�w' => '靪',
  '�x' => '靫',
  '�y' => '靬',
  '�z' => '靭',
  '�{' => '靮',
  '�|' => '靯',
  '�}' => '靰',
  '�~' => '靱',
  '�' => '靲',
  '�' => '靵',
  '�' => '靷',
  '�' => '靸',
  '�' => '靹',
  '�' => '靺',
  '�' => '靻',
  '�' => '靽',
  '�' => '靾',
  '�' => '靿',
  '�' => '鞀',
  '�' => '鞁',
  '�' => '鞂',
  '�' => '鞃',
  '�' => '鞄',
  '�' => '鞆',
  '�' => '鞇',
  '�' => '鞈',
  '�' => '鞉',
  '�' => '鞊',
  '�' => '鞌',
  '�' => '鞎',
  '�' => '鞏',
  '�' => '鞐',
  '�' => '鞓',
  '�' => '鞕',
  '�' => '鞖',
  '�' => '鞗',
  '�' => '鞙',
  '�' => '鞚',
  '�' => '鞛',
  '�' => '鞜',
  '�' => '鞝',
  '�' => '臁',
  '�' => '膦',
  '�' => '欤',
  '�' => '欷',
  '�' => '欹',
  '�' => '歃',
  '�' => '歆',
  '�' => '歙',
  '�' => '飑',
  '�' => '飒',
  '�' => '飓',
  '�' => '飕',
  '�' => '飙',
  '�' => '飚',
  '�' => '殳',
  '�' => '彀',
  '�' => '毂',
  '�' => '觳',
  '�' => '斐',
  '�' => '齑',
  '�' => '斓',
  '�' => '於',
  '�' => '旆',
  '�' => '旄',
  '�' => '旃',
  '�' => '旌',
  '�' => '旎',
  '�' => '旒',
  '�' => '旖',
  '�' => '炀',
  '�' => '炜',
  '�' => '炖',
  '�' => '炝',
  '��' => '炻',
  '��' => '烀',
  '��' => '炷',
  '��' => '炫',
  '��' => '炱',
  '��' => '烨',
  '��' => '烊',
  '��' => '焐',
  '��' => '焓',
  '��' => '焖',
  '��' => '焯',
  '��' => '焱',
  '��' => '煳',
  '��' => '煜',
  '��' => '煨',
  '��' => '煅',
  '��' => '煲',
  '��' => '煊',
  '��' => '煸',
  '��' => '煺',
  '��' => '熘',
  '��' => '熳',
  '��' => '熵',
  '��' => '熨',
  '��' => '熠',
  '��' => '燠',
  '��' => '燔',
  '��' => '燧',
  '��' => '燹',
  '��' => '爝',
  '��' => '爨',
  '��' => '灬',
  '��' => '焘',
  '��' => '煦',
  '��' => '熹',
  '��' => '戾',
  '��' => '戽',
  '��' => '扃',
  '��' => '扈',
  '��' => '扉',
  '��' => '礻',
  '��' => '祀',
  '��' => '祆',
  '��' => '祉',
  '��' => '祛',
  '��' => '祜',
  '��' => '祓',
  '��' => '祚',
  '��' => '祢',
  '��' => '祗',
  '��' => '祠',
  '�' => '祯',
  '�' => '祧',
  '�' => '祺',
  '�' => '禅',
  '�' => '禊',
  '�' => '禚',
  '�' => '禧',
  '�' => '禳',
  '�' => '忑',
  '�' => '忐',
  '�@' => '鞞',
  '�A' => '鞟',
  '�B' => '鞡',
  '�C' => '鞢',
  '�D' => '鞤',
  '�E' => '鞥',
  '�F' => '鞦',
  '�G' => '鞧',
  '�H' => '鞨',
  '�I' => '鞩',
  '�J' => '鞪',
  '�K' => '鞬',
  '�L' => '鞮',
  '�M' => '鞰',
  '�N' => '鞱',
  '�O' => '鞳',
  '�P' => '鞵',
  '�Q' => '鞶',
  '�R' => '鞷',
  '�S' => '鞸',
  '�T' => '鞹',
  '�U' => '鞺',
  '�V' => '鞻',
  '�W' => '鞼',
  '�X' => '鞽',
  '�Y' => '鞾',
  '�Z' => '鞿',
  '�[' => '韀',
  '�\\' => '韁',
  '�]' => '韂',
  '�^' => '韃',
  '�_' => '韄',
  '�`' => '韅',
  '�a' => '韆',
  '�b' => '韇',
  '�c' => '韈',
  '�d' => '韉',
  '�e' => '韊',
  '�f' => '韋',
  '�g' => '韌',
  '�h' => '韍',
  '�i' => '韎',
  '�j' => '韏',
  '�k' => '韐',
  '�l' => '韑',
  '�m' => '韒',
  '�n' => '韓',
  '�o' => '韔',
  '�p' => '韕',
  '�q' => '韖',
  '�r' => '韗',
  '�s' => '韘',
  '�t' => '韙',
  '�u' => '韚',
  '�v' => '韛',
  '�w' => '韜',
  '�x' => '韝',
  '�y' => '韞',
  '�z' => '韟',
  '�{' => '韠',
  '�|' => '韡',
  '�}' => '韢',
  '�~' => '韣',
  '�' => '韤',
  '�' => '韥',
  '�' => '韨',
  '�' => '韮',
  '�' => '韯',
  '�' => '韰',
  '�' => '韱',
  '�' => '韲',
  '�' => '韴',
  '�' => '韷',
  '�' => '韸',
  '�' => '韹',
  '�' => '韺',
  '�' => '韻',
  '�' => '韼',
  '�' => '韽',
  '�' => '韾',
  '�' => '響',
  '�' => '頀',
  '�' => '頁',
  '�' => '頂',
  '�' => '頃',
  '�' => '頄',
  '�' => '項',
  '�' => '順',
  '�' => '頇',
  '�' => '須',
  '�' => '頉',
  '�' => '頊',
  '�' => '頋',
  '�' => '頌',
  '�' => '頍',
  '�' => '頎',
  '�' => '怼',
  '�' => '恝',
  '�' => '恚',
  '�' => '恧',
  '�' => '恁',
  '�' => '恙',
  '�' => '恣',
  '�' => '悫',
  '�' => '愆',
  '�' => '愍',
  '�' => '慝',
  '�' => '憩',
  '�' => '憝',
  '�' => '懋',
  '�' => '懑',
  '�' => '戆',
  '�' => '肀',
  '�' => '聿',
  '�' => '沓',
  '�' => '泶',
  '�' => '淼',
  '�' => '矶',
  '�' => '矸',
  '�' => '砀',
  '�' => '砉',
  '�' => '砗',
  '�' => '砘',
  '�' => '砑',
  '�' => '斫',
  '�' => '砭',
  '�' => '砜',
  '�' => '砝',
  '�' => '砹',
  '��' => '砺',
  '��' => '砻',
  '��' => '砟',
  '��' => '砼',
  '��' => '砥',
  '��' => '砬',
  '��' => '砣',
  '��' => '砩',
  '��' => '硎',
  '��' => '硭',
  '��' => '硖',
  '��' => '硗',
  '��' => '砦',
  '��' => '硐',
  '��' => '硇',
  '��' => '硌',
  '��' => '硪',
  '��' => '碛',
  '��' => '碓',
  '��' => '碚',
  '��' => '碇',
  '��' => '碜',
  '��' => '碡',
  '��' => '碣',
  '��' => '碲',
  '��' => '碹',
  '��' => '碥',
  '��' => '磔',
  '��' => '磙',
  '��' => '磉',
  '��' => '磬',
  '��' => '磲',
  '��' => '礅',
  '��' => '磴',
  '��' => '礓',
  '��' => '礤',
  '��' => '礞',
  '��' => '礴',
  '��' => '龛',
  '��' => '黹',
  '��' => '黻',
  '��' => '黼',
  '��' => '盱',
  '��' => '眄',
  '��' => '眍',
  '��' => '盹',
  '��' => '眇',
  '��' => '眈',
  '��' => '眚',
  '��' => '眢',
  '��' => '眙',
  '�' => '眭',
  '�' => '眦',
  '�' => '眵',
  '�' => '眸',
  '�' => '睐',
  '�' => '睑',
  '�' => '睇',
  '�' => '睃',
  '�' => '睚',
  '�' => '睨',
  '�@' => '頏',
  '�A' => '預',
  '�B' => '頑',
  '�C' => '頒',
  '�D' => '頓',
  '�E' => '頔',
  '�F' => '頕',
  '�G' => '頖',
  '�H' => '頗',
  '�I' => '領',
  '�J' => '頙',
  '�K' => '頚',
  '�L' => '頛',
  '�M' => '頜',
  '�N' => '頝',
  '�O' => '頞',
  '�P' => '頟',
  '�Q' => '頠',
  '�R' => '頡',
  '�S' => '頢',
  '�T' => '頣',
  '�U' => '頤',
  '�V' => '頥',
  '�W' => '頦',
  '�X' => '頧',
  '�Y' => '頨',
  '�Z' => '頩',
  '�[' => '頪',
  '�\\' => '頫',
  '�]' => '頬',
  '�^' => '頭',
  '�_' => '頮',
  '�`' => '頯',
  '�a' => '頰',
  '�b' => '頱',
  '�c' => '頲',
  '�d' => '頳',
  '�e' => '頴',
  '�f' => '頵',
  '�g' => '頶',
  '�h' => '頷',
  '�i' => '頸',
  '�j' => '頹',
  '�k' => '頺',
  '�l' => '頻',
  '�m' => '頼',
  '�n' => '頽',
  '�o' => '頾',
  '�p' => '頿',
  '�q' => '顀',
  '�r' => '顁',
  '�s' => '顂',
  '�t' => '顃',
  '�u' => '顄',
  '�v' => '顅',
  '�w' => '顆',
  '�x' => '顇',
  '�y' => '顈',
  '�z' => '顉',
  '�{' => '顊',
  '�|' => '顋',
  '�}' => '題',
  '�~' => '額',
  '�' => '顎',
  '�' => '顏',
  '�' => '顐',
  '�' => '顑',
  '�' => '顒',
  '�' => '顓',
  '�' => '顔',
  '�' => '顕',
  '�' => '顖',
  '�' => '顗',
  '�' => '願',
  '�' => '顙',
  '�' => '顚',
  '�' => '顛',
  '�' => '顜',
  '�' => '顝',
  '�' => '類',
  '�' => '顟',
  '�' => '顠',
  '�' => '顡',
  '�' => '顢',
  '�' => '顣',
  '�' => '顤',
  '�' => '顥',
  '�' => '顦',
  '�' => '顧',
  '�' => '顨',
  '�' => '顩',
  '�' => '顪',
  '�' => '顫',
  '�' => '顬',
  '�' => '顭',
  '�' => '顮',
  '�' => '睢',
  '�' => '睥',
  '�' => '睿',
  '�' => '瞍',
  '�' => '睽',
  '�' => '瞀',
  '�' => '瞌',
  '�' => '瞑',
  '�' => '瞟',
  '�' => '瞠',
  '�' => '瞰',
  '�' => '瞵',
  '�' => '瞽',
  '�' => '町',
  '�' => '畀',
  '�' => '畎',
  '�' => '畋',
  '�' => '畈',
  '�' => '畛',
  '�' => '畲',
  '�' => '畹',
  '�' => '疃',
  '�' => '罘',
  '�' => '罡',
  '�' => '罟',
  '�' => '詈',
  '�' => '罨',
  '�' => '罴',
  '�' => '罱',
  '�' => '罹',
  '�' => '羁',
  '�' => '罾',
  '�' => '盍',
  '��' => '盥',
  '��' => '蠲',
  '��' => '钅',
  '��' => '钆',
  '��' => '钇',
  '��' => '钋',
  '��' => '钊',
  '��' => '钌',
  '��' => '钍',
  '��' => '钏',
  '��' => '钐',
  '��' => '钔',
  '��' => '钗',
  '��' => '钕',
  '��' => '钚',
  '��' => '钛',
  '��' => '钜',
  '��' => '钣',
  '��' => '钤',
  '��' => '钫',
  '��' => '钪',
  '��' => '钭',
  '��' => '钬',
  '��' => '钯',
  '��' => '钰',
  '��' => '钲',
  '��' => '钴',
  '��' => '钶',
  '��' => '钷',
  '��' => '钸',
  '��' => '钹',
  '��' => '钺',
  '��' => '钼',
  '��' => '钽',
  '��' => '钿',
  '��' => '铄',
  '��' => '铈',
  '��' => '铉',
  '��' => '铊',
  '��' => '铋',
  '��' => '铌',
  '��' => '铍',
  '��' => '铎',
  '��' => '铐',
  '��' => '铑',
  '��' => '铒',
  '��' => '铕',
  '��' => '铖',
  '��' => '铗',
  '��' => '铙',
  '��' => '铘',
  '�' => '铛',
  '�' => '铞',
  '�' => '铟',
  '�' => '铠',
  '�' => '铢',
  '�' => '铤',
  '�' => '铥',
  '�' => '铧',
  '�' => '铨',
  '�' => '铪',
  '�@' => '顯',
  '�A' => '顰',
  '�B' => '顱',
  '�C' => '顲',
  '�D' => '顳',
  '�E' => '顴',
  '�F' => '颋',
  '�G' => '颎',
  '�H' => '颒',
  '�I' => '颕',
  '�J' => '颙',
  '�K' => '颣',
  '�L' => '風',
  '�M' => '颩',
  '�N' => '颪',
  '�O' => '颫',
  '�P' => '颬',
  '�Q' => '颭',
  '�R' => '颮',
  '�S' => '颯',
  '�T' => '颰',
  '�U' => '颱',
  '�V' => '颲',
  '�W' => '颳',
  '�X' => '颴',
  '�Y' => '颵',
  '�Z' => '颶',
  '�[' => '颷',
  '�\\' => '颸',
  '�]' => '颹',
  '�^' => '颺',
  '�_' => '颻',
  '�`' => '颼',
  '�a' => '颽',
  '�b' => '颾',
  '�c' => '颿',
  '�d' => '飀',
  '�e' => '飁',
  '�f' => '飂',
  '�g' => '飃',
  '�h' => '飄',
  '�i' => '飅',
  '�j' => '飆',
  '�k' => '飇',
  '�l' => '飈',
  '�m' => '飉',
  '�n' => '飊',
  '�o' => '飋',
  '�p' => '飌',
  '�q' => '飍',
  '�r' => '飏',
  '�s' => '飐',
  '�t' => '飔',
  '�u' => '飖',
  '�v' => '飗',
  '�w' => '飛',
  '�x' => '飜',
  '�y' => '飝',
  '�z' => '飠',
  '�{' => '飡',
  '�|' => '飢',
  '�}' => '飣',
  '�~' => '飤',
  '�' => '飥',
  '�' => '飦',
  '�' => '飩',
  '�' => '飪',
  '�' => '飫',
  '�' => '飬',
  '�' => '飭',
  '�' => '飮',
  '�' => '飯',
  '�' => '飰',
  '�' => '飱',
  '�' => '飲',
  '�' => '飳',
  '�' => '飴',
  '�' => '飵',
  '�' => '飶',
  '�' => '飷',
  '�' => '飸',
  '�' => '飹',
  '�' => '飺',
  '�' => '飻',
  '�' => '飼',
  '�' => '飽',
  '�' => '飾',
  '�' => '飿',
  '�' => '餀',
  '�' => '餁',
  '�' => '餂',
  '�' => '餃',
  '�' => '餄',
  '�' => '餅',
  '�' => '餆',
  '�' => '餇',
  '�' => '铩',
  '�' => '铫',
  '�' => '铮',
  '�' => '铯',
  '�' => '铳',
  '�' => '铴',
  '�' => '铵',
  '�' => '铷',
  '�' => '铹',
  '�' => '铼',
  '�' => '铽',
  '�' => '铿',
  '�' => '锃',
  '�' => '锂',
  '�' => '锆',
  '�' => '锇',
  '�' => '锉',
  '�' => '锊',
  '�' => '锍',
  '�' => '锎',
  '�' => '锏',
  '�' => '锒',
  '�' => '锓',
  '�' => '锔',
  '�' => '锕',
  '�' => '锖',
  '�' => '锘',
  '�' => '锛',
  '�' => '锝',
  '�' => '锞',
  '�' => '锟',
  '�' => '锢',
  '�' => '锪',
  '��' => '锫',
  '��' => '锩',
  '��' => '锬',
  '��' => '锱',
  '��' => '锲',
  '��' => '锴',
  '��' => '锶',
  '��' => '锷',
  '��' => '锸',
  '��' => '锼',
  '��' => '锾',
  '��' => '锿',
  '��' => '镂',
  '��' => '锵',
  '��' => '镄',
  '��' => '镅',
  '��' => '镆',
  '��' => '镉',
  '��' => '镌',
  '��' => '镎',
  '��' => '镏',
  '��' => '镒',
  '��' => '镓',
  '��' => '镔',
  '��' => '镖',
  '��' => '镗',
  '��' => '镘',
  '��' => '镙',
  '��' => '镛',
  '��' => '镞',
  '��' => '镟',
  '��' => '镝',
  '��' => '镡',
  '��' => '镢',
  '��' => '镤',
  '��' => '镥',
  '��' => '镦',
  '��' => '镧',
  '��' => '镨',
  '��' => '镩',
  '��' => '镪',
  '��' => '镫',
  '��' => '镬',
  '��' => '镯',
  '��' => '镱',
  '��' => '镲',
  '��' => '镳',
  '��' => '锺',
  '��' => '矧',
  '��' => '矬',
  '��' => '雉',
  '�' => '秕',
  '�' => '秭',
  '�' => '秣',
  '�' => '秫',
  '�' => '稆',
  '�' => '嵇',
  '�' => '稃',
  '�' => '稂',
  '�' => '稞',
  '�' => '稔',
  '�@' => '餈',
  '�A' => '餉',
  '�B' => '養',
  '�C' => '餋',
  '�D' => '餌',
  '�E' => '餎',
  '�F' => '餏',
  '�G' => '餑',
  '�H' => '餒',
  '�I' => '餓',
  '�J' => '餔',
  '�K' => '餕',
  '�L' => '餖',
  '�M' => '餗',
  '�N' => '餘',
  '�O' => '餙',
  '�P' => '餚',
  '�Q' => '餛',
  '�R' => '餜',
  '�S' => '餝',
  '�T' => '餞',
  '�U' => '餟',
  '�V' => '餠',
  '�W' => '餡',
  '�X' => '餢',
  '�Y' => '餣',
  '�Z' => '餤',
  '�[' => '餥',
  '�\\' => '餦',
  '�]' => '餧',
  '�^' => '館',
  '�_' => '餩',
  '�`' => '餪',
  '�a' => '餫',
  '�b' => '餬',
  '�c' => '餭',
  '�d' => '餯',
  '�e' => '餰',
  '�f' => '餱',
  '�g' => '餲',
  '�h' => '餳',
  '�i' => '餴',
  '�j' => '餵',
  '�k' => '餶',
  '�l' => '餷',
  '�m' => '餸',
  '�n' => '餹',
  '�o' => '餺',
  '�p' => '餻',
  '�q' => '餼',
  '�r' => '餽',
  '�s' => '餾',
  '�t' => '餿',
  '�u' => '饀',
  '�v' => '饁',
  '�w' => '饂',
  '�x' => '饃',
  '�y' => '饄',
  '�z' => '饅',
  '�{' => '饆',
  '�|' => '饇',
  '�}' => '饈',
  '�~' => '饉',
  '�' => '饊',
  '�' => '饋',
  '�' => '饌',
  '�' => '饍',
  '�' => '饎',
  '�' => '饏',
  '�' => '饐',
  '�' => '饑',
  '�' => '饒',
  '�' => '饓',
  '�' => '饖',
  '�' => '饗',
  '�' => '饘',
  '�' => '饙',
  '�' => '饚',
  '�' => '饛',
  '�' => '饜',
  '�' => '饝',
  '�' => '饞',
  '�' => '饟',
  '�' => '饠',
  '�' => '饡',
  '�' => '饢',
  '�' => '饤',
  '�' => '饦',
  '�' => '饳',
  '�' => '饸',
  '�' => '饹',
  '�' => '饻',
  '�' => '饾',
  '�' => '馂',
  '�' => '馃',
  '�' => '馉',
  '�' => '稹',
  '�' => '稷',
  '�' => '穑',
  '�' => '黏',
  '�' => '馥',
  '�' => '穰',
  '�' => '皈',
  '�' => '皎',
  '�' => '皓',
  '�' => '皙',
  '�' => '皤',
  '�' => '瓞',
  '�' => '瓠',
  '�' => '甬',
  '�' => '鸠',
  '�' => '鸢',
  '�' => '鸨',
  '�' => '鸩',
  '�' => '鸪',
  '�' => '鸫',
  '�' => '鸬',
  '�' => '鸲',
  '�' => '鸱',
  '�' => '鸶',
  '�' => '鸸',
  '�' => '鸷',
  '�' => '鸹',
  '�' => '鸺',
  '�' => '鸾',
  '�' => '鹁',
  '�' => '鹂',
  '�' => '鹄',
  '�' => '鹆',
  '��' => '鹇',
  '��' => '鹈',
  '��' => '鹉',
  '��' => '鹋',
  '��' => '鹌',
  '��' => '鹎',
  '��' => '鹑',
  '��' => '鹕',
  '��' => '鹗',
  '��' => '鹚',
  '��' => '鹛',
  '��' => '鹜',
  '��' => '鹞',
  '��' => '鹣',
  '��' => '鹦',
  '��' => '鹧',
  '��' => '鹨',
  '��' => '鹩',
  '��' => '鹪',
  '��' => '鹫',
  '��' => '鹬',
  '��' => '鹱',
  '��' => '鹭',
  '��' => '鹳',
  '��' => '疒',
  '��' => '疔',
  '��' => '疖',
  '��' => '疠',
  '��' => '疝',
  '��' => '疬',
  '��' => '疣',
  '��' => '疳',
  '��' => '疴',
  '��' => '疸',
  '��' => '痄',
  '��' => '疱',
  '��' => '疰',
  '��' => '痃',
  '��' => '痂',
  '��' => '痖',
  '��' => '痍',
  '��' => '痣',
  '��' => '痨',
  '��' => '痦',
  '��' => '痤',
  '��' => '痫',
  '��' => '痧',
  '��' => '瘃',
  '��' => '痱',
  '��' => '痼',
  '��' => '痿',
  '�' => '瘐',
  '�' => '瘀',
  '�' => '瘅',
  '�' => '瘌',
  '�' => '瘗',
  '�' => '瘊',
  '�' => '瘥',
  '�' => '瘘',
  '�' => '瘕',
  '�' => '瘙',
  '�@' => '馌',
  '�A' => '馎',
  '�B' => '馚',
  '�C' => '馛',
  '�D' => '馜',
  '�E' => '馝',
  '�F' => '馞',
  '�G' => '馟',
  '�H' => '馠',
  '�I' => '馡',
  '�J' => '馢',
  '�K' => '馣',
  '�L' => '馤',
  '�M' => '馦',
  '�N' => '馧',
  '�O' => '馩',
  '�P' => '馪',
  '�Q' => '馫',
  '�R' => '馬',
  '�S' => '馭',
  '�T' => '馮',
  '�U' => '馯',
  '�V' => '馰',
  '�W' => '馱',
  '�X' => '馲',
  '�Y' => '馳',
  '�Z' => '馴',
  '�[' => '馵',
  '�\\' => '馶',
  '�]' => '馷',
  '�^' => '馸',
  '�_' => '馹',
  '�`' => '馺',
  '�a' => '馻',
  '�b' => '馼',
  '�c' => '馽',
  '�d' => '馾',
  '�e' => '馿',
  '�f' => '駀',
  '�g' => '駁',
  '�h' => '駂',
  '�i' => '駃',
  '�j' => '駄',
  '�k' => '駅',
  '�l' => '駆',
  '�m' => '駇',
  '�n' => '駈',
  '�o' => '駉',
  '�p' => '駊',
  '�q' => '駋',
  '�r' => '駌',
  '�s' => '駍',
  '�t' => '駎',
  '�u' => '駏',
  '�v' => '駐',
  '�w' => '駑',
  '�x' => '駒',
  '�y' => '駓',
  '�z' => '駔',
  '�{' => '駕',
  '�|' => '駖',
  '�}' => '駗',
  '�~' => '駘',
  '�' => '駙',
  '�' => '駚',
  '�' => '駛',
  '�' => '駜',
  '�' => '駝',
  '�' => '駞',
  '�' => '駟',
  '�' => '駠',
  '�' => '駡',
  '�' => '駢',
  '�' => '駣',
  '�' => '駤',
  '�' => '駥',
  '�' => '駦',
  '�' => '駧',
  '�' => '駨',
  '�' => '駩',
  '�' => '駪',
  '�' => '駫',
  '�' => '駬',
  '�' => '駭',
  '�' => '駮',
  '�' => '駯',
  '�' => '駰',
  '�' => '駱',
  '�' => '駲',
  '�' => '駳',
  '�' => '駴',
  '�' => '駵',
  '�' => '駶',
  '�' => '駷',
  '�' => '駸',
  '�' => '駹',
  '�' => '瘛',
  '�' => '瘼',
  '�' => '瘢',
  '�' => '瘠',
  '�' => '癀',
  '�' => '瘭',
  '�' => '瘰',
  '�' => '瘿',
  '�' => '瘵',
  '�' => '癃',
  '�' => '瘾',
  '�' => '瘳',
  '�' => '癍',
  '�' => '癞',
  '�' => '癔',
  '�' => '癜',
  '�' => '癖',
  '�' => '癫',
  '�' => '癯',
  '�' => '翊',
  '�' => '竦',
  '�' => '穸',
  '�' => '穹',
  '�' => '窀',
  '�' => '窆',
  '�' => '窈',
  '�' => '窕',
  '�' => '窦',
  '�' => '窠',
  '�' => '窬',
  '�' => '窨',
  '�' => '窭',
  '�' => '窳',
  '��' => '衤',
  '��' => '衩',
  '��' => '衲',
  '��' => '衽',
  '��' => '衿',
  '��' => '袂',
  '��' => '袢',
  '��' => '裆',
  '��' => '袷',
  '��' => '袼',
  '��' => '裉',
  '��' => '裢',
  '��' => '裎',
  '��' => '裣',
  '��' => '裥',
  '��' => '裱',
  '��' => '褚',
  '��' => '裼',
  '��' => '裨',
  '��' => '裾',
  '��' => '裰',
  '��' => '褡',
  '��' => '褙',
  '��' => '褓',
  '��' => '褛',
  '��' => '褊',
  '��' => '褴',
  '��' => '褫',
  '��' => '褶',
  '��' => '襁',
  '��' => '襦',
  '��' => '襻',
  '��' => '疋',
  '��' => '胥',
  '��' => '皲',
  '��' => '皴',
  '��' => '矜',
  '��' => '耒',
  '��' => '耔',
  '��' => '耖',
  '��' => '耜',
  '��' => '耠',
  '��' => '耢',
  '��' => '耥',
  '��' => '耦',
  '��' => '耧',
  '��' => '耩',
  '��' => '耨',
  '��' => '耱',
  '��' => '耋',
  '��' => '耵',
  '�' => '聃',
  '�' => '聆',
  '�' => '聍',
  '�' => '聒',
  '�' => '聩',
  '�' => '聱',
  '�' => '覃',
  '�' => '顸',
  '�' => '颀',
  '�' => '颃',
  '�@' => '駺',
  '�A' => '駻',
  '�B' => '駼',
  '�C' => '駽',
  '�D' => '駾',
  '�E' => '駿',
  '�F' => '騀',
  '�G' => '騁',
  '�H' => '騂',
  '�I' => '騃',
  '�J' => '騄',
  '�K' => '騅',
  '�L' => '騆',
  '�M' => '騇',
  '�N' => '騈',
  '�O' => '騉',
  '�P' => '騊',
  '�Q' => '騋',
  '�R' => '騌',
  '�S' => '騍',
  '�T' => '騎',
  '�U' => '騏',
  '�V' => '騐',
  '�W' => '騑',
  '�X' => '騒',
  '�Y' => '験',
  '�Z' => '騔',
  '�[' => '騕',
  '�\\' => '騖',
  '�]' => '騗',
  '�^' => '騘',
  '�_' => '騙',
  '�`' => '騚',
  '�a' => '騛',
  '�b' => '騜',
  '�c' => '騝',
  '�d' => '騞',
  '�e' => '騟',
  '�f' => '騠',
  '�g' => '騡',
  '�h' => '騢',
  '�i' => '騣',
  '�j' => '騤',
  '�k' => '騥',
  '�l' => '騦',
  '�m' => '騧',
  '�n' => '騨',
  '�o' => '騩',
  '�p' => '騪',
  '�q' => '騫',
  '�r' => '騬',
  '�s' => '騭',
  '�t' => '騮',
  '�u' => '騯',
  '�v' => '騰',
  '�w' => '騱',
  '�x' => '騲',
  '�y' => '騳',
  '�z' => '騴',
  '�{' => '騵',
  '�|' => '騶',
  '�}' => '騷',
  '�~' => '騸',
  '�' => '騹',
  '�' => '騺',
  '�' => '騻',
  '�' => '騼',
  '�' => '騽',
  '�' => '騾',
  '�' => '騿',
  '�' => '驀',
  '�' => '驁',
  '�' => '驂',
  '�' => '驃',
  '�' => '驄',
  '�' => '驅',
  '�' => '驆',
  '�' => '驇',
  '�' => '驈',
  '�' => '驉',
  '�' => '驊',
  '�' => '驋',
  '�' => '驌',
  '�' => '驍',
  '�' => '驎',
  '�' => '驏',
  '�' => '驐',
  '�' => '驑',
  '�' => '驒',
  '�' => '驓',
  '�' => '驔',
  '�' => '驕',
  '�' => '驖',
  '�' => '驗',
  '�' => '驘',
  '�' => '驙',
  '�' => '颉',
  '�' => '颌',
  '�' => '颍',
  '�' => '颏',
  '�' => '颔',
  '�' => '颚',
  '�' => '颛',
  '�' => '颞',
  '�' => '颟',
  '�' => '颡',
  '�' => '颢',
  '�' => '颥',
  '�' => '颦',
  '�' => '虍',
  '�' => '虔',
  '�' => '虬',
  '�' => '虮',
  '�' => '虿',
  '�' => '虺',
  '�' => '虼',
  '�' => '虻',
  '�' => '蚨',
  '�' => '蚍',
  '�' => '蚋',
  '�' => '蚬',
  '�' => '蚝',
  '�' => '蚧',
  '�' => '蚣',
  '�' => '蚪',
  '�' => '蚓',
  '�' => '蚩',
  '�' => '蚶',
  '�' => '蛄',
  '��' => '蚵',
  '��' => '蛎',
  '��' => '蚰',
  '��' => '蚺',
  '��' => '蚱',
  '��' => '蚯',
  '��' => '蛉',
  '��' => '蛏',
  '��' => '蚴',
  '��' => '蛩',
  '��' => '蛱',
  '��' => '蛲',
  '��' => '蛭',
  '��' => '蛳',
  '��' => '蛐',
  '��' => '蜓',
  '��' => '蛞',
  '��' => '蛴',
  '��' => '蛟',
  '��' => '蛘',
  '��' => '蛑',
  '��' => '蜃',
  '��' => '蜇',
  '��' => '蛸',
  '��' => '蜈',
  '��' => '蜊',
  '��' => '蜍',
  '��' => '蜉',
  '��' => '蜣',
  '��' => '蜻',
  '��' => '蜞',
  '��' => '蜥',
  '��' => '蜮',
  '��' => '蜚',
  '��' => '蜾',
  '��' => '蝈',
  '��' => '蜴',
  '��' => '蜱',
  '��' => '蜩',
  '��' => '蜷',
  '��' => '蜿',
  '��' => '螂',
  '��' => '蜢',
  '��' => '蝽',
  '��' => '蝾',
  '��' => '蝻',
  '��' => '蝠',
  '��' => '蝰',
  '��' => '蝌',
  '��' => '蝮',
  '��' => '螋',
  '�' => '蝓',
  '�' => '蝣',
  '�' => '蝼',
  '�' => '蝤',
  '�' => '蝙',
  '�' => '蝥',
  '�' => '螓',
  '�' => '螯',
  '�' => '螨',
  '�' => '蟒',
  '�@' => '驚',
  '�A' => '驛',
  '�B' => '驜',
  '�C' => '驝',
  '�D' => '驞',
  '�E' => '驟',
  '�F' => '驠',
  '�G' => '驡',
  '�H' => '驢',
  '�I' => '驣',
  '�J' => '驤',
  '�K' => '驥',
  '�L' => '驦',
  '�M' => '驧',
  '�N' => '驨',
  '�O' => '驩',
  '�P' => '驪',
  '�Q' => '驫',
  '�R' => '驲',
  '�S' => '骃',
  '�T' => '骉',
  '�U' => '骍',
  '�V' => '骎',
  '�W' => '骔',
  '�X' => '骕',
  '�Y' => '骙',
  '�Z' => '骦',
  '�[' => '骩',
  '�\\' => '骪',
  '�]' => '骫',
  '�^' => '骬',
  '�_' => '骭',
  '�`' => '骮',
  '�a' => '骯',
  '�b' => '骲',
  '�c' => '骳',
  '�d' => '骴',
  '�e' => '骵',
  '�f' => '骹',
  '�g' => '骻',
  '�h' => '骽',
  '�i' => '骾',
  '�j' => '骿',
  '�k' => '髃',
  '�l' => '髄',
  '�m' => '髆',
  '�n' => '髇',
  '�o' => '髈',
  '�p' => '髉',
  '�q' => '髊',
  '�r' => '髍',
  '�s' => '髎',
  '�t' => '髏',
  '�u' => '髐',
  '�v' => '髒',
  '�w' => '體',
  '�x' => '髕',
  '�y' => '髖',
  '�z' => '髗',
  '�{' => '髙',
  '�|' => '髚',
  '�}' => '髛',
  '�~' => '髜',
  '�' => '髝',
  '�' => '髞',
  '�' => '髠',
  '�' => '髢',
  '�' => '髣',
  '�' => '髤',
  '�' => '髥',
  '�' => '髧',
  '�' => '髨',
  '�' => '髩',
  '�' => '髪',
  '�' => '髬',
  '�' => '髮',
  '�' => '髰',
  '�' => '髱',
  '�' => '髲',
  '�' => '髳',
  '�' => '髴',
  '�' => '髵',
  '�' => '髶',
  '�' => '髷',
  '�' => '髸',
  '�' => '髺',
  '�' => '髼',
  '�' => '髽',
  '�' => '髾',
  '�' => '髿',
  '�' => '鬀',
  '�' => '鬁',
  '�' => '鬂',
  '�' => '鬄',
  '�' => '鬅',
  '�' => '鬆',
  '�' => '蟆',
  '�' => '螈',
  '�' => '螅',
  '�' => '螭',
  '�' => '螗',
  '�' => '螃',
  '�' => '螫',
  '�' => '蟥',
  '�' => '螬',
  '�' => '螵',
  '�' => '螳',
  '�' => '蟋',
  '�' => '蟓',
  '�' => '螽',
  '�' => '蟑',
  '�' => '蟀',
  '�' => '蟊',
  '�' => '蟛',
  '�' => '蟪',
  '�' => '蟠',
  '�' => '蟮',
  '�' => '蠖',
  '�' => '蠓',
  '�' => '蟾',
  '�' => '蠊',
  '�' => '蠛',
  '�' => '蠡',
  '�' => '蠹',
  '�' => '蠼',
  '�' => '缶',
  '�' => '罂',
  '�' => '罄',
  '�' => '罅',
  '��' => '舐',
  '��' => '竺',
  '��' => '竽',
  '��' => '笈',
  '��' => '笃',
  '��' => '笄',
  '��' => '笕',
  '��' => '笊',
  '��' => '笫',
  '��' => '笏',
  '��' => '筇',
  '��' => '笸',
  '��' => '笪',
  '��' => '笙',
  '��' => '笮',
  '��' => '笱',
  '��' => '笠',
  '��' => '笥',
  '��' => '笤',
  '��' => '笳',
  '��' => '笾',
  '��' => '笞',
  '��' => '筘',
  '��' => '筚',
  '��' => '筅',
  '��' => '筵',
  '��' => '筌',
  '��' => '筝',
  '��' => '筠',
  '��' => '筮',
  '��' => '筻',
  '��' => '筢',
  '��' => '筲',
  '��' => '筱',
  '��' => '箐',
  '��' => '箦',
  '��' => '箧',
  '��' => '箸',
  '��' => '箬',
  '��' => '箝',
  '��' => '箨',
  '��' => '箅',
  '��' => '箪',
  '��' => '箜',
  '��' => '箢',
  '��' => '箫',
  '��' => '箴',
  '��' => '篑',
  '��' => '篁',
  '��' => '篌',
  '��' => '篝',
  '�' => '篚',
  '�' => '篥',
  '�' => '篦',
  '�' => '篪',
  '�' => '簌',
  '�' => '篾',
  '�' => '篼',
  '�' => '簏',
  '�' => '簖',
  '�' => '簋',
  '�@' => '鬇',
  '�A' => '鬉',
  '�B' => '鬊',
  '�C' => '鬋',
  '�D' => '鬌',
  '�E' => '鬍',
  '�F' => '鬎',
  '�G' => '鬐',
  '�H' => '鬑',
  '�I' => '鬒',
  '�J' => '鬔',
  '�K' => '鬕',
  '�L' => '鬖',
  '�M' => '鬗',
  '�N' => '鬘',
  '�O' => '鬙',
  '�P' => '鬚',
  '�Q' => '鬛',
  '�R' => '鬜',
  '�S' => '鬝',
  '�T' => '鬞',
  '�U' => '鬠',
  '�V' => '鬡',
  '�W' => '鬢',
  '�X' => '鬤',
  '�Y' => '鬥',
  '�Z' => '鬦',
  '�[' => '鬧',
  '�\\' => '鬨',
  '�]' => '鬩',
  '�^' => '鬪',
  '�_' => '鬫',
  '�`' => '鬬',
  '�a' => '鬭',
  '�b' => '鬮',
  '�c' => '鬰',
  '�d' => '鬱',
  '�e' => '鬳',
  '�f' => '鬴',
  '�g' => '鬵',
  '�h' => '鬶',
  '�i' => '鬷',
  '�j' => '鬸',
  '�k' => '鬹',
  '�l' => '鬺',
  '�m' => '鬽',
  '�n' => '鬾',
  '�o' => '鬿',
  '�p' => '魀',
  '�q' => '魆',
  '�r' => '魊',
  '�s' => '魋',
  '�t' => '魌',
  '�u' => '魎',
  '�v' => '魐',
  '�w' => '魒',
  '�x' => '魓',
  '�y' => '魕',
  '�z' => '魖',
  '�{' => '魗',
  '�|' => '魘',
  '�}' => '魙',
  '�~' => '魚',
  '�' => '魛',
  '�' => '魜',
  '�' => '魝',
  '�' => '魞',
  '�' => '魟',
  '�' => '魠',
  '�' => '魡',
  '�' => '魢',
  '�' => '魣',
  '�' => '魤',
  '�' => '魥',
  '�' => '魦',
  '�' => '魧',
  '�' => '魨',
  '�' => '魩',
  '�' => '魪',
  '�' => '魫',
  '�' => '魬',
  '�' => '魭',
  '�' => '魮',
  '�' => '魯',
  '�' => '魰',
  '�' => '魱',
  '�' => '魲',
  '�' => '魳',
  '�' => '魴',
  '�' => '魵',
  '�' => '魶',
  '�' => '魷',
  '�' => '魸',
  '�' => '魹',
  '�' => '魺',
  '�' => '魻',
  '�' => '簟',
  '�' => '簪',
  '�' => '簦',
  '�' => '簸',
  '�' => '籁',
  '�' => '籀',
  '�' => '臾',
  '�' => '舁',
  '�' => '舂',
  '�' => '舄',
  '�' => '臬',
  '�' => '衄',
  '�' => '舡',
  '�' => '舢',
  '�' => '舣',
  '�' => '舭',
  '�' => '舯',
  '�' => '舨',
  '�' => '舫',
  '�' => '舸',
  '�' => '舻',
  '�' => '舳',
  '�' => '舴',
  '�' => '舾',
  '�' => '艄',
  '�' => '艉',
  '�' => '艋',
  '�' => '艏',
  '�' => '艚',
  '�' => '艟',
  '�' => '艨',
  '�' => '衾',
  '�' => '袅',
  '��' => '袈',
  '��' => '裘',
  '��' => '裟',
  '��' => '襞',
  '��' => '羝',
  '��' => '羟',
  '��' => '羧',
  '��' => '羯',
  '��' => '羰',
  '��' => '羲',
  '��' => '籼',
  '��' => '敉',
  '��' => '粑',
  '��' => '粝',
  '��' => '粜',
  '��' => '粞',
  '��' => '粢',
  '��' => '粲',
  '��' => '粼',
  '��' => '粽',
  '��' => '糁',
  '��' => '糇',
  '��' => '糌',
  '��' => '糍',
  '��' => '糈',
  '��' => '糅',
  '��' => '糗',
  '��' => '糨',
  '��' => '艮',
  '��' => '暨',
  '��' => '羿',
  '��' => '翎',
  '��' => '翕',
  '��' => '翥',
  '��' => '翡',
  '��' => '翦',
  '��' => '翩',
  '��' => '翮',
  '��' => '翳',
  '��' => '糸',
  '��' => '絷',
  '��' => '綦',
  '��' => '綮',
  '��' => '繇',
  '��' => '纛',
  '��' => '麸',
  '��' => '麴',
  '��' => '赳',
  '��' => '趄',
  '��' => '趔',
  '��' => '趑',
  '�' => '趱',
  '�' => '赧',
  '�' => '赭',
  '�' => '豇',
  '�' => '豉',
  '�' => '酊',
  '�' => '酐',
  '�' => '酎',
  '�' => '酏',
  '�' => '酤',
  '�@' => '魼',
  '�A' => '魽',
  '�B' => '魾',
  '�C' => '魿',
  '�D' => '鮀',
  '�E' => '鮁',
  '�F' => '鮂',
  '�G' => '鮃',
  '�H' => '鮄',
  '�I' => '鮅',
  '�J' => '鮆',
  '�K' => '鮇',
  '�L' => '鮈',
  '�M' => '鮉',
  '�N' => '鮊',
  '�O' => '鮋',
  '�P' => '鮌',
  '�Q' => '鮍',
  '�R' => '鮎',
  '�S' => '鮏',
  '�T' => '鮐',
  '�U' => '鮑',
  '�V' => '鮒',
  '�W' => '鮓',
  '�X' => '鮔',
  '�Y' => '鮕',
  '�Z' => '鮖',
  '�[' => '鮗',
  '�\\' => '鮘',
  '�]' => '鮙',
  '�^' => '鮚',
  '�_' => '鮛',
  '�`' => '鮜',
  '�a' => '鮝',
  '�b' => '鮞',
  '�c' => '鮟',
  '�d' => '鮠',
  '�e' => '鮡',
  '�f' => '鮢',
  '�g' => '鮣',
  '�h' => '鮤',
  '�i' => '鮥',
  '�j' => '鮦',
  '�k' => '鮧',
  '�l' => '鮨',
  '�m' => '鮩',
  '�n' => '鮪',
  '�o' => '鮫',
  '�p' => '鮬',
  '�q' => '鮭',
  '�r' => '鮮',
  '�s' => '鮯',
  '�t' => '鮰',
  '�u' => '鮱',
  '�v' => '鮲',
  '�w' => '鮳',
  '�x' => '鮴',
  '�y' => '鮵',
  '�z' => '鮶',
  '�{' => '鮷',
  '�|' => '鮸',
  '�}' => '鮹',
  '�~' => '鮺',
  '��' => '鮻',
  '��' => '鮼',
  '��' => '鮽',
  '��' => '鮾',
  '��' => '鮿',
  '��' => '鯀',
  '��' => '鯁',
  '��' => '鯂',
  '��' => '鯃',
  '��' => '鯄',
  '��' => '鯅',
  '��' => '鯆',
  '��' => '鯇',
  '��' => '鯈',
  '��' => '鯉',
  '��' => '鯊',
  '��' => '鯋',
  '��' => '鯌',
  '��' => '鯍',
  '��' => '鯎',
  '��' => '鯏',
  '��' => '鯐',
  '��' => '鯑',
  '��' => '鯒',
  '��' => '鯓',
  '��' => '鯔',
  '��' => '鯕',
  '��' => '鯖',
  '��' => '鯗',
  '��' => '鯘',
  '��' => '鯙',
  '��' => '鯚',
  '��' => '鯛',
  '��' => '酢',
  '��' => '酡',
  '��' => '酰',
  '��' => '酩',
  '��' => '酯',
  '��' => '酽',
  '��' => '酾',
  '��' => '酲',
  '��' => '酴',
  '��' => '酹',
  '��' => '醌',
  '��' => '醅',
  '��' => '醐',
  '��' => '醍',
  '��' => '醑',
  '��' => '醢',
  '��' => '醣',
  '��' => '醪',
  '��' => '醭',
  '��' => '醮',
  '��' => '醯',
  '��' => '醵',
  '��' => '醴',
  '��' => '醺',
  '��' => '豕',
  '��' => '鹾',
  '��' => '趸',
  '��' => '跫',
  '��' => '踅',
  '��' => '蹙',
  '��' => '蹩',
  '��' => '趵',
  '��' => '趿',
  '��' => '趼',
  '��' => '趺',
  '��' => '跄',
  '��' => '跖',
  '��' => '跗',
  '��' => '跚',
  '��' => '跞',
  '��' => '跎',
  '��' => '跏',
  '��' => '跛',
  '��' => '跆',
  '��' => '跬',
  '��' => '跷',
  '��' => '跸',
  '��' => '跣',
  '��' => '跹',
  '��' => '跻',
  '��' => '跤',
  '��' => '踉',
  '��' => '跽',
  '��' => '踔',
  '��' => '踝',
  '��' => '踟',
  '��' => '踬',
  '��' => '踮',
  '��' => '踣',
  '��' => '踯',
  '��' => '踺',
  '��' => '蹀',
  '��' => '踹',
  '��' => '踵',
  '��' => '踽',
  '��' => '踱',
  '��' => '蹉',
  '��' => '蹁',
  '��' => '蹂',
  '��' => '蹑',
  '��' => '蹒',
  '��' => '蹊',
  '��' => '蹰',
  '��' => '蹶',
  '��' => '蹼',
  '��' => '蹯',
  '��' => '蹴',
  '��' => '躅',
  '��' => '躏',
  '��' => '躔',
  '��' => '躐',
  '��' => '躜',
  '��' => '躞',
  '��' => '豸',
  '��' => '貂',
  '��' => '貊',
  '��' => '貅',
  '��' => '貘',
  '��' => '貔',
  '��' => '斛',
  '��' => '觖',
  '��' => '觞',
  '��' => '觚',
  '��' => '觜',
  '�@' => '鯜',
  '�A' => '鯝',
  '�B' => '鯞',
  '�C' => '鯟',
  '�D' => '鯠',
  '�E' => '鯡',
  '�F' => '鯢',
  '�G' => '鯣',
  '�H' => '鯤',
  '�I' => '鯥',
  '�J' => '鯦',
  '�K' => '鯧',
  '�L' => '鯨',
  '�M' => '鯩',
  '�N' => '鯪',
  '�O' => '鯫',
  '�P' => '鯬',
  '�Q' => '鯭',
  '�R' => '鯮',
  '�S' => '鯯',
  '�T' => '鯰',
  '�U' => '鯱',
  '�V' => '鯲',
  '�W' => '鯳',
  '�X' => '鯴',
  '�Y' => '鯵',
  '�Z' => '鯶',
  '�[' => '鯷',
  '�\\' => '鯸',
  '�]' => '鯹',
  '�^' => '鯺',
  '�_' => '鯻',
  '�`' => '鯼',
  '�a' => '鯽',
  '�b' => '鯾',
  '�c' => '鯿',
  '�d' => '鰀',
  '�e' => '鰁',
  '�f' => '鰂',
  '�g' => '鰃',
  '�h' => '鰄',
  '�i' => '鰅',
  '�j' => '鰆',
  '�k' => '鰇',
  '�l' => '鰈',
  '�m' => '鰉',
  '�n' => '鰊',
  '�o' => '鰋',
  '�p' => '鰌',
  '�q' => '鰍',
  '�r' => '鰎',
  '�s' => '鰏',
  '�t' => '鰐',
  '�u' => '鰑',
  '�v' => '鰒',
  '�w' => '鰓',
  '�x' => '鰔',
  '�y' => '鰕',
  '�z' => '鰖',
  '�{' => '鰗',
  '�|' => '鰘',
  '�}' => '鰙',
  '�~' => '鰚',
  '��' => '鰛',
  '��' => '鰜',
  '��' => '鰝',
  '��' => '鰞',
  '��' => '鰟',
  '��' => '鰠',
  '��' => '鰡',
  '��' => '鰢',
  '��' => '鰣',
  '��' => '鰤',
  '��' => '鰥',
  '��' => '鰦',
  '��' => '鰧',
  '��' => '鰨',
  '��' => '鰩',
  '��' => '鰪',
  '��' => '鰫',
  '��' => '鰬',
  '��' => '鰭',
  '��' => '鰮',
  '��' => '鰯',
  '��' => '鰰',
  '��' => '鰱',
  '��' => '鰲',
  '��' => '鰳',
  '��' => '鰴',
  '��' => '鰵',
  '��' => '鰶',
  '��' => '鰷',
  '��' => '鰸',
  '��' => '鰹',
  '��' => '鰺',
  '��' => '鰻',
  '��' => '觥',
  '��' => '觫',
  '��' => '觯',
  '��' => '訾',
  '��' => '謦',
  '��' => '靓',
  '��' => '雩',
  '��' => '雳',
  '��' => '雯',
  '��' => '霆',
  '��' => '霁',
  '��' => '霈',
  '��' => '霏',
  '��' => '霎',
  '��' => '霪',
  '��' => '霭',
  '��' => '霰',
  '��' => '霾',
  '��' => '龀',
  '��' => '龃',
  '��' => '龅',
  '��' => '龆',
  '��' => '龇',
  '��' => '龈',
  '��' => '龉',
  '��' => '龊',
  '��' => '龌',
  '��' => '黾',
  '��' => '鼋',
  '��' => '鼍',
  '��' => '隹',
  '��' => '隼',
  '��' => '隽',
  '��' => '雎',
  '��' => '雒',
  '��' => '瞿',
  '��' => '雠',
  '��' => '銎',
  '��' => '銮',
  '��' => '鋈',
  '��' => '錾',
  '��' => '鍪',
  '��' => '鏊',
  '��' => '鎏',
  '��' => '鐾',
  '��' => '鑫',
  '��' => '鱿',
  '��' => '鲂',
  '��' => '鲅',
  '��' => '鲆',
  '��' => '鲇',
  '��' => '鲈',
  '��' => '稣',
  '��' => '鲋',
  '��' => '鲎',
  '��' => '鲐',
  '��' => '鲑',
  '��' => '鲒',
  '��' => '鲔',
  '��' => '鲕',
  '��' => '鲚',
  '��' => '鲛',
  '��' => '鲞',
  '��' => '鲟',
  '��' => '鲠',
  '��' => '鲡',
  '��' => '鲢',
  '��' => '鲣',
  '��' => '鲥',
  '��' => '鲦',
  '��' => '鲧',
  '��' => '鲨',
  '��' => '鲩',
  '��' => '鲫',
  '��' => '鲭',
  '��' => '鲮',
  '��' => '鲰',
  '��' => '鲱',
  '��' => '鲲',
  '��' => '鲳',
  '��' => '鲴',
  '��' => '鲵',
  '��' => '鲶',
  '��' => '鲷',
  '��' => '鲺',
  '��' => '鲻',
  '��' => '鲼',
  '��' => '鲽',
  '��' => '鳄',
  '��' => '鳅',
  '��' => '鳆',
  '��' => '鳇',
  '��' => '鳊',
  '��' => '鳋',
  '�@' => '鰼',
  '�A' => '鰽',
  '�B' => '鰾',
  '�C' => '鰿',
  '�D' => '鱀',
  '�E' => '鱁',
  '�F' => '鱂',
  '�G' => '鱃',
  '�H' => '鱄',
  '�I' => '鱅',
  '�J' => '鱆',
  '�K' => '鱇',
  '�L' => '鱈',
  '�M' => '鱉',
  '�N' => '鱊',
  '�O' => '鱋',
  '�P' => '鱌',
  '�Q' => '鱍',
  '�R' => '鱎',
  '�S' => '鱏',
  '�T' => '鱐',
  '�U' => '鱑',
  '�V' => '鱒',
  '�W' => '鱓',
  '�X' => '鱔',
  '�Y' => '鱕',
  '�Z' => '鱖',
  '�[' => '鱗',
  '�\\' => '鱘',
  '�]' => '鱙',
  '�^' => '鱚',
  '�_' => '鱛',
  '�`' => '鱜',
  '�a' => '鱝',
  '�b' => '鱞',
  '�c' => '鱟',
  '�d' => '鱠',
  '�e' => '鱡',
  '�f' => '鱢',
  '�g' => '鱣',
  '�h' => '鱤',
  '�i' => '鱥',
  '�j' => '鱦',
  '�k' => '鱧',
  '�l' => '鱨',
  '�m' => '鱩',
  '�n' => '鱪',
  '�o' => '鱫',
  '�p' => '鱬',
  '�q' => '鱭',
  '�r' => '鱮',
  '�s' => '鱯',
  '�t' => '鱰',
  '�u' => '鱱',
  '�v' => '鱲',
  '�w' => '鱳',
  '�x' => '鱴',
  '�y' => '鱵',
  '�z' => '鱶',
  '�{' => '鱷',
  '�|' => '鱸',
  '�}' => '鱹',
  '�~' => '鱺',
  '��' => '鱻',
  '��' => '鱽',
  '��' => '鱾',
  '��' => '鲀',
  '��' => '鲃',
  '��' => '鲄',
  '��' => '鲉',
  '��' => '鲊',
  '��' => '鲌',
  '��' => '鲏',
  '��' => '鲓',
  '��' => '鲖',
  '��' => '鲗',
  '��' => '鲘',
  '��' => '鲙',
  '��' => '鲝',
  '��' => '鲪',
  '��' => '鲬',
  '��' => '鲯',
  '��' => '鲹',
  '��' => '鲾',
  '��' => '鲿',
  '��' => '鳀',
  '��' => '鳁',
  '��' => '鳂',
  '��' => '鳈',
  '��' => '鳉',
  '��' => '鳑',
  '��' => '鳒',
  '��' => '鳚',
  '��' => '鳛',
  '��' => '鳠',
  '��' => '鳡',
  '��' => '鳌',
  '��' => '鳍',
  '��' => '鳎',
  '��' => '鳏',
  '��' => '鳐',
  '��' => '鳓',
  '��' => '鳔',
  '��' => '鳕',
  '��' => '鳗',
  '��' => '鳘',
  '��' => '鳙',
  '��' => '鳜',
  '��' => '鳝',
  '��' => '鳟',
  '��' => '鳢',
  '��' => '靼',
  '��' => '鞅',
  '��' => '鞑',
  '��' => '鞒',
  '��' => '鞔',
  '��' => '鞯',
  '��' => '鞫',
  '��' => '鞣',
  '��' => '鞲',
  '��' => '鞴',
  '��' => '骱',
  '��' => '骰',
  '��' => '骷',
  '��' => '鹘',
  '��' => '骶',
  '��' => '骺',
  '��' => '骼',
  '��' => '髁',
  '��' => '髀',
  '��' => '髅',
  '��' => '髂',
  '��' => '髋',
  '��' => '髌',
  '��' => '髑',
  '��' => '魅',
  '��' => '魃',
  '��' => '魇',
  '��' => '魉',
  '��' => '魈',
  '��' => '魍',
  '��' => '魑',
  '��' => '飨',
  '��' => '餍',
  '��' => '餮',
  '��' => '饕',
  '��' => '饔',
  '��' => '髟',
  '��' => '髡',
  '��' => '髦',
  '��' => '髯',
  '��' => '髫',
  '��' => '髻',
  '��' => '髭',
  '��' => '髹',
  '��' => '鬈',
  '��' => '鬏',
  '��' => '鬓',
  '��' => '鬟',
  '��' => '鬣',
  '��' => '麽',
  '��' => '麾',
  '��' => '縻',
  '��' => '麂',
  '��' => '麇',
  '��' => '麈',
  '��' => '麋',
  '��' => '麒',
  '��' => '鏖',
  '��' => '麝',
  '��' => '麟',
  '��' => '黛',
  '��' => '黜',
  '��' => '黝',
  '��' => '黠',
  '��' => '黟',
  '��' => '黢',
  '��' => '黩',
  '��' => '黧',
  '��' => '黥',
  '��' => '黪',
  '��' => '黯',
  '��' => '鼢',
  '��' => '鼬',
  '��' => '鼯',
  '��' => '鼹',
  '��' => '鼷',
  '��' => '鼽',
  '��' => '鼾',
  '��' => '齄',
  '�@' => '鳣',
  '�A' => '鳤',
  '�B' => '鳥',
  '�C' => '鳦',
  '�D' => '鳧',
  '�E' => '鳨',
  '�F' => '鳩',
  '�G' => '鳪',
  '�H' => '鳫',
  '�I' => '鳬',
  '�J' => '鳭',
  '�K' => '鳮',
  '�L' => '鳯',
  '�M' => '鳰',
  '�N' => '鳱',
  '�O' => '鳲',
  '�P' => '鳳',
  '�Q' => '鳴',
  '�R' => '鳵',
  '�S' => '鳶',
  '�T' => '鳷',
  '�U' => '鳸',
  '�V' => '鳹',
  '�W' => '鳺',
  '�X' => '鳻',
  '�Y' => '鳼',
  '�Z' => '鳽',
  '�[' => '鳾',
  '�\\' => '鳿',
  '�]' => '鴀',
  '�^' => '鴁',
  '�_' => '鴂',
  '�`' => '鴃',
  '�a' => '鴄',
  '�b' => '鴅',
  '�c' => '鴆',
  '�d' => '鴇',
  '�e' => '鴈',
  '�f' => '鴉',
  '�g' => '鴊',
  '�h' => '鴋',
  '�i' => '鴌',
  '�j' => '鴍',
  '�k' => '鴎',
  '�l' => '鴏',
  '�m' => '鴐',
  '�n' => '鴑',
  '�o' => '鴒',
  '�p' => '鴓',
  '�q' => '鴔',
  '�r' => '鴕',
  '�s' => '鴖',
  '�t' => '鴗',
  '�u' => '鴘',
  '�v' => '鴙',
  '�w' => '鴚',
  '�x' => '鴛',
  '�y' => '鴜',
  '�z' => '鴝',
  '�{' => '鴞',
  '�|' => '鴟',
  '�}' => '鴠',
  '�~' => '鴡',
  '��' => '鴢',
  '��' => '鴣',
  '��' => '鴤',
  '��' => '鴥',
  '��' => '鴦',
  '��' => '鴧',
  '��' => '鴨',
  '��' => '鴩',
  '��' => '鴪',
  '��' => '鴫',
  '��' => '鴬',
  '��' => '鴭',
  '��' => '鴮',
  '��' => '鴯',
  '��' => '鴰',
  '��' => '鴱',
  '��' => '鴲',
  '��' => '鴳',
  '��' => '鴴',
  '��' => '鴵',
  '��' => '鴶',
  '��' => '鴷',
  '��' => '鴸',
  '��' => '鴹',
  '��' => '鴺',
  '��' => '鴻',
  '��' => '鴼',
  '��' => '鴽',
  '��' => '鴾',
  '��' => '鴿',
  '��' => '鵀',
  '��' => '鵁',
  '��' => '鵂',
  '�@' => '鵃',
  '�A' => '鵄',
  '�B' => '鵅',
  '�C' => '鵆',
  '�D' => '鵇',
  '�E' => '鵈',
  '�F' => '鵉',
  '�G' => '鵊',
  '�H' => '鵋',
  '�I' => '鵌',
  '�J' => '鵍',
  '�K' => '鵎',
  '�L' => '鵏',
  '�M' => '鵐',
  '�N' => '鵑',
  '�O' => '鵒',
  '�P' => '鵓',
  '�Q' => '鵔',
  '�R' => '鵕',
  '�S' => '鵖',
  '�T' => '鵗',
  '�U' => '鵘',
  '�V' => '鵙',
  '�W' => '鵚',
  '�X' => '鵛',
  '�Y' => '鵜',
  '�Z' => '鵝',
  '�[' => '鵞',
  '�\\' => '鵟',
  '�]' => '鵠',
  '�^' => '鵡',
  '�_' => '鵢',
  '�`' => '鵣',
  '�a' => '鵤',
  '�b' => '鵥',
  '�c' => '鵦',
  '�d' => '鵧',
  '�e' => '鵨',
  '�f' => '鵩',
  '�g' => '鵪',
  '�h' => '鵫',
  '�i' => '鵬',
  '�j' => '鵭',
  '�k' => '鵮',
  '�l' => '鵯',
  '�m' => '鵰',
  '�n' => '鵱',
  '�o' => '鵲',
  '�p' => '鵳',
  '�q' => '鵴',
  '�r' => '鵵',
  '�s' => '鵶',
  '�t' => '鵷',
  '�u' => '鵸',
  '�v' => '鵹',
  '�w' => '鵺',
  '�x' => '鵻',
  '�y' => '鵼',
  '�z' => '鵽',
  '�{' => '鵾',
  '�|' => '鵿',
  '�}' => '鶀',
  '�~' => '鶁',
  '��' => '鶂',
  '��' => '鶃',
  '��' => '鶄',
  '��' => '鶅',
  '��' => '鶆',
  '��' => '鶇',
  '��' => '鶈',
  '��' => '鶉',
  '��' => '鶊',
  '��' => '鶋',
  '��' => '鶌',
  '��' => '鶍',
  '��' => '鶎',
  '��' => '鶏',
  '��' => '鶐',
  '��' => '鶑',
  '��' => '鶒',
  '��' => '鶓',
  '��' => '鶔',
  '��' => '鶕',
  '��' => '鶖',
  '��' => '鶗',
  '��' => '鶘',
  '��' => '鶙',
  '��' => '鶚',
  '��' => '鶛',
  '��' => '鶜',
  '��' => '鶝',
  '��' => '鶞',
  '��' => '鶟',
  '��' => '鶠',
  '��' => '鶡',
  '��' => '鶢',
  '�@' => '鶣',
  '�A' => '鶤',
  '�B' => '鶥',
  '�C' => '鶦',
  '�D' => '鶧',
  '�E' => '鶨',
  '�F' => '鶩',
  '�G' => '鶪',
  '�H' => '鶫',
  '�I' => '鶬',
  '�J' => '鶭',
  '�K' => '鶮',
  '�L' => '鶯',
  '�M' => '鶰',
  '�N' => '鶱',
  '�O' => '鶲',
  '�P' => '鶳',
  '�Q' => '鶴',
  '�R' => '鶵',
  '�S' => '鶶',
  '�T' => '鶷',
  '�U' => '鶸',
  '�V' => '鶹',
  '�W' => '鶺',
  '�X' => '鶻',
  '�Y' => '鶼',
  '�Z' => '鶽',
  '�[' => '鶾',
  '�\\' => '鶿',
  '�]' => '鷀',
  '�^' => '鷁',
  '�_' => '鷂',
  '�`' => '鷃',
  '�a' => '鷄',
  '�b' => '鷅',
  '�c' => '鷆',
  '�d' => '鷇',
  '�e' => '鷈',
  '�f' => '鷉',
  '�g' => '鷊',
  '�h' => '鷋',
  '�i' => '鷌',
  '�j' => '鷍',
  '�k' => '鷎',
  '�l' => '鷏',
  '�m' => '鷐',
  '�n' => '鷑',
  '�o' => '鷒',
  '�p' => '鷓',
  '�q' => '鷔',
  '�r' => '鷕',
  '�s' => '鷖',
  '�t' => '鷗',
  '�u' => '鷘',
  '�v' => '鷙',
  '�w' => '鷚',
  '�x' => '鷛',
  '�y' => '鷜',
  '�z' => '鷝',
  '�{' => '鷞',
  '�|' => '鷟',
  '�}' => '鷠',
  '�~' => '鷡',
  '��' => '鷢',
  '��' => '鷣',
  '��' => '鷤',
  '��' => '鷥',
  '��' => '鷦',
  '��' => '鷧',
  '��' => '鷨',
  '��' => '鷩',
  '��' => '鷪',
  '��' => '鷫',
  '��' => '鷬',
  '��' => '鷭',
  '��' => '鷮',
  '��' => '鷯',
  '��' => '鷰',
  '��' => '鷱',
  '��' => '鷲',
  '��' => '鷳',
  '��' => '鷴',
  '��' => '鷵',
  '��' => '鷶',
  '��' => '鷷',
  '��' => '鷸',
  '��' => '鷹',
  '��' => '鷺',
  '��' => '鷻',
  '��' => '鷼',
  '��' => '鷽',
  '��' => '鷾',
  '��' => '鷿',
  '��' => '鸀',
  '��' => '鸁',
  '��' => '鸂',
  '�@' => '鸃',
  '�A' => '鸄',
  '�B' => '鸅',
  '�C' => '鸆',
  '�D' => '鸇',
  '�E' => '鸈',
  '�F' => '鸉',
  '�G' => '鸊',
  '�H' => '鸋',
  '�I' => '鸌',
  '�J' => '鸍',
  '�K' => '鸎',
  '�L' => '鸏',
  '�M' => '鸐',
  '�N' => '鸑',
  '�O' => '鸒',
  '�P' => '鸓',
  '�Q' => '鸔',
  '�R' => '鸕',
  '�S' => '鸖',
  '�T' => '鸗',
  '�U' => '鸘',
  '�V' => '鸙',
  '�W' => '鸚',
  '�X' => '鸛',
  '�Y' => '鸜',
  '�Z' => '鸝',
  '�[' => '鸞',
  '�\\' => '鸤',
  '�]' => '鸧',
  '�^' => '鸮',
  '�_' => '鸰',
  '�`' => '鸴',
  '�a' => '鸻',
  '�b' => '鸼',
  '�c' => '鹀',
  '�d' => '鹍',
  '�e' => '鹐',
  '�f' => '鹒',
  '�g' => '鹓',
  '�h' => '鹔',
  '�i' => '鹖',
  '�j' => '鹙',
  '�k' => '鹝',
  '�l' => '鹟',
  '�m' => '鹠',
  '�n' => '鹡',
  '�o' => '鹢',
  '�p' => '鹥',
  '�q' => '鹮',
  '�r' => '鹯',
  '�s' => '鹲',
  '�t' => '鹴',
  '�u' => '鹵',
  '�v' => '鹶',
  '�w' => '鹷',
  '�x' => '鹸',
  '�y' => '鹹',
  '�z' => '鹺',
  '�{' => '鹻',
  '�|' => '鹼',
  '�}' => '鹽',
  '�~' => '麀',
  '��' => '麁',
  '��' => '麃',
  '��' => '麄',
  '��' => '麅',
  '��' => '麆',
  '��' => '麉',
  '��' => '麊',
  '��' => '麌',
  '��' => '麍',
  '��' => '麎',
  '��' => '麏',
  '��' => '麐',
  '��' => '麑',
  '��' => '麔',
  '��' => '麕',
  '��' => '麖',
  '��' => '麗',
  '��' => '麘',
  '��' => '麙',
  '��' => '麚',
  '��' => '麛',
  '��' => '麜',
  '��' => '麞',
  '��' => '麠',
  '��' => '麡',
  '��' => '麢',
  '��' => '麣',
  '��' => '麤',
  '��' => '麥',
  '��' => '麧',
  '��' => '麨',
  '��' => '麩',
  '��' => '麪',
  '�@' => '麫',
  '�A' => '麬',
  '�B' => '麭',
  '�C' => '麮',
  '�D' => '麯',
  '�E' => '麰',
  '�F' => '麱',
  '�G' => '麲',
  '�H' => '麳',
  '�I' => '麵',
  '�J' => '麶',
  '�K' => '麷',
  '�L' => '麹',
  '�M' => '麺',
  '�N' => '麼',
  '�O' => '麿',
  '�P' => '黀',
  '�Q' => '黁',
  '�R' => '黂',
  '�S' => '黃',
  '�T' => '黅',
  '�U' => '黆',
  '�V' => '黇',
  '�W' => '黈',
  '�X' => '黊',
  '�Y' => '黋',
  '�Z' => '黌',
  '�[' => '黐',
  '�\\' => '黒',
  '�]' => '黓',
  '�^' => '黕',
  '�_' => '黖',
  '�`' => '黗',
  '�a' => '黙',
  '�b' => '黚',
  '�c' => '點',
  '�d' => '黡',
  '�e' => '黣',
  '�f' => '黤',
  '�g' => '黦',
  '�h' => '黨',
  '�i' => '黫',
  '�j' => '黬',
  '�k' => '黭',
  '�l' => '黮',
  '�m' => '黰',
  '�n' => '黱',
  '�o' => '黲',
  '�p' => '黳',
  '�q' => '黴',
  '�r' => '黵',
  '�s' => '黶',
  '�t' => '黷',
  '�u' => '黸',
  '�v' => '黺',
  '�w' => '黽',
  '�x' => '黿',
  '�y' => '鼀',
  '�z' => '鼁',
  '�{' => '鼂',
  '�|' => '鼃',
  '�}' => '鼄',
  '�~' => '鼅',
  '��' => '鼆',
  '��' => '鼇',
  '��' => '鼈',
  '��' => '鼉',
  '��' => '鼊',
  '��' => '鼌',
  '��' => '鼏',
  '��' => '鼑',
  '��' => '鼒',
  '��' => '鼔',
  '��' => '鼕',
  '��' => '鼖',
  '��' => '鼘',
  '��' => '鼚',
  '��' => '鼛',
  '��' => '鼜',
  '��' => '鼝',
  '��' => '鼞',
  '��' => '鼟',
  '��' => '鼡',
  '��' => '鼣',
  '��' => '鼤',
  '��' => '鼥',
  '��' => '鼦',
  '��' => '鼧',
  '��' => '鼨',
  '��' => '鼩',
  '��' => '鼪',
  '��' => '鼫',
  '��' => '鼭',
  '��' => '鼮',
  '��' => '鼰',
  '��' => '鼱',
  '�@' => '鼲',
  '�A' => '鼳',
  '�B' => '鼴',
  '�C' => '鼵',
  '�D' => '鼶',
  '�E' => '鼸',
  '�F' => '鼺',
  '�G' => '鼼',
  '�H' => '鼿',
  '�I' => '齀',
  '�J' => '齁',
  '�K' => '齂',
  '�L' => '齃',
  '�M' => '齅',
  '�N' => '齆',
  '�O' => '齇',
  '�P' => '齈',
  '�Q' => '齉',
  '�R' => '齊',
  '�S' => '齋',
  '�T' => '齌',
  '�U' => '齍',
  '�V' => '齎',
  '�W' => '齏',
  '�X' => '齒',
  '�Y' => '齓',
  '�Z' => '齔',
  '�[' => '齕',
  '�\\' => '齖',
  '�]' => '齗',
  '�^' => '齘',
  '�_' => '齙',
  '�`' => '齚',
  '�a' => '齛',
  '�b' => '齜',
  '�c' => '齝',
  '�d' => '齞',
  '�e' => '齟',
  '�f' => '齠',
  '�g' => '齡',
  '�h' => '齢',
  '�i' => '齣',
  '�j' => '齤',
  '�k' => '齥',
  '�l' => '齦',
  '�m' => '齧',
  '�n' => '齨',
  '�o' => '齩',
  '�p' => '齪',
  '�q' => '齫',
  '�r' => '齬',
  '�s' => '齭',
  '�t' => '齮',
  '�u' => '齯',
  '�v' => '齰',
  '�w' => '齱',
  '�x' => '齲',
  '�y' => '齳',
  '�z' => '齴',
  '�{' => '齵',
  '�|' => '齶',
  '�}' => '齷',
  '�~' => '齸',
  '��' => '齹',
  '��' => '齺',
  '��' => '齻',
  '��' => '齼',
  '��' => '齽',
  '��' => '齾',
  '��' => '龁',
  '��' => '龂',
  '��' => '龍',
  '��' => '龎',
  '��' => '龏',
  '��' => '龐',
  '��' => '龑',
  '��' => '龒',
  '��' => '龓',
  '��' => '龔',
  '��' => '龕',
  '��' => '龖',
  '��' => '龗',
  '��' => '龘',
  '��' => '龜',
  '��' => '龝',
  '��' => '龞',
  '��' => '龡',
  '��' => '龢',
  '��' => '龣',
  '��' => '龤',
  '��' => '龥',
  '��' => '郎',
  '��' => '凉',
  '��' => '秊',
  '��' => '裏',
  '��' => '隣',
  '�@' => '兀',
  '�A' => '嗀',
  '�B' => '﨎',
  '�C' => '﨏',
  '�D' => '﨑',
  '�E' => '﨓',
  '�F' => '﨔',
  '�G' => '礼',
  '�H' => '﨟',
  '�I' => '蘒',
  '�J' => '﨡',
  '�K' => '﨣',
  '�L' => '﨤',
  '�M' => '﨧',
  '�N' => '﨨',
  '�O' => '﨩',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/Resources/charset/from.cp869.php000064400000007134151330736600017156 0ustar00<?php

static $data = array (
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '	' => '	',
  '
' => '
',
  '' => '',
  '' => '',
  '
' => '
',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  '' => '',
  ' ' => ' ',
  '!' => '!',
  '"' => '"',
  '#' => '#',
  '$' => '$',
  '%' => '%',
  '&' => '&',
  '\'' => '\'',
  '(' => '(',
  ')' => ')',
  '*' => '*',
  '+' => '+',
  ',' => ',',
  '-' => '-',
  '.' => '.',
  '/' => '/',
  0 => '0',
  1 => '1',
  2 => '2',
  3 => '3',
  4 => '4',
  5 => '5',
  6 => '6',
  7 => '7',
  8 => '8',
  9 => '9',
  ':' => ':',
  ';' => ';',
  '<' => '<',
  '=' => '=',
  '>' => '>',
  '?' => '?',
  '@' => '@',
  'A' => 'A',
  'B' => 'B',
  'C' => 'C',
  'D' => 'D',
  'E' => 'E',
  'F' => 'F',
  'G' => 'G',
  'H' => 'H',
  'I' => 'I',
  'J' => 'J',
  'K' => 'K',
  'L' => 'L',
  'M' => 'M',
  'N' => 'N',
  'O' => 'O',
  'P' => 'P',
  'Q' => 'Q',
  'R' => 'R',
  'S' => 'S',
  'T' => 'T',
  'U' => 'U',
  'V' => 'V',
  'W' => 'W',
  'X' => 'X',
  'Y' => 'Y',
  'Z' => 'Z',
  '[' => '[',
  '\\' => '\\',
  ']' => ']',
  '^' => '^',
  '_' => '_',
  '`' => '`',
  'a' => 'a',
  'b' => 'b',
  'c' => 'c',
  'd' => 'd',
  'e' => 'e',
  'f' => 'f',
  'g' => 'g',
  'h' => 'h',
  'i' => 'i',
  'j' => 'j',
  'k' => 'k',
  'l' => 'l',
  'm' => 'm',
  'n' => 'n',
  'o' => 'o',
  'p' => 'p',
  'q' => 'q',
  'r' => 'r',
  's' => 's',
  't' => 't',
  'u' => 'u',
  'v' => 'v',
  'w' => 'w',
  'x' => 'x',
  'y' => 'y',
  'z' => 'z',
  '{' => '{',
  '|' => '|',
  '}' => '}',
  '~' => '~',
  '' => '',
  '�' => 'Ά',
  '�' => '·',
  '�' => '¬',
  '�' => '¦',
  '�' => '‘',
  '�' => '’',
  '�' => 'Έ',
  '�' => '―',
  '�' => 'Ή',
  '�' => 'Ί',
  '�' => 'Ϊ',
  '�' => 'Ό',
  '�' => 'Ύ',
  '�' => 'Ϋ',
  '�' => '©',
  '�' => 'Ώ',
  '�' => '²',
  '�' => '³',
  '�' => 'ά',
  '�' => '£',
  '�' => 'έ',
  '�' => 'ή',
  '�' => 'ί',
  '�' => 'ϊ',
  '�' => 'ΐ',
  '�' => 'ό',
  '�' => 'ύ',
  '�' => 'Α',
  '�' => 'Β',
  '�' => 'Γ',
  '�' => 'Δ',
  '�' => 'Ε',
  '�' => 'Ζ',
  '�' => 'Η',
  '�' => '½',
  '�' => 'Θ',
  '�' => 'Ι',
  '�' => '«',
  '�' => '»',
  '�' => '░',
  '�' => '▒',
  '�' => '▓',
  '�' => '│',
  '�' => '┤',
  '�' => 'Κ',
  '�' => 'Λ',
  '�' => 'Μ',
  '�' => 'Ν',
  '�' => '╣',
  '�' => '║',
  '�' => '╗',
  '�' => '╝',
  '�' => 'Ξ',
  '�' => 'Ο',
  '�' => '┐',
  '�' => '└',
  '�' => '┴',
  '�' => '┬',
  '�' => '├',
  '�' => '─',
  '�' => '┼',
  '�' => 'Π',
  '�' => 'Ρ',
  '�' => '╚',
  '�' => '╔',
  '�' => '╩',
  '�' => '╦',
  '�' => '╠',
  '�' => '═',
  '�' => '╬',
  '�' => 'Σ',
  '�' => 'Τ',
  '�' => 'Υ',
  '�' => 'Φ',
  '�' => 'Χ',
  '�' => 'Ψ',
  '�' => 'Ω',
  '�' => 'α',
  '�' => 'β',
  '�' => 'γ',
  '�' => '┘',
  '�' => '┌',
  '�' => '█',
  '�' => '▄',
  '�' => 'δ',
  '�' => 'ε',
  '�' => '▀',
  '�' => 'ζ',
  '�' => 'η',
  '�' => 'θ',
  '�' => 'ι',
  '�' => 'κ',
  '�' => 'λ',
  '�' => 'μ',
  '�' => 'ν',
  '�' => 'ξ',
  '�' => 'ο',
  '�' => 'π',
  '�' => 'ρ',
  '�' => 'σ',
  '�' => 'ς',
  '�' => 'τ',
  '�' => '΄',
  '�' => '­',
  '�' => '±',
  '�' => 'υ',
  '�' => 'φ',
  '�' => 'χ',
  '�' => '§',
  '�' => 'ψ',
  '�' => '΅',
  '�' => '°',
  '�' => '¨',
  '�' => 'ω',
  '�' => 'ϋ',
  '�' => 'ΰ',
  '�' => 'ώ',
  '�' => '■',
  '�' => ' ',
);

$result =& $data;
unset($data);

return $result;
symfony/polyfill-iconv/bootstrap.php000064400000007034151330736600013754 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

use Symfony\Polyfill\Iconv as p;

if (extension_loaded('iconv')) {
    return;
}

if (!defined('ICONV_IMPL')) {
    define('ICONV_IMPL', 'Symfony');
}
if (!defined('ICONV_VERSION')) {
    define('ICONV_VERSION', '1.0');
}
if (!defined('ICONV_MIME_DECODE_STRICT')) {
    define('ICONV_MIME_DECODE_STRICT', 1);
}
if (!defined('ICONV_MIME_DECODE_CONTINUE_ON_ERROR')) {
    define('ICONV_MIME_DECODE_CONTINUE_ON_ERROR', 2);
}

if (!function_exists('iconv')) {
    function iconv($from, $to, $s) { return p\Iconv::iconv($from, $to, $s); }
}
if (!function_exists('iconv_get_encoding')) {
    function iconv_get_encoding($type = 'all') { return p\Iconv::iconv_get_encoding($type); }
}
if (!function_exists('iconv_set_encoding')) {
    function iconv_set_encoding($type, $charset) { return p\Iconv::iconv_set_encoding($type, $charset); }
}
if (!function_exists('iconv_mime_encode')) {
    function iconv_mime_encode($name, $value, $pref = null) { return p\Iconv::iconv_mime_encode($name, $value, $pref); }
}
if (!function_exists('iconv_mime_decode_headers')) {
    function iconv_mime_decode_headers($encodedHeaders, $mode = 0, $enc = null) { return p\Iconv::iconv_mime_decode_headers($encodedHeaders, $mode, $enc); }
}

if (extension_loaded('mbstring')) {
    if (!function_exists('iconv_strlen')) {
        function iconv_strlen($s, $enc = null) { null === $enc and $enc = p\Iconv::$internalEncoding; return mb_strlen($s, $enc); }
    }
    if (!function_exists('iconv_strpos')) {
        function iconv_strpos($s, $needle, $offset = 0, $enc = null) { null === $enc and $enc = p\Iconv::$internalEncoding; return mb_strpos($s, $needle, $offset, $enc); }
    }
    if (!function_exists('iconv_strrpos')) {
        function iconv_strrpos($s, $needle, $enc = null) { null === $enc and $enc = p\Iconv::$internalEncoding; return mb_strrpos($s, $needle, 0, $enc); }
    }
    if (!function_exists('iconv_substr')) {
        function iconv_substr($s, $start, $length = 2147483647, $enc = null) { null === $enc and $enc = p\Iconv::$internalEncoding; return mb_substr($s, $start, $length, $enc); }
    }
    if (!function_exists('iconv_mime_decode')) {
        function iconv_mime_decode($encodedHeaders, $mode = 0, $enc = null) { null === $enc and $enc = p\Iconv::$internalEncoding; return mb_decode_mimeheader($encodedHeaders, $mode, $enc); }
    }
} else {
    if (!function_exists('iconv_strlen')) {
        if (extension_loaded('xml')) {
            function iconv_strlen($s, $enc = null) { return p\Iconv::strlen1($s, $enc); }
        } else {
            function iconv_strlen($s, $enc = null) { return p\Iconv::strlen2($s, $enc); }
        }
    }

    if (!function_exists('iconv_strpos')) {
        function iconv_strpos($s, $needle, $offset = 0, $enc = null) { return p\Iconv::iconv_strpos($s, $needle, $offset, $enc); }
    }
    if (!function_exists('iconv_strrpos')) {
        function iconv_strrpos($s, $needle, $enc = null) { return p\Iconv::iconv_strrpos($s, $needle, $enc); }
    }
    if (!function_exists('iconv_substr')) {
        function iconv_substr($s, $start, $length = 2147483647, $enc = null) { return p\Iconv::iconv_substr($s, $start, $length, $enc); }
    }
    if (!function_exists('iconv_mime_decode')) {
        function iconv_mime_decode($encodedHeaders, $mode = 0, $enc = null) { return p\Iconv::iconv_mime_decode($encodedHeaders, $mode, $enc); }
    }
}
symfony/css-selector/Exception/ParseException.php000064400000001176151330736600016267 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Exception;

/**
 * ParseException is thrown when a CSS selector syntax is not valid.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Fabien Potencier <fabien@symfony.com>
 */
class ParseException extends \Exception implements ExceptionInterface
{
}
symfony/css-selector/Exception/ExpressionErrorException.php000064400000001201151330736600020353 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Exception;

/**
 * ParseException is thrown when a CSS selector syntax is not valid.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 */
class ExpressionErrorException extends ParseException
{
}
symfony/css-selector/Exception/SyntaxErrorException.php000064400000003456151330736600017520 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Exception;

use Symfony\Component\CssSelector\Parser\Token;

/**
 * ParseException is thrown when a CSS selector syntax is not valid.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 */
class SyntaxErrorException extends ParseException
{
    /**
     * @param string $expectedValue
     * @param Token  $foundToken
     *
     * @return self
     */
    public static function unexpectedToken($expectedValue, Token $foundToken)
    {
        return new self(sprintf('Expected %s, but %s found.', $expectedValue, $foundToken));
    }

    /**
     * @param string $pseudoElement
     * @param string $unexpectedLocation
     *
     * @return self
     */
    public static function pseudoElementFound($pseudoElement, $unexpectedLocation)
    {
        return new self(sprintf('Unexpected pseudo-element "::%s" found %s.', $pseudoElement, $unexpectedLocation));
    }

    /**
     * @param int $position
     *
     * @return self
     */
    public static function unclosedString($position)
    {
        return new self(sprintf('Unclosed/invalid string at %s.', $position));
    }

    /**
     * @return self
     */
    public static function nestedNot()
    {
        return new self('Got nested ::not().');
    }

    /**
     * @return self
     */
    public static function stringAsFunctionArgument()
    {
        return new self('String not allowed as function argument.');
    }
}
symfony/css-selector/Exception/ExceptionInterface.php000064400000001100151330736600017100 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Exception;

/**
 * Interface for exceptions.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 */
interface ExceptionInterface
{
}
symfony/css-selector/Exception/InternalErrorException.php000064400000001177151330736600020004 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Exception;

/**
 * ParseException is thrown when a CSS selector syntax is not valid.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 */
class InternalErrorException extends ParseException
{
}
symfony/css-selector/LICENSE000064400000002051151330736600011665 0ustar00Copyright (c) 2004-2017 Fabien Potencier

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.
symfony/css-selector/CssSelectorConverter.php000064400000003713151330736600015520 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector;

use Symfony\Component\CssSelector\Parser\Shortcut\ClassParser;
use Symfony\Component\CssSelector\Parser\Shortcut\ElementParser;
use Symfony\Component\CssSelector\Parser\Shortcut\EmptyStringParser;
use Symfony\Component\CssSelector\Parser\Shortcut\HashParser;
use Symfony\Component\CssSelector\XPath\Extension\HtmlExtension;
use Symfony\Component\CssSelector\XPath\Translator;

/**
 * CssSelectorConverter is the main entry point of the component and can convert CSS
 * selectors to XPath expressions.
 *
 * @author Christophe Coevoet <stof@notk.org>
 */
class CssSelectorConverter
{
    private $translator;

    /**
     * @param bool $html Whether HTML support should be enabled. Disable it for XML documents
     */
    public function __construct($html = true)
    {
        $this->translator = new Translator();

        if ($html) {
            $this->translator->registerExtension(new HtmlExtension($this->translator));
        }

        $this->translator
            ->registerParserShortcut(new EmptyStringParser())
            ->registerParserShortcut(new ElementParser())
            ->registerParserShortcut(new ClassParser())
            ->registerParserShortcut(new HashParser())
        ;
    }

    /**
     * Translates a CSS expression to its XPath equivalent.
     *
     * Optionally, a prefix can be added to the resulting XPath
     * expression with the $prefix parameter.
     *
     * @param string $cssExpr The CSS expression
     * @param string $prefix  An optional prefix for the XPath expression
     *
     * @return string
     */
    public function toXPath($cssExpr, $prefix = 'descendant-or-self::')
    {
        return $this->translator->cssToXPath($cssExpr, $prefix);
    }
}
symfony/css-selector/XPath/TranslatorInterface.php000064400000002241151330736600016370 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath;

use Symfony\Component\CssSelector\Node\SelectorNode;

/**
 * XPath expression translator interface.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
interface TranslatorInterface
{
    /**
     * Translates a CSS selector to an XPath expression.
     *
     * @param string $cssExpr
     * @param string $prefix
     *
     * @return string
     */
    public function cssToXPath($cssExpr, $prefix = 'descendant-or-self::');

    /**
     * Translates a parsed selector node to an XPath expression.
     *
     * @param SelectorNode $selector
     * @param string       $prefix
     *
     * @return string
     */
    public function selectorToXPath(SelectorNode $selector, $prefix = 'descendant-or-self::');
}
symfony/css-selector/XPath/Extension/HtmlExtension.php000064400000015105151330736600017176 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath\Extension;

use Symfony\Component\CssSelector\Exception\ExpressionErrorException;
use Symfony\Component\CssSelector\Node\FunctionNode;
use Symfony\Component\CssSelector\XPath\Translator;
use Symfony\Component\CssSelector\XPath\XPathExpr;

/**
 * XPath expression translator HTML extension.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class HtmlExtension extends AbstractExtension
{
    /**
     * Constructor.
     *
     * @param Translator $translator
     */
    public function __construct(Translator $translator)
    {
        $translator
            ->getExtension('node')
            ->setFlag(NodeExtension::ELEMENT_NAME_IN_LOWER_CASE, true)
            ->setFlag(NodeExtension::ATTRIBUTE_NAME_IN_LOWER_CASE, true);
    }

    /**
     * {@inheritdoc}
     */
    public function getPseudoClassTranslators()
    {
        return array(
            'checked' => array($this, 'translateChecked'),
            'link' => array($this, 'translateLink'),
            'disabled' => array($this, 'translateDisabled'),
            'enabled' => array($this, 'translateEnabled'),
            'selected' => array($this, 'translateSelected'),
            'invalid' => array($this, 'translateInvalid'),
            'hover' => array($this, 'translateHover'),
            'visited' => array($this, 'translateVisited'),
        );
    }

    /**
     * {@inheritdoc}
     */
    public function getFunctionTranslators()
    {
        return array(
            'lang' => array($this, 'translateLang'),
        );
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateChecked(XPathExpr $xpath)
    {
        return $xpath->addCondition(
            '(@checked '
            ."and (name(.) = 'input' or name(.) = 'command')"
            ."and (@type = 'checkbox' or @type = 'radio'))"
        );
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateLink(XPathExpr $xpath)
    {
        return $xpath->addCondition("@href and (name(.) = 'a' or name(.) = 'link' or name(.) = 'area')");
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateDisabled(XPathExpr $xpath)
    {
        return $xpath->addCondition(
            '('
                .'@disabled and'
                .'('
                    ."(name(.) = 'input' and @type != 'hidden')"
                    ." or name(.) = 'button'"
                    ." or name(.) = 'select'"
                    ." or name(.) = 'textarea'"
                    ." or name(.) = 'command'"
                    ." or name(.) = 'fieldset'"
                    ." or name(.) = 'optgroup'"
                    ." or name(.) = 'option'"
                .')'
            .') or ('
                ."(name(.) = 'input' and @type != 'hidden')"
                ." or name(.) = 'button'"
                ." or name(.) = 'select'"
                ." or name(.) = 'textarea'"
            .')'
            .' and ancestor::fieldset[@disabled]'
        );
        // todo: in the second half, add "and is not a descendant of that fieldset element's first legend element child, if any."
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateEnabled(XPathExpr $xpath)
    {
        return $xpath->addCondition(
            '('
                .'@href and ('
                    ."name(.) = 'a'"
                    ." or name(.) = 'link'"
                    ." or name(.) = 'area'"
                .')'
            .') or ('
                .'('
                    ."name(.) = 'command'"
                    ." or name(.) = 'fieldset'"
                    ." or name(.) = 'optgroup'"
                .')'
                .' and not(@disabled)'
            .') or ('
                .'('
                    ."(name(.) = 'input' and @type != 'hidden')"
                    ." or name(.) = 'button'"
                    ." or name(.) = 'select'"
                    ." or name(.) = 'textarea'"
                    ." or name(.) = 'keygen'"
                .')'
                .' and not (@disabled or ancestor::fieldset[@disabled])'
            .') or ('
                ."name(.) = 'option' and not("
                    .'@disabled or ancestor::optgroup[@disabled]'
                .')'
            .')'
        );
    }

    /**
     * @param XPathExpr    $xpath
     * @param FunctionNode $function
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function translateLang(XPathExpr $xpath, FunctionNode $function)
    {
        $arguments = $function->getArguments();
        foreach ($arguments as $token) {
            if (!($token->isString() || $token->isIdentifier())) {
                throw new ExpressionErrorException(
                    'Expected a single string or identifier for :lang(), got '
                    .implode(', ', $arguments)
                );
            }
        }

        return $xpath->addCondition(sprintf(
            'ancestor-or-self::*[@lang][1][starts-with(concat('
            ."translate(@%s, 'ABCDEFGHIJKLMNOPQRSTUVWXYZ', 'abcdefghijklmnopqrstuvwxyz'), '-')"
            .', %s)]',
            'lang',
            Translator::getXpathLiteral(strtolower($arguments[0]->getValue()).'-')
        ));
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateSelected(XPathExpr $xpath)
    {
        return $xpath->addCondition("(@selected and name(.) = 'option')");
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateInvalid(XPathExpr $xpath)
    {
        return $xpath->addCondition('0');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateHover(XPathExpr $xpath)
    {
        return $xpath->addCondition('0');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateVisited(XPathExpr $xpath)
    {
        return $xpath->addCondition('0');
    }

    /**
     * {@inheritdoc}
     */
    public function getName()
    {
        return 'html';
    }
}
symfony/css-selector/XPath/Extension/ExtensionInterface.php000064400000002767151330736600020204 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath\Extension;

/**
 * XPath expression translator extension interface.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
interface ExtensionInterface
{
    /**
     * Returns node translators.
     *
     * These callables will receive the node as first argument and the translator as second argument.
     *
     * @return callable[]
     */
    public function getNodeTranslators();

    /**
     * Returns combination translators.
     *
     * @return callable[]
     */
    public function getCombinationTranslators();

    /**
     * Returns function translators.
     *
     * @return callable[]
     */
    public function getFunctionTranslators();

    /**
     * Returns pseudo-class translators.
     *
     * @return callable[]
     */
    public function getPseudoClassTranslators();

    /**
     * Returns attribute operation translators.
     *
     * @return callable[]
     */
    public function getAttributeMatchingTranslators();

    /**
     * Returns extension name.
     *
     * @return string
     */
    public function getName();
}
symfony/css-selector/XPath/Extension/NodeExtension.php000064400000016044151330736600017162 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath\Extension;

use Symfony\Component\CssSelector\Node;
use Symfony\Component\CssSelector\XPath\Translator;
use Symfony\Component\CssSelector\XPath\XPathExpr;

/**
 * XPath expression translator node extension.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class NodeExtension extends AbstractExtension
{
    const ELEMENT_NAME_IN_LOWER_CASE = 1;
    const ATTRIBUTE_NAME_IN_LOWER_CASE = 2;
    const ATTRIBUTE_VALUE_IN_LOWER_CASE = 4;

    /**
     * @var int
     */
    private $flags;

    /**
     * Constructor.
     *
     * @param int $flags
     */
    public function __construct($flags = 0)
    {
        $this->flags = $flags;
    }

    /**
     * @param int  $flag
     * @param bool $on
     *
     * @return $this
     */
    public function setFlag($flag, $on)
    {
        if ($on && !$this->hasFlag($flag)) {
            $this->flags += $flag;
        }

        if (!$on && $this->hasFlag($flag)) {
            $this->flags -= $flag;
        }

        return $this;
    }

    /**
     * @param int $flag
     *
     * @return bool
     */
    public function hasFlag($flag)
    {
        return (bool) ($this->flags & $flag);
    }

    /**
     * {@inheritdoc}
     */
    public function getNodeTranslators()
    {
        return array(
            'Selector' => array($this, 'translateSelector'),
            'CombinedSelector' => array($this, 'translateCombinedSelector'),
            'Negation' => array($this, 'translateNegation'),
            'Function' => array($this, 'translateFunction'),
            'Pseudo' => array($this, 'translatePseudo'),
            'Attribute' => array($this, 'translateAttribute'),
            'Class' => array($this, 'translateClass'),
            'Hash' => array($this, 'translateHash'),
            'Element' => array($this, 'translateElement'),
        );
    }

    /**
     * @param Node\SelectorNode $node
     * @param Translator        $translator
     *
     * @return XPathExpr
     */
    public function translateSelector(Node\SelectorNode $node, Translator $translator)
    {
        return $translator->nodeToXPath($node->getTree());
    }

    /**
     * @param Node\CombinedSelectorNode $node
     * @param Translator                $translator
     *
     * @return XPathExpr
     */
    public function translateCombinedSelector(Node\CombinedSelectorNode $node, Translator $translator)
    {
        return $translator->addCombination($node->getCombinator(), $node->getSelector(), $node->getSubSelector());
    }

    /**
     * @param Node\NegationNode $node
     * @param Translator        $translator
     *
     * @return XPathExpr
     */
    public function translateNegation(Node\NegationNode $node, Translator $translator)
    {
        $xpath = $translator->nodeToXPath($node->getSelector());
        $subXpath = $translator->nodeToXPath($node->getSubSelector());
        $subXpath->addNameTest();

        if ($subXpath->getCondition()) {
            return $xpath->addCondition(sprintf('not(%s)', $subXpath->getCondition()));
        }

        return $xpath->addCondition('0');
    }

    /**
     * @param Node\FunctionNode $node
     * @param Translator        $translator
     *
     * @return XPathExpr
     */
    public function translateFunction(Node\FunctionNode $node, Translator $translator)
    {
        $xpath = $translator->nodeToXPath($node->getSelector());

        return $translator->addFunction($xpath, $node);
    }

    /**
     * @param Node\PseudoNode $node
     * @param Translator      $translator
     *
     * @return XPathExpr
     */
    public function translatePseudo(Node\PseudoNode $node, Translator $translator)
    {
        $xpath = $translator->nodeToXPath($node->getSelector());

        return $translator->addPseudoClass($xpath, $node->getIdentifier());
    }

    /**
     * @param Node\AttributeNode $node
     * @param Translator         $translator
     *
     * @return XPathExpr
     */
    public function translateAttribute(Node\AttributeNode $node, Translator $translator)
    {
        $name = $node->getAttribute();
        $safe = $this->isSafeName($name);

        if ($this->hasFlag(self::ATTRIBUTE_NAME_IN_LOWER_CASE)) {
            $name = strtolower($name);
        }

        if ($node->getNamespace()) {
            $name = sprintf('%s:%s', $node->getNamespace(), $name);
            $safe = $safe && $this->isSafeName($node->getNamespace());
        }

        $attribute = $safe ? '@'.$name : sprintf('attribute::*[name() = %s]', Translator::getXpathLiteral($name));
        $value = $node->getValue();
        $xpath = $translator->nodeToXPath($node->getSelector());

        if ($this->hasFlag(self::ATTRIBUTE_VALUE_IN_LOWER_CASE)) {
            $value = strtolower($value);
        }

        return $translator->addAttributeMatching($xpath, $node->getOperator(), $attribute, $value);
    }

    /**
     * @param Node\ClassNode $node
     * @param Translator     $translator
     *
     * @return XPathExpr
     */
    public function translateClass(Node\ClassNode $node, Translator $translator)
    {
        $xpath = $translator->nodeToXPath($node->getSelector());

        return $translator->addAttributeMatching($xpath, '~=', '@class', $node->getName());
    }

    /**
     * @param Node\HashNode $node
     * @param Translator    $translator
     *
     * @return XPathExpr
     */
    public function translateHash(Node\HashNode $node, Translator $translator)
    {
        $xpath = $translator->nodeToXPath($node->getSelector());

        return $translator->addAttributeMatching($xpath, '=', '@id', $node->getId());
    }

    /**
     * @param Node\ElementNode $node
     *
     * @return XPathExpr
     */
    public function translateElement(Node\ElementNode $node)
    {
        $element = $node->getElement();

        if ($this->hasFlag(self::ELEMENT_NAME_IN_LOWER_CASE)) {
            $element = strtolower($element);
        }

        if ($element) {
            $safe = $this->isSafeName($element);
        } else {
            $element = '*';
            $safe = true;
        }

        if ($node->getNamespace()) {
            $element = sprintf('%s:%s', $node->getNamespace(), $element);
            $safe = $safe && $this->isSafeName($node->getNamespace());
        }

        $xpath = new XPathExpr('', $element);

        if (!$safe) {
            $xpath->addNameTest();
        }

        return $xpath;
    }

    /**
     * {@inheritdoc}
     */
    public function getName()
    {
        return 'node';
    }

    /**
     * Tests if given name is safe.
     *
     * @param string $name
     *
     * @return bool
     */
    private function isSafeName($name)
    {
        return 0 < preg_match('~^[a-zA-Z_][a-zA-Z0-9_.-]*$~', $name);
    }
}
symfony/css-selector/XPath/Extension/AttributeMatchingExtension.php000064400000011303151330736600021704 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath\Extension;

use Symfony\Component\CssSelector\XPath\Translator;
use Symfony\Component\CssSelector\XPath\XPathExpr;

/**
 * XPath expression translator attribute extension.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class AttributeMatchingExtension extends AbstractExtension
{
    /**
     * {@inheritdoc}
     */
    public function getAttributeMatchingTranslators()
    {
        return array(
            'exists' => array($this, 'translateExists'),
            '=' => array($this, 'translateEquals'),
            '~=' => array($this, 'translateIncludes'),
            '|=' => array($this, 'translateDashMatch'),
            '^=' => array($this, 'translatePrefixMatch'),
            '$=' => array($this, 'translateSuffixMatch'),
            '*=' => array($this, 'translateSubstringMatch'),
            '!=' => array($this, 'translateDifferent'),
        );
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     */
    public function translateExists(XPathExpr $xpath, $attribute, $value)
    {
        return $xpath->addCondition($attribute);
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     */
    public function translateEquals(XPathExpr $xpath, $attribute, $value)
    {
        return $xpath->addCondition(sprintf('%s = %s', $attribute, Translator::getXpathLiteral($value)));
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     */
    public function translateIncludes(XPathExpr $xpath, $attribute, $value)
    {
        return $xpath->addCondition($value ? sprintf(
            '%1$s and contains(concat(\' \', normalize-space(%1$s), \' \'), %2$s)',
            $attribute,
            Translator::getXpathLiteral(' '.$value.' ')
        ) : '0');
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     */
    public function translateDashMatch(XPathExpr $xpath, $attribute, $value)
    {
        return $xpath->addCondition(sprintf(
            '%1$s and (%1$s = %2$s or starts-with(%1$s, %3$s))',
            $attribute,
            Translator::getXpathLiteral($value),
            Translator::getXpathLiteral($value.'-')
        ));
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     */
    public function translatePrefixMatch(XPathExpr $xpath, $attribute, $value)
    {
        return $xpath->addCondition($value ? sprintf(
            '%1$s and starts-with(%1$s, %2$s)',
            $attribute,
            Translator::getXpathLiteral($value)
        ) : '0');
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     */
    public function translateSuffixMatch(XPathExpr $xpath, $attribute, $value)
    {
        return $xpath->addCondition($value ? sprintf(
            '%1$s and substring(%1$s, string-length(%1$s)-%2$s) = %3$s',
            $attribute,
            strlen($value) - 1,
            Translator::getXpathLiteral($value)
        ) : '0');
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     */
    public function translateSubstringMatch(XPathExpr $xpath, $attribute, $value)
    {
        return $xpath->addCondition($value ? sprintf(
            '%1$s and contains(%1$s, %2$s)',
            $attribute,
            Translator::getXpathLiteral($value)
        ) : '0');
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     */
    public function translateDifferent(XPathExpr $xpath, $attribute, $value)
    {
        return $xpath->addCondition(sprintf(
            $value ? 'not(%1$s) or %1$s != %2$s' : '%s != %s',
            $attribute,
            Translator::getXpathLiteral($value)
        ));
    }

    /**
     * {@inheritdoc}
     */
    public function getName()
    {
        return 'attribute-matching';
    }
}
symfony/css-selector/XPath/Extension/FunctionExtension.php000064400000013635151330736600020065 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath\Extension;

use Symfony\Component\CssSelector\Exception\ExpressionErrorException;
use Symfony\Component\CssSelector\Exception\SyntaxErrorException;
use Symfony\Component\CssSelector\Node\FunctionNode;
use Symfony\Component\CssSelector\Parser\Parser;
use Symfony\Component\CssSelector\XPath\Translator;
use Symfony\Component\CssSelector\XPath\XPathExpr;

/**
 * XPath expression translator function extension.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class FunctionExtension extends AbstractExtension
{
    /**
     * {@inheritdoc}
     */
    public function getFunctionTranslators()
    {
        return array(
            'nth-child' => array($this, 'translateNthChild'),
            'nth-last-child' => array($this, 'translateNthLastChild'),
            'nth-of-type' => array($this, 'translateNthOfType'),
            'nth-last-of-type' => array($this, 'translateNthLastOfType'),
            'contains' => array($this, 'translateContains'),
            'lang' => array($this, 'translateLang'),
        );
    }

    /**
     * @param XPathExpr    $xpath
     * @param FunctionNode $function
     * @param bool         $last
     * @param bool         $addNameTest
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function translateNthChild(XPathExpr $xpath, FunctionNode $function, $last = false, $addNameTest = true)
    {
        try {
            list($a, $b) = Parser::parseSeries($function->getArguments());
        } catch (SyntaxErrorException $e) {
            throw new ExpressionErrorException(sprintf('Invalid series: %s', implode(', ', $function->getArguments())), 0, $e);
        }

        $xpath->addStarPrefix();
        if ($addNameTest) {
            $xpath->addNameTest();
        }

        if (0 === $a) {
            return $xpath->addCondition('position() = '.($last ? 'last() - '.($b - 1) : $b));
        }

        if ($a < 0) {
            if ($b < 1) {
                return $xpath->addCondition('false()');
            }

            $sign = '<=';
        } else {
            $sign = '>=';
        }

        $expr = 'position()';

        if ($last) {
            $expr = 'last() - '.$expr;
            --$b;
        }

        if (0 !== $b) {
            $expr .= ' - '.$b;
        }

        $conditions = array(sprintf('%s %s 0', $expr, $sign));

        if (1 !== $a && -1 !== $a) {
            $conditions[] = sprintf('(%s) mod %d = 0', $expr, $a);
        }

        return $xpath->addCondition(implode(' and ', $conditions));

        // todo: handle an+b, odd, even
        // an+b means every-a, plus b, e.g., 2n+1 means odd
        // 0n+b means b
        // n+0 means a=1, i.e., all elements
        // an means every a elements, i.e., 2n means even
        // -n means -1n
        // -1n+6 means elements 6 and previous
    }

    /**
     * @param XPathExpr    $xpath
     * @param FunctionNode $function
     *
     * @return XPathExpr
     */
    public function translateNthLastChild(XPathExpr $xpath, FunctionNode $function)
    {
        return $this->translateNthChild($xpath, $function, true);
    }

    /**
     * @param XPathExpr    $xpath
     * @param FunctionNode $function
     *
     * @return XPathExpr
     */
    public function translateNthOfType(XPathExpr $xpath, FunctionNode $function)
    {
        return $this->translateNthChild($xpath, $function, false, false);
    }

    /**
     * @param XPathExpr    $xpath
     * @param FunctionNode $function
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function translateNthLastOfType(XPathExpr $xpath, FunctionNode $function)
    {
        if ('*' === $xpath->getElement()) {
            throw new ExpressionErrorException('"*:nth-of-type()" is not implemented.');
        }

        return $this->translateNthChild($xpath, $function, true, false);
    }

    /**
     * @param XPathExpr    $xpath
     * @param FunctionNode $function
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function translateContains(XPathExpr $xpath, FunctionNode $function)
    {
        $arguments = $function->getArguments();
        foreach ($arguments as $token) {
            if (!($token->isString() || $token->isIdentifier())) {
                throw new ExpressionErrorException(
                    'Expected a single string or identifier for :contains(), got '
                    .implode(', ', $arguments)
                );
            }
        }

        return $xpath->addCondition(sprintf(
            'contains(string(.), %s)',
            Translator::getXpathLiteral($arguments[0]->getValue())
        ));
    }

    /**
     * @param XPathExpr    $xpath
     * @param FunctionNode $function
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function translateLang(XPathExpr $xpath, FunctionNode $function)
    {
        $arguments = $function->getArguments();
        foreach ($arguments as $token) {
            if (!($token->isString() || $token->isIdentifier())) {
                throw new ExpressionErrorException(
                    'Expected a single string or identifier for :lang(), got '
                    .implode(', ', $arguments)
                );
            }
        }

        return $xpath->addCondition(sprintf(
            'lang(%s)',
            Translator::getXpathLiteral($arguments[0]->getValue())
        ));
    }

    /**
     * {@inheritdoc}
     */
    public function getName()
    {
        return 'function';
    }
}
symfony/css-selector/XPath/Extension/AbstractExtension.php000064400000002353151330736600020036 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath\Extension;

/**
 * XPath expression translator abstract extension.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
abstract class AbstractExtension implements ExtensionInterface
{
    /**
     * {@inheritdoc}
     */
    public function getNodeTranslators()
    {
        return array();
    }

    /**
     * {@inheritdoc}
     */
    public function getCombinationTranslators()
    {
        return array();
    }

    /**
     * {@inheritdoc}
     */
    public function getFunctionTranslators()
    {
        return array();
    }

    /**
     * {@inheritdoc}
     */
    public function getPseudoClassTranslators()
    {
        return array();
    }

    /**
     * {@inheritdoc}
     */
    public function getAttributeMatchingTranslators()
    {
        return array();
    }
}
symfony/css-selector/XPath/Extension/CombinationExtension.php000064400000004513151330736600020535 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath\Extension;

use Symfony\Component\CssSelector\XPath\XPathExpr;

/**
 * XPath expression translator combination extension.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class CombinationExtension extends AbstractExtension
{
    /**
     * {@inheritdoc}
     */
    public function getCombinationTranslators()
    {
        return array(
            ' ' => array($this, 'translateDescendant'),
            '>' => array($this, 'translateChild'),
            '+' => array($this, 'translateDirectAdjacent'),
            '~' => array($this, 'translateIndirectAdjacent'),
        );
    }

    /**
     * @param XPathExpr $xpath
     * @param XPathExpr $combinedXpath
     *
     * @return XPathExpr
     */
    public function translateDescendant(XPathExpr $xpath, XPathExpr $combinedXpath)
    {
        return $xpath->join('/descendant-or-self::*/', $combinedXpath);
    }

    /**
     * @param XPathExpr $xpath
     * @param XPathExpr $combinedXpath
     *
     * @return XPathExpr
     */
    public function translateChild(XPathExpr $xpath, XPathExpr $combinedXpath)
    {
        return $xpath->join('/', $combinedXpath);
    }

    /**
     * @param XPathExpr $xpath
     * @param XPathExpr $combinedXpath
     *
     * @return XPathExpr
     */
    public function translateDirectAdjacent(XPathExpr $xpath, XPathExpr $combinedXpath)
    {
        return $xpath
            ->join('/following-sibling::', $combinedXpath)
            ->addNameTest()
            ->addCondition('position() = 1');
    }

    /**
     * @param XPathExpr $xpath
     * @param XPathExpr $combinedXpath
     *
     * @return XPathExpr
     */
    public function translateIndirectAdjacent(XPathExpr $xpath, XPathExpr $combinedXpath)
    {
        return $xpath->join('/following-sibling::', $combinedXpath);
    }

    /**
     * {@inheritdoc}
     */
    public function getName()
    {
        return 'combination';
    }
}
symfony/css-selector/XPath/Extension/PseudoClassExtension.php000064400000007701151330736600020522 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath\Extension;

use Symfony\Component\CssSelector\Exception\ExpressionErrorException;
use Symfony\Component\CssSelector\XPath\XPathExpr;

/**
 * XPath expression translator pseudo-class extension.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class PseudoClassExtension extends AbstractExtension
{
    /**
     * {@inheritdoc}
     */
    public function getPseudoClassTranslators()
    {
        return array(
            'root' => array($this, 'translateRoot'),
            'first-child' => array($this, 'translateFirstChild'),
            'last-child' => array($this, 'translateLastChild'),
            'first-of-type' => array($this, 'translateFirstOfType'),
            'last-of-type' => array($this, 'translateLastOfType'),
            'only-child' => array($this, 'translateOnlyChild'),
            'only-of-type' => array($this, 'translateOnlyOfType'),
            'empty' => array($this, 'translateEmpty'),
        );
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateRoot(XPathExpr $xpath)
    {
        return $xpath->addCondition('not(parent::*)');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateFirstChild(XPathExpr $xpath)
    {
        return $xpath
            ->addStarPrefix()
            ->addNameTest()
            ->addCondition('position() = 1');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateLastChild(XPathExpr $xpath)
    {
        return $xpath
            ->addStarPrefix()
            ->addNameTest()
            ->addCondition('position() = last()');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function translateFirstOfType(XPathExpr $xpath)
    {
        if ('*' === $xpath->getElement()) {
            throw new ExpressionErrorException('"*:first-of-type" is not implemented.');
        }

        return $xpath
            ->addStarPrefix()
            ->addCondition('position() = 1');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function translateLastOfType(XPathExpr $xpath)
    {
        if ('*' === $xpath->getElement()) {
            throw new ExpressionErrorException('"*:last-of-type" is not implemented.');
        }

        return $xpath
            ->addStarPrefix()
            ->addCondition('position() = last()');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateOnlyChild(XPathExpr $xpath)
    {
        return $xpath
            ->addStarPrefix()
            ->addNameTest()
            ->addCondition('last() = 1');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function translateOnlyOfType(XPathExpr $xpath)
    {
        if ('*' === $xpath->getElement()) {
            throw new ExpressionErrorException('"*:only-of-type" is not implemented.');
        }

        return $xpath->addCondition('last() = 1');
    }

    /**
     * @param XPathExpr $xpath
     *
     * @return XPathExpr
     */
    public function translateEmpty(XPathExpr $xpath)
    {
        return $xpath->addCondition('not(*) and not(string-length())');
    }

    /**
     * {@inheritdoc}
     */
    public function getName()
    {
        return 'pseudo-class';
    }
}
symfony/css-selector/XPath/Translator.php000064400000020414151330736600014551 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath;

use Symfony\Component\CssSelector\Exception\ExpressionErrorException;
use Symfony\Component\CssSelector\Node\FunctionNode;
use Symfony\Component\CssSelector\Node\NodeInterface;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\Parser;
use Symfony\Component\CssSelector\Parser\ParserInterface;

/**
 * XPath expression translator interface.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class Translator implements TranslatorInterface
{
    /**
     * @var ParserInterface
     */
    private $mainParser;

    /**
     * @var ParserInterface[]
     */
    private $shortcutParsers = array();

    /**
     * @var Extension\ExtensionInterface
     */
    private $extensions = array();

    /**
     * @var array
     */
    private $nodeTranslators = array();

    /**
     * @var array
     */
    private $combinationTranslators = array();

    /**
     * @var array
     */
    private $functionTranslators = array();

    /**
     * @var array
     */
    private $pseudoClassTranslators = array();

    /**
     * @var array
     */
    private $attributeMatchingTranslators = array();

    public function __construct(ParserInterface $parser = null)
    {
        $this->mainParser = $parser ?: new Parser();

        $this
            ->registerExtension(new Extension\NodeExtension())
            ->registerExtension(new Extension\CombinationExtension())
            ->registerExtension(new Extension\FunctionExtension())
            ->registerExtension(new Extension\PseudoClassExtension())
            ->registerExtension(new Extension\AttributeMatchingExtension())
        ;
    }

    /**
     * @param string $element
     *
     * @return string
     */
    public static function getXpathLiteral($element)
    {
        if (false === strpos($element, "'")) {
            return "'".$element."'";
        }

        if (false === strpos($element, '"')) {
            return '"'.$element.'"';
        }

        $string = $element;
        $parts = array();
        while (true) {
            if (false !== $pos = strpos($string, "'")) {
                $parts[] = sprintf("'%s'", substr($string, 0, $pos));
                $parts[] = "\"'\"";
                $string = substr($string, $pos + 1);
            } else {
                $parts[] = "'$string'";
                break;
            }
        }

        return sprintf('concat(%s)', implode($parts, ', '));
    }

    /**
     * {@inheritdoc}
     */
    public function cssToXPath($cssExpr, $prefix = 'descendant-or-self::')
    {
        $selectors = $this->parseSelectors($cssExpr);

        /** @var SelectorNode $selector */
        foreach ($selectors as $index => $selector) {
            if (null !== $selector->getPseudoElement()) {
                throw new ExpressionErrorException('Pseudo-elements are not supported.');
            }

            $selectors[$index] = $this->selectorToXPath($selector, $prefix);
        }

        return implode(' | ', $selectors);
    }

    /**
     * {@inheritdoc}
     */
    public function selectorToXPath(SelectorNode $selector, $prefix = 'descendant-or-self::')
    {
        return ($prefix ?: '').$this->nodeToXPath($selector);
    }

    /**
     * Registers an extension.
     *
     * @param Extension\ExtensionInterface $extension
     *
     * @return $this
     */
    public function registerExtension(Extension\ExtensionInterface $extension)
    {
        $this->extensions[$extension->getName()] = $extension;

        $this->nodeTranslators = array_merge($this->nodeTranslators, $extension->getNodeTranslators());
        $this->combinationTranslators = array_merge($this->combinationTranslators, $extension->getCombinationTranslators());
        $this->functionTranslators = array_merge($this->functionTranslators, $extension->getFunctionTranslators());
        $this->pseudoClassTranslators = array_merge($this->pseudoClassTranslators, $extension->getPseudoClassTranslators());
        $this->attributeMatchingTranslators = array_merge($this->attributeMatchingTranslators, $extension->getAttributeMatchingTranslators());

        return $this;
    }

    /**
     * @param string $name
     *
     * @return Extension\ExtensionInterface
     *
     * @throws ExpressionErrorException
     */
    public function getExtension($name)
    {
        if (!isset($this->extensions[$name])) {
            throw new ExpressionErrorException(sprintf('Extension "%s" not registered.', $name));
        }

        return $this->extensions[$name];
    }

    /**
     * Registers a shortcut parser.
     *
     * @param ParserInterface $shortcut
     *
     * @return $this
     */
    public function registerParserShortcut(ParserInterface $shortcut)
    {
        $this->shortcutParsers[] = $shortcut;

        return $this;
    }

    /**
     * @param NodeInterface $node
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function nodeToXPath(NodeInterface $node)
    {
        if (!isset($this->nodeTranslators[$node->getNodeName()])) {
            throw new ExpressionErrorException(sprintf('Node "%s" not supported.', $node->getNodeName()));
        }

        return call_user_func($this->nodeTranslators[$node->getNodeName()], $node, $this);
    }

    /**
     * @param string        $combiner
     * @param NodeInterface $xpath
     * @param NodeInterface $combinedXpath
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function addCombination($combiner, NodeInterface $xpath, NodeInterface $combinedXpath)
    {
        if (!isset($this->combinationTranslators[$combiner])) {
            throw new ExpressionErrorException(sprintf('Combiner "%s" not supported.', $combiner));
        }

        return call_user_func($this->combinationTranslators[$combiner], $this->nodeToXPath($xpath), $this->nodeToXPath($combinedXpath));
    }

    /**
     * @param XPathExpr    $xpath
     * @param FunctionNode $function
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function addFunction(XPathExpr $xpath, FunctionNode $function)
    {
        if (!isset($this->functionTranslators[$function->getName()])) {
            throw new ExpressionErrorException(sprintf('Function "%s" not supported.', $function->getName()));
        }

        return call_user_func($this->functionTranslators[$function->getName()], $xpath, $function);
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $pseudoClass
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function addPseudoClass(XPathExpr $xpath, $pseudoClass)
    {
        if (!isset($this->pseudoClassTranslators[$pseudoClass])) {
            throw new ExpressionErrorException(sprintf('Pseudo-class "%s" not supported.', $pseudoClass));
        }

        return call_user_func($this->pseudoClassTranslators[$pseudoClass], $xpath);
    }

    /**
     * @param XPathExpr $xpath
     * @param string    $operator
     * @param string    $attribute
     * @param string    $value
     *
     * @return XPathExpr
     *
     * @throws ExpressionErrorException
     */
    public function addAttributeMatching(XPathExpr $xpath, $operator, $attribute, $value)
    {
        if (!isset($this->attributeMatchingTranslators[$operator])) {
            throw new ExpressionErrorException(sprintf('Attribute matcher operator "%s" not supported.', $operator));
        }

        return call_user_func($this->attributeMatchingTranslators[$operator], $xpath, $attribute, $value);
    }

    /**
     * @param string $css
     *
     * @return SelectorNode[]
     */
    private function parseSelectors($css)
    {
        foreach ($this->shortcutParsers as $shortcut) {
            $tokens = $shortcut->parse($css);

            if (!empty($tokens)) {
                return $tokens;
            }
        }

        return $this->mainParser->parse($css);
    }
}
symfony/css-selector/XPath/XPathExpr.php000064400000005461151330736600014310 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\XPath;

/**
 * XPath expression translator interface.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class XPathExpr
{
    /**
     * @var string
     */
    private $path;

    /**
     * @var string
     */
    private $element;

    /**
     * @var string
     */
    private $condition;

    /**
     * @param string $path
     * @param string $element
     * @param string $condition
     * @param bool   $starPrefix
     */
    public function __construct($path = '', $element = '*', $condition = '', $starPrefix = false)
    {
        $this->path = $path;
        $this->element = $element;
        $this->condition = $condition;

        if ($starPrefix) {
            $this->addStarPrefix();
        }
    }

    /**
     * @return string
     */
    public function getElement()
    {
        return $this->element;
    }

    /**
     * @param $condition
     *
     * @return $this
     */
    public function addCondition($condition)
    {
        $this->condition = $this->condition ? sprintf('%s and (%s)', $this->condition, $condition) : $condition;

        return $this;
    }

    /**
     * @return string
     */
    public function getCondition()
    {
        return $this->condition;
    }

    /**
     * @return $this
     */
    public function addNameTest()
    {
        if ('*' !== $this->element) {
            $this->addCondition('name() = '.Translator::getXpathLiteral($this->element));
            $this->element = '*';
        }

        return $this;
    }

    /**
     * @return $this
     */
    public function addStarPrefix()
    {
        $this->path .= '*/';

        return $this;
    }

    /**
     * Joins another XPathExpr with a combiner.
     *
     * @param string    $combiner
     * @param XPathExpr $expr
     *
     * @return $this
     */
    public function join($combiner, XPathExpr $expr)
    {
        $path = $this->__toString().$combiner;

        if ('*/' !== $expr->path) {
            $path .= $expr->path;
        }

        $this->path = $path;
        $this->element = $expr->element;
        $this->condition = $expr->condition;

        return $this;
    }

    /**
     * @return string
     */
    public function __toString()
    {
        $path = $this->path.$this->element;
        $condition = null === $this->condition || '' === $this->condition ? '' : '['.$this->condition.']';

        return $path.$condition;
    }
}
symfony/css-selector/Node/HashNode.php000064400000002752151330736600013757 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a "<selector>#<id>" node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class HashNode extends AbstractNode
{
    /**
     * @var NodeInterface
     */
    private $selector;

    /**
     * @var string
     */
    private $id;

    /**
     * @param NodeInterface $selector
     * @param string        $id
     */
    public function __construct(NodeInterface $selector, $id)
    {
        $this->selector = $selector;
        $this->id = $id;
    }

    /**
     * @return NodeInterface
     */
    public function getSelector()
    {
        return $this->selector;
    }

    /**
     * @return string
     */
    public function getId()
    {
        return $this->id;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return $this->selector->getSpecificity()->plus(new Specificity(1, 0, 0));
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        return sprintf('%s[%s#%s]', $this->getNodeName(), $this->selector, $this->id);
    }
}
symfony/css-selector/Node/SelectorNode.php000064400000003242151330736600014647 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a "<selector>(::|:)<pseudoElement>" node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class SelectorNode extends AbstractNode
{
    /**
     * @var NodeInterface
     */
    private $tree;

    /**
     * @var null|string
     */
    private $pseudoElement;

    /**
     * @param NodeInterface $tree
     * @param null|string   $pseudoElement
     */
    public function __construct(NodeInterface $tree, $pseudoElement = null)
    {
        $this->tree = $tree;
        $this->pseudoElement = $pseudoElement ? strtolower($pseudoElement) : null;
    }

    /**
     * @return NodeInterface
     */
    public function getTree()
    {
        return $this->tree;
    }

    /**
     * @return null|string
     */
    public function getPseudoElement()
    {
        return $this->pseudoElement;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return $this->tree->getSpecificity()->plus(new Specificity(0, 0, $this->pseudoElement ? 1 : 0));
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        return sprintf('%s[%s%s]', $this->getNodeName(), $this->tree, $this->pseudoElement ? '::'.$this->pseudoElement : '');
    }
}
symfony/css-selector/Node/AbstractNode.php000064400000001646151330736600014640 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Abstract base node class.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
abstract class AbstractNode implements NodeInterface
{
    /**
     * @var string
     */
    private $nodeName;

    /**
     * @return string
     */
    public function getNodeName()
    {
        if (null === $this->nodeName) {
            $this->nodeName = preg_replace('~.*\\\\([^\\\\]+)Node$~', '$1', get_called_class());
        }

        return $this->nodeName;
    }
}
symfony/css-selector/Node/ClassNode.php000064400000002775151330736600014146 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a "<selector>.<name>" node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class ClassNode extends AbstractNode
{
    /**
     * @var NodeInterface
     */
    private $selector;

    /**
     * @var string
     */
    private $name;

    /**
     * @param NodeInterface $selector
     * @param string        $name
     */
    public function __construct(NodeInterface $selector, $name)
    {
        $this->selector = $selector;
        $this->name = $name;
    }

    /**
     * @return NodeInterface
     */
    public function getSelector()
    {
        return $this->selector;
    }

    /**
     * @return string
     */
    public function getName()
    {
        return $this->name;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return $this->selector->getSpecificity()->plus(new Specificity(0, 1, 0));
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        return sprintf('%s[%s.%s]', $this->getNodeName(), $this->selector, $this->name);
    }
}
symfony/css-selector/Node/Specificity.php000064400000004242151330736600014535 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a node specificity.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @see http://www.w3.org/TR/selectors/#specificity
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class Specificity
{
    const A_FACTOR = 100;
    const B_FACTOR = 10;
    const C_FACTOR = 1;

    /**
     * @var int
     */
    private $a;

    /**
     * @var int
     */
    private $b;

    /**
     * @var int
     */
    private $c;

    /**
     * Constructor.
     *
     * @param int $a
     * @param int $b
     * @param int $c
     */
    public function __construct($a, $b, $c)
    {
        $this->a = $a;
        $this->b = $b;
        $this->c = $c;
    }

    /**
     * @param Specificity $specificity
     *
     * @return self
     */
    public function plus(Specificity $specificity)
    {
        return new self($this->a + $specificity->a, $this->b + $specificity->b, $this->c + $specificity->c);
    }

    /**
     * Returns global specificity value.
     *
     * @return int
     */
    public function getValue()
    {
        return $this->a * self::A_FACTOR + $this->b * self::B_FACTOR + $this->c * self::C_FACTOR;
    }

    /**
     * Returns -1 if the object specificity is lower than the argument,
     * 0 if they are equal, and 1 if the argument is lower.
     *
     * @param Specificity $specificity
     *
     * @return int
     */
    public function compareTo(Specificity $specificity)
    {
        if ($this->a !== $specificity->a) {
            return $this->a > $specificity->a ? 1 : -1;
        }

        if ($this->b !== $specificity->b) {
            return $this->b > $specificity->b ? 1 : -1;
        }

        if ($this->c !== $specificity->c) {
            return $this->c > $specificity->c ? 1 : -1;
        }

        return 0;
    }
}
symfony/css-selector/Node/PseudoNode.php000064400000003100151330736600014317 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a "<selector>:<identifier>" node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class PseudoNode extends AbstractNode
{
    /**
     * @var NodeInterface
     */
    private $selector;

    /**
     * @var string
     */
    private $identifier;

    /**
     * @param NodeInterface $selector
     * @param string        $identifier
     */
    public function __construct(NodeInterface $selector, $identifier)
    {
        $this->selector = $selector;
        $this->identifier = strtolower($identifier);
    }

    /**
     * @return NodeInterface
     */
    public function getSelector()
    {
        return $this->selector;
    }

    /**
     * @return string
     */
    public function getIdentifier()
    {
        return $this->identifier;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return $this->selector->getSpecificity()->plus(new Specificity(0, 1, 0));
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        return sprintf('%s[%s:%s]', $this->getNodeName(), $this->selector, $this->identifier);
    }
}
symfony/css-selector/Node/CombinedSelectorNode.php000064400000003726151330736600016317 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a combined node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class CombinedSelectorNode extends AbstractNode
{
    /**
     * @var NodeInterface
     */
    private $selector;

    /**
     * @var string
     */
    private $combinator;

    /**
     * @var NodeInterface
     */
    private $subSelector;

    /**
     * @param NodeInterface $selector
     * @param string        $combinator
     * @param NodeInterface $subSelector
     */
    public function __construct(NodeInterface $selector, $combinator, NodeInterface $subSelector)
    {
        $this->selector = $selector;
        $this->combinator = $combinator;
        $this->subSelector = $subSelector;
    }

    /**
     * @return NodeInterface
     */
    public function getSelector()
    {
        return $this->selector;
    }

    /**
     * @return string
     */
    public function getCombinator()
    {
        return $this->combinator;
    }

    /**
     * @return NodeInterface
     */
    public function getSubSelector()
    {
        return $this->subSelector;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return $this->selector->getSpecificity()->plus($this->subSelector->getSpecificity());
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        $combinator = ' ' === $this->combinator ? '<followed>' : $this->combinator;

        return sprintf('%s[%s %s %s]', $this->getNodeName(), $this->selector, $combinator, $this->subSelector);
    }
}
symfony/css-selector/Node/NegationNode.php000064400000003160151330736600014632 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a "<selector>:not(<identifier>)" node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class NegationNode extends AbstractNode
{
    /**
     * @var NodeInterface
     */
    private $selector;

    /**
     * @var NodeInterface
     */
    private $subSelector;

    /**
     * @param NodeInterface $selector
     * @param NodeInterface $subSelector
     */
    public function __construct(NodeInterface $selector, NodeInterface $subSelector)
    {
        $this->selector = $selector;
        $this->subSelector = $subSelector;
    }

    /**
     * @return NodeInterface
     */
    public function getSelector()
    {
        return $this->selector;
    }

    /**
     * @return NodeInterface
     */
    public function getSubSelector()
    {
        return $this->subSelector;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return $this->selector->getSpecificity()->plus($this->subSelector->getSpecificity());
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        return sprintf('%s[%s:not(%s)]', $this->getNodeName(), $this->selector, $this->subSelector);
    }
}
symfony/css-selector/Node/FunctionNode.php000064400000004051151330736600014653 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

use Symfony\Component\CssSelector\Parser\Token;

/**
 * Represents a "<selector>:<name>(<arguments>)" node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class FunctionNode extends AbstractNode
{
    /**
     * @var NodeInterface
     */
    private $selector;

    /**
     * @var string
     */
    private $name;

    /**
     * @var Token[]
     */
    private $arguments;

    /**
     * @param NodeInterface $selector
     * @param string        $name
     * @param Token[]       $arguments
     */
    public function __construct(NodeInterface $selector, $name, array $arguments = array())
    {
        $this->selector = $selector;
        $this->name = strtolower($name);
        $this->arguments = $arguments;
    }

    /**
     * @return NodeInterface
     */
    public function getSelector()
    {
        return $this->selector;
    }

    /**
     * @return string
     */
    public function getName()
    {
        return $this->name;
    }

    /**
     * @return Token[]
     */
    public function getArguments()
    {
        return $this->arguments;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return $this->selector->getSpecificity()->plus(new Specificity(0, 1, 0));
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        $arguments = implode(', ', array_map(function (Token $token) {
            return "'".$token->getValue()."'";
        }, $this->arguments));

        return sprintf('%s[%s:%s(%s)]', $this->getNodeName(), $this->selector, $this->name, $arguments ? '['.$arguments.']' : '');
    }
}
symfony/css-selector/Node/AttributeNode.php000064400000005131151330736600015031 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a "<selector>[<namespace>|<attribute> <operator> <value>]" node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class AttributeNode extends AbstractNode
{
    /**
     * @var NodeInterface
     */
    private $selector;

    /**
     * @var string
     */
    private $namespace;

    /**
     * @var string
     */
    private $attribute;

    /**
     * @var string
     */
    private $operator;

    /**
     * @var string
     */
    private $value;

    /**
     * @param NodeInterface $selector
     * @param string        $namespace
     * @param string        $attribute
     * @param string        $operator
     * @param string        $value
     */
    public function __construct(NodeInterface $selector, $namespace, $attribute, $operator, $value)
    {
        $this->selector = $selector;
        $this->namespace = $namespace;
        $this->attribute = $attribute;
        $this->operator = $operator;
        $this->value = $value;
    }

    /**
     * @return NodeInterface
     */
    public function getSelector()
    {
        return $this->selector;
    }

    /**
     * @return string
     */
    public function getNamespace()
    {
        return $this->namespace;
    }

    /**
     * @return string
     */
    public function getAttribute()
    {
        return $this->attribute;
    }

    /**
     * @return string
     */
    public function getOperator()
    {
        return $this->operator;
    }

    /**
     * @return string
     */
    public function getValue()
    {
        return $this->value;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return $this->selector->getSpecificity()->plus(new Specificity(0, 1, 0));
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        $attribute = $this->namespace ? $this->namespace.'|'.$this->attribute : $this->attribute;

        return 'exists' === $this->operator
            ? sprintf('%s[%s[%s]]', $this->getNodeName(), $this->selector, $attribute)
            : sprintf("%s[%s[%s %s '%s']]", $this->getNodeName(), $this->selector, $attribute, $this->operator, $this->value);
    }
}
symfony/css-selector/Node/ElementNode.php000064400000003124151330736600014457 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Represents a "<namespace>|<element>" node.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class ElementNode extends AbstractNode
{
    /**
     * @var string|null
     */
    private $namespace;

    /**
     * @var string|null
     */
    private $element;

    /**
     * @param string|null $namespace
     * @param string|null $element
     */
    public function __construct($namespace = null, $element = null)
    {
        $this->namespace = $namespace;
        $this->element = $element;
    }

    /**
     * @return null|string
     */
    public function getNamespace()
    {
        return $this->namespace;
    }

    /**
     * @return null|string
     */
    public function getElement()
    {
        return $this->element;
    }

    /**
     * {@inheritdoc}
     */
    public function getSpecificity()
    {
        return new Specificity(0, 0, $this->element ? 1 : 0);
    }

    /**
     * {@inheritdoc}
     */
    public function __toString()
    {
        $element = $this->element ?: '*';

        return sprintf('%s[%s]', $this->getNodeName(), $this->namespace ? $this->namespace.'|'.$element : $element);
    }
}
symfony/css-selector/Node/NodeInterface.php000064400000001646151330736600014775 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Node;

/**
 * Interface for nodes.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
interface NodeInterface
{
    /**
     * Returns node's name.
     *
     * @return string
     */
    public function getNodeName();

    /**
     * Returns node's specificity.
     *
     * @return Specificity
     */
    public function getSpecificity();

    /**
     * Returns node's string representation.
     *
     * @return string
     */
    public function __toString();
}
symfony/css-selector/Parser/TokenStream.php000064400000007107151330736600015070 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser;

use Symfony\Component\CssSelector\Exception\InternalErrorException;
use Symfony\Component\CssSelector\Exception\SyntaxErrorException;

/**
 * CSS selector token stream.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class TokenStream
{
    /**
     * @var Token[]
     */
    private $tokens = array();

    /**
     * @var bool
     */
    private $frozen = false;

    /**
     * @var Token[]
     */
    private $used = array();

    /**
     * @var int
     */
    private $cursor = 0;

    /**
     * @var Token|null
     */
    private $peeked = null;

    /**
     * @var bool
     */
    private $peeking = false;

    /**
     * Pushes a token.
     *
     * @param Token $token
     *
     * @return $this
     */
    public function push(Token $token)
    {
        $this->tokens[] = $token;

        return $this;
    }

    /**
     * Freezes stream.
     *
     * @return $this
     */
    public function freeze()
    {
        $this->frozen = true;

        return $this;
    }

    /**
     * Returns next token.
     *
     * @return Token
     *
     * @throws InternalErrorException If there is no more token
     */
    public function getNext()
    {
        if ($this->peeking) {
            $this->peeking = false;
            $this->used[] = $this->peeked;

            return $this->peeked;
        }

        if (!isset($this->tokens[$this->cursor])) {
            throw new InternalErrorException('Unexpected token stream end.');
        }

        return $this->tokens[$this->cursor++];
    }

    /**
     * Returns peeked token.
     *
     * @return Token
     */
    public function getPeek()
    {
        if (!$this->peeking) {
            $this->peeked = $this->getNext();
            $this->peeking = true;
        }

        return $this->peeked;
    }

    /**
     * Returns used tokens.
     *
     * @return Token[]
     */
    public function getUsed()
    {
        return $this->used;
    }

    /**
     * Returns nex identifier token.
     *
     * @return string The identifier token value
     *
     * @throws SyntaxErrorException If next token is not an identifier
     */
    public function getNextIdentifier()
    {
        $next = $this->getNext();

        if (!$next->isIdentifier()) {
            throw SyntaxErrorException::unexpectedToken('identifier', $next);
        }

        return $next->getValue();
    }

    /**
     * Returns nex identifier or star delimiter token.
     *
     * @return null|string The identifier token value or null if star found
     *
     * @throws SyntaxErrorException If next token is not an identifier or a star delimiter
     */
    public function getNextIdentifierOrStar()
    {
        $next = $this->getNext();

        if ($next->isIdentifier()) {
            return $next->getValue();
        }

        if ($next->isDelimiter(array('*'))) {
            return;
        }

        throw SyntaxErrorException::unexpectedToken('identifier or "*"', $next);
    }

    /**
     * Skips next whitespace if any.
     */
    public function skipWhitespace()
    {
        $peek = $this->getPeek();

        if ($peek->isWhitespace()) {
            $this->getNext();
        }
    }
}
symfony/css-selector/Parser/ParserInterface.php000064400000001477151330736600015715 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser;

use Symfony\Component\CssSelector\Node\SelectorNode;

/**
 * CSS selector parser interface.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
interface ParserInterface
{
    /**
     * Parses given selector source into an array of tokens.
     *
     * @param string $source
     *
     * @return SelectorNode[]
     */
    public function parse($source);
}
symfony/css-selector/Parser/Token.php000064400000005677151330736600013726 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser;

/**
 * CSS selector token.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class Token
{
    const TYPE_FILE_END = 'eof';
    const TYPE_DELIMITER = 'delimiter';
    const TYPE_WHITESPACE = 'whitespace';
    const TYPE_IDENTIFIER = 'identifier';
    const TYPE_HASH = 'hash';
    const TYPE_NUMBER = 'number';
    const TYPE_STRING = 'string';

    /**
     * @var int
     */
    private $type;

    /**
     * @var string
     */
    private $value;

    /**
     * @var int
     */
    private $position;

    /**
     * @param int    $type
     * @param string $value
     * @param int    $position
     */
    public function __construct($type, $value, $position)
    {
        $this->type = $type;
        $this->value = $value;
        $this->position = $position;
    }

    /**
     * @return int
     */
    public function getType()
    {
        return $this->type;
    }

    /**
     * @return string
     */
    public function getValue()
    {
        return $this->value;
    }

    /**
     * @return int
     */
    public function getPosition()
    {
        return $this->position;
    }

    /**
     * @return bool
     */
    public function isFileEnd()
    {
        return self::TYPE_FILE_END === $this->type;
    }

    /**
     * @param array $values
     *
     * @return bool
     */
    public function isDelimiter(array $values = array())
    {
        if (self::TYPE_DELIMITER !== $this->type) {
            return false;
        }

        if (empty($values)) {
            return true;
        }

        return in_array($this->value, $values);
    }

    /**
     * @return bool
     */
    public function isWhitespace()
    {
        return self::TYPE_WHITESPACE === $this->type;
    }

    /**
     * @return bool
     */
    public function isIdentifier()
    {
        return self::TYPE_IDENTIFIER === $this->type;
    }

    /**
     * @return bool
     */
    public function isHash()
    {
        return self::TYPE_HASH === $this->type;
    }

    /**
     * @return bool
     */
    public function isNumber()
    {
        return self::TYPE_NUMBER === $this->type;
    }

    /**
     * @return bool
     */
    public function isString()
    {
        return self::TYPE_STRING === $this->type;
    }

    /**
     * @return string
     */
    public function __toString()
    {
        if ($this->value) {
            return sprintf('<%s "%s" at %s>', $this->type, $this->value, $this->position);
        }

        return sprintf('<%s at %s>', $this->type, $this->position);
    }
}
symfony/css-selector/Parser/Reader.php000064400000004423151330736600014034 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser;

/**
 * CSS selector reader.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class Reader
{
    /**
     * @var string
     */
    private $source;

    /**
     * @var int
     */
    private $length;

    /**
     * @var int
     */
    private $position = 0;

    /**
     * @param string $source
     */
    public function __construct($source)
    {
        $this->source = $source;
        $this->length = strlen($source);
    }

    /**
     * @return bool
     */
    public function isEOF()
    {
        return $this->position >= $this->length;
    }

    /**
     * @return int
     */
    public function getPosition()
    {
        return $this->position;
    }

    /**
     * @return int
     */
    public function getRemainingLength()
    {
        return $this->length - $this->position;
    }

    /**
     * @param int $length
     * @param int $offset
     *
     * @return string
     */
    public function getSubstring($length, $offset = 0)
    {
        return substr($this->source, $this->position + $offset, $length);
    }

    /**
     * @param string $string
     *
     * @return int
     */
    public function getOffset($string)
    {
        $position = strpos($this->source, $string, $this->position);

        return false === $position ? false : $position - $this->position;
    }

    /**
     * @param string $pattern
     *
     * @return array|false
     */
    public function findPattern($pattern)
    {
        $source = substr($this->source, $this->position);

        if (preg_match($pattern, $source, $matches)) {
            return $matches;
        }

        return false;
    }

    /**
     * @param int $length
     */
    public function moveForward($length)
    {
        $this->position += $length;
    }

    public function moveToEnd()
    {
        $this->position = $this->length;
    }
}
symfony/css-selector/Parser/Shortcut/ClassParser.php000064400000003070151330736600016664 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Shortcut;

use Symfony\Component\CssSelector\Node\ClassNode;
use Symfony\Component\CssSelector\Node\ElementNode;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\ParserInterface;

/**
 * CSS selector class parser shortcut.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class ClassParser implements ParserInterface
{
    /**
     * {@inheritdoc}
     */
    public function parse($source)
    {
        // Matches an optional namespace, optional element, and required class
        // $source = 'test|input.ab6bd_field';
        // $matches = array (size=4)
        //     0 => string 'test|input.ab6bd_field' (length=22)
        //     1 => string 'test' (length=4)
        //     2 => string 'input' (length=5)
        //     3 => string 'ab6bd_field' (length=11)
        if (preg_match('/^(?:([a-z]++)\|)?+([\w-]++|\*)?+\.([\w-]++)$/i', trim($source), $matches)) {
            return array(
                new SelectorNode(new ClassNode(new ElementNode($matches[1] ?: null, $matches[2] ?: null), $matches[3])),
            );
        }

        return array();
    }
}
symfony/css-selector/Parser/Shortcut/EmptyStringParser.php000064400000002312151330736600020102 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Shortcut;

use Symfony\Component\CssSelector\Node\ElementNode;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\ParserInterface;

/**
 * CSS selector class parser shortcut.
 *
 * This shortcut ensure compatibility with previous version.
 * - The parser fails to parse an empty string.
 * - In the previous version, an empty string matches each tags.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class EmptyStringParser implements ParserInterface
{
    /**
     * {@inheritdoc}
     */
    public function parse($source)
    {
        // Matches an empty string
        if ($source == '') {
            return array(new SelectorNode(new ElementNode(null, '*')));
        }

        return array();
    }
}
symfony/css-selector/Parser/Shortcut/ElementParser.php000064400000002550151330736600017212 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Shortcut;

use Symfony\Component\CssSelector\Node\ElementNode;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\ParserInterface;

/**
 * CSS selector element parser shortcut.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class ElementParser implements ParserInterface
{
    /**
     * {@inheritdoc}
     */
    public function parse($source)
    {
        // Matches an optional namespace, required element or `*`
        // $source = 'testns|testel';
        // $matches = array (size=3)
        //     0 => string 'testns|testel' (length=13)
        //     1 => string 'testns' (length=6)
        //     2 => string 'testel' (length=6)
        if (preg_match('/^(?:([a-z]++)\|)?([\w-]++|\*)$/i', trim($source), $matches)) {
            return array(new SelectorNode(new ElementNode($matches[1] ?: null, $matches[2])));
        }

        return array();
    }
}
symfony/css-selector/Parser/Shortcut/HashParser.php000064400000003060151330736600016501 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Shortcut;

use Symfony\Component\CssSelector\Node\ElementNode;
use Symfony\Component\CssSelector\Node\HashNode;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\ParserInterface;

/**
 * CSS selector hash parser shortcut.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class HashParser implements ParserInterface
{
    /**
     * {@inheritdoc}
     */
    public function parse($source)
    {
        // Matches an optional namespace, optional element, and required id
        // $source = 'test|input#ab6bd_field';
        // $matches = array (size=4)
        //     0 => string 'test|input#ab6bd_field' (length=22)
        //     1 => string 'test' (length=4)
        //     2 => string 'input' (length=5)
        //     3 => string 'ab6bd_field' (length=11)
        if (preg_match('/^(?:([a-z]++)\|)?+([\w-]++|\*)?+#([\w-]++)$/i', trim($source), $matches)) {
            return array(
                new SelectorNode(new HashNode(new ElementNode($matches[1] ?: null, $matches[2] ?: null), $matches[3])),
            );
        }

        return array();
    }
}
symfony/css-selector/Parser/Handler/WhitespaceHandler.php000064400000002240151330736600017574 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;

/**
 * CSS selector whitespace handler.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class WhitespaceHandler implements HandlerInterface
{
    /**
     * {@inheritdoc}
     */
    public function handle(Reader $reader, TokenStream $stream)
    {
        $match = $reader->findPattern('~^[ \t\r\n\f]+~');

        if (false === $match) {
            return false;
        }

        $stream->push(new Token(Token::TYPE_WHITESPACE, $match[0], $reader->getPosition()));
        $reader->moveForward(strlen($match[0]));

        return true;
    }
}
symfony/css-selector/Parser/Handler/HandlerInterface.php000064400000001561151330736600017405 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\TokenStream;

/**
 * CSS selector handler interface.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
interface HandlerInterface
{
    /**
     * @param Reader      $reader
     * @param TokenStream $stream
     *
     * @return bool
     */
    public function handle(Reader $reader, TokenStream $stream);
}
symfony/css-selector/Parser/Handler/HashHandler.php000064400000003376151330736600016376 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerEscaping;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerPatterns;

/**
 * CSS selector comment handler.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class HashHandler implements HandlerInterface
{
    /**
     * @var TokenizerPatterns
     */
    private $patterns;

    /**
     * @var TokenizerEscaping
     */
    private $escaping;

    /**
     * @param TokenizerPatterns $patterns
     * @param TokenizerEscaping $escaping
     */
    public function __construct(TokenizerPatterns $patterns, TokenizerEscaping $escaping)
    {
        $this->patterns = $patterns;
        $this->escaping = $escaping;
    }

    /**
     * {@inheritdoc}
     */
    public function handle(Reader $reader, TokenStream $stream)
    {
        $match = $reader->findPattern($this->patterns->getHashPattern());

        if (!$match) {
            return false;
        }

        $value = $this->escaping->escapeUnicode($match[1]);
        $stream->push(new Token(Token::TYPE_HASH, $value, $reader->getPosition()));
        $reader->moveForward(strlen($match[0]));

        return true;
    }
}
symfony/css-selector/Parser/Handler/StringHandler.php000064400000005103151330736600016747 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Handler;

use Symfony\Component\CssSelector\Exception\InternalErrorException;
use Symfony\Component\CssSelector\Exception\SyntaxErrorException;
use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerEscaping;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerPatterns;

/**
 * CSS selector comment handler.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class StringHandler implements HandlerInterface
{
    /**
     * @var TokenizerPatterns
     */
    private $patterns;

    /**
     * @var TokenizerEscaping
     */
    private $escaping;

    /**
     * @param TokenizerPatterns $patterns
     * @param TokenizerEscaping $escaping
     */
    public function __construct(TokenizerPatterns $patterns, TokenizerEscaping $escaping)
    {
        $this->patterns = $patterns;
        $this->escaping = $escaping;
    }

    /**
     * {@inheritdoc}
     */
    public function handle(Reader $reader, TokenStream $stream)
    {
        $quote = $reader->getSubstring(1);

        if (!in_array($quote, array("'", '"'))) {
            return false;
        }

        $reader->moveForward(1);
        $match = $reader->findPattern($this->patterns->getQuotedStringPattern($quote));

        if (!$match) {
            throw new InternalErrorException(sprintf('Should have found at least an empty match at %s.', $reader->getPosition()));
        }

        // check unclosed strings
        if (strlen($match[0]) === $reader->getRemainingLength()) {
            throw SyntaxErrorException::unclosedString($reader->getPosition() - 1);
        }

        // check quotes pairs validity
        if ($quote !== $reader->getSubstring(1, strlen($match[0]))) {
            throw SyntaxErrorException::unclosedString($reader->getPosition() - 1);
        }

        $string = $this->escaping->escapeUnicodeAndNewLine($match[0]);
        $stream->push(new Token(Token::TYPE_STRING, $string, $reader->getPosition()));
        $reader->moveForward(strlen($match[0]) + 1);

        return true;
    }
}
symfony/css-selector/Parser/Handler/CommentHandler.php000064400000002154151330736600017106 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\TokenStream;

/**
 * CSS selector comment handler.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class CommentHandler implements HandlerInterface
{
    /**
     * {@inheritdoc}
     */
    public function handle(Reader $reader, TokenStream $stream)
    {
        if ('/*' !== $reader->getSubstring(2)) {
            return false;
        }

        $offset = $reader->getOffset('*/');

        if (false === $offset) {
            $reader->moveToEnd();
        } else {
            $reader->moveForward($offset + 2);
        }

        return true;
    }
}
symfony/css-selector/Parser/Handler/NumberHandler.php000064400000002723151330736600016736 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerPatterns;

/**
 * CSS selector comment handler.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class NumberHandler implements HandlerInterface
{
    /**
     * @var TokenizerPatterns
     */
    private $patterns;

    /**
     * @param TokenizerPatterns $patterns
     */
    public function __construct(TokenizerPatterns $patterns)
    {
        $this->patterns = $patterns;
    }

    /**
     * {@inheritdoc}
     */
    public function handle(Reader $reader, TokenStream $stream)
    {
        $match = $reader->findPattern($this->patterns->getNumberPattern());

        if (!$match) {
            return false;
        }

        $stream->push(new Token(Token::TYPE_NUMBER, $match[0], $reader->getPosition()));
        $reader->moveForward(strlen($match[0]));

        return true;
    }
}
symfony/css-selector/Parser/Handler/IdentifierHandler.php000064400000003420151330736600017563 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerEscaping;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerPatterns;

/**
 * CSS selector comment handler.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class IdentifierHandler implements HandlerInterface
{
    /**
     * @var TokenizerPatterns
     */
    private $patterns;

    /**
     * @var TokenizerEscaping
     */
    private $escaping;

    /**
     * @param TokenizerPatterns $patterns
     * @param TokenizerEscaping $escaping
     */
    public function __construct(TokenizerPatterns $patterns, TokenizerEscaping $escaping)
    {
        $this->patterns = $patterns;
        $this->escaping = $escaping;
    }

    /**
     * {@inheritdoc}
     */
    public function handle(Reader $reader, TokenStream $stream)
    {
        $match = $reader->findPattern($this->patterns->getIdentifierPattern());

        if (!$match) {
            return false;
        }

        $value = $this->escaping->escapeUnicode($match[0]);
        $stream->push(new Token(Token::TYPE_IDENTIFIER, $value, $reader->getPosition()));
        $reader->moveForward(strlen($match[0]));

        return true;
    }
}
symfony/css-selector/Parser/Tokenizer/TokenizerPatterns.php000064400000006630151330736600020301 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Tokenizer;

/**
 * CSS selector tokenizer patterns builder.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class TokenizerPatterns
{
    /**
     * @var string
     */
    private $unicodeEscapePattern;

    /**
     * @var string
     */
    private $simpleEscapePattern;

    /**
     * @var string
     */
    private $newLineEscapePattern;

    /**
     * @var string
     */
    private $escapePattern;

    /**
     * @var string
     */
    private $stringEscapePattern;

    /**
     * @var string
     */
    private $nonAsciiPattern;

    /**
     * @var string
     */
    private $nmCharPattern;

    /**
     * @var string
     */
    private $nmStartPattern;

    /**
     * @var string
     */
    private $identifierPattern;

    /**
     * @var string
     */
    private $hashPattern;

    /**
     * @var string
     */
    private $numberPattern;

    /**
     * @var string
     */
    private $quotedStringPattern;

    /**
     * Constructor.
     */
    public function __construct()
    {
        $this->unicodeEscapePattern = '\\\\([0-9a-f]{1,6})(?:\r\n|[ \n\r\t\f])?';
        $this->simpleEscapePattern = '\\\\(.)';
        $this->newLineEscapePattern = '\\\\(?:\n|\r\n|\r|\f)';
        $this->escapePattern = $this->unicodeEscapePattern.'|\\\\[^\n\r\f0-9a-f]';
        $this->stringEscapePattern = $this->newLineEscapePattern.'|'.$this->escapePattern;
        $this->nonAsciiPattern = '[^\x00-\x7F]';
        $this->nmCharPattern = '[_a-z0-9-]|'.$this->escapePattern.'|'.$this->nonAsciiPattern;
        $this->nmStartPattern = '[_a-z]|'.$this->escapePattern.'|'.$this->nonAsciiPattern;
        $this->identifierPattern = '(?:'.$this->nmStartPattern.')(?:'.$this->nmCharPattern.')*';
        $this->hashPattern = '#((?:'.$this->nmCharPattern.')+)';
        $this->numberPattern = '[+-]?(?:[0-9]*\.[0-9]+|[0-9]+)';
        $this->quotedStringPattern = '([^\n\r\f%s]|'.$this->stringEscapePattern.')*';
    }

    /**
     * @return string
     */
    public function getNewLineEscapePattern()
    {
        return '~^'.$this->newLineEscapePattern.'~';
    }

    /**
     * @return string
     */
    public function getSimpleEscapePattern()
    {
        return '~^'.$this->simpleEscapePattern.'~';
    }

    /**
     * @return string
     */
    public function getUnicodeEscapePattern()
    {
        return '~^'.$this->unicodeEscapePattern.'~i';
    }

    /**
     * @return string
     */
    public function getIdentifierPattern()
    {
        return '~^'.$this->identifierPattern.'~i';
    }

    /**
     * @return string
     */
    public function getHashPattern()
    {
        return '~^'.$this->hashPattern.'~i';
    }

    /**
     * @return string
     */
    public function getNumberPattern()
    {
        return '~^'.$this->numberPattern.'~';
    }

    /**
     * @param string $quote
     *
     * @return string
     */
    public function getQuotedStringPattern($quote)
    {
        return '~^'.sprintf($this->quotedStringPattern, $quote).'~i';
    }
}
symfony/css-selector/Parser/Tokenizer/TokenizerEscaping.php000064400000003750151330736600020232 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Tokenizer;

/**
 * CSS selector tokenizer escaping applier.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class TokenizerEscaping
{
    /**
     * @var TokenizerPatterns
     */
    private $patterns;

    /**
     * @param TokenizerPatterns $patterns
     */
    public function __construct(TokenizerPatterns $patterns)
    {
        $this->patterns = $patterns;
    }

    /**
     * @param string $value
     *
     * @return string
     */
    public function escapeUnicode($value)
    {
        $value = $this->replaceUnicodeSequences($value);

        return preg_replace($this->patterns->getSimpleEscapePattern(), '$1', $value);
    }

    /**
     * @param string $value
     *
     * @return string
     */
    public function escapeUnicodeAndNewLine($value)
    {
        $value = preg_replace($this->patterns->getNewLineEscapePattern(), '', $value);

        return $this->escapeUnicode($value);
    }

    /**
     * @param string $value
     *
     * @return string
     */
    private function replaceUnicodeSequences($value)
    {
        return preg_replace_callback($this->patterns->getUnicodeEscapePattern(), function ($match) {
            $c = hexdec($match[1]);

            if (0x80 > $c %= 0x200000) {
                return chr($c);
            }
            if (0x800 > $c) {
                return chr(0xC0 | $c >> 6).chr(0x80 | $c & 0x3F);
            }
            if (0x10000 > $c) {
                return chr(0xE0 | $c >> 12).chr(0x80 | $c >> 6 & 0x3F).chr(0x80 | $c & 0x3F);
            }
        }, $value);
    }
}
symfony/css-selector/Parser/Tokenizer/Tokenizer.php000064400000004124151330736600016554 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser\Tokenizer;

use Symfony\Component\CssSelector\Parser\Handler;
use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;

/**
 * CSS selector tokenizer.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class Tokenizer
{
    /**
     * @var Handler\HandlerInterface[]
     */
    private $handlers;

    /**
     * Constructor.
     */
    public function __construct()
    {
        $patterns = new TokenizerPatterns();
        $escaping = new TokenizerEscaping($patterns);

        $this->handlers = array(
            new Handler\WhitespaceHandler(),
            new Handler\IdentifierHandler($patterns, $escaping),
            new Handler\HashHandler($patterns, $escaping),
            new Handler\StringHandler($patterns, $escaping),
            new Handler\NumberHandler($patterns),
            new Handler\CommentHandler(),
        );
    }

    /**
     * Tokenize selector source code.
     *
     * @param Reader $reader
     *
     * @return TokenStream
     */
    public function tokenize(Reader $reader)
    {
        $stream = new TokenStream();

        while (!$reader->isEOF()) {
            foreach ($this->handlers as $handler) {
                if ($handler->handle($reader, $stream)) {
                    continue 2;
                }
            }

            $stream->push(new Token(Token::TYPE_DELIMITER, $reader->getSubstring(1), $reader->getPosition()));
            $reader->moveForward(1);
        }

        return $stream
            ->push(new Token(Token::TYPE_FILE_END, null, $reader->getPosition()))
            ->freeze();
    }
}
symfony/css-selector/Parser/Parser.php000064400000030523151330736600014066 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Parser;

use Symfony\Component\CssSelector\Exception\SyntaxErrorException;
use Symfony\Component\CssSelector\Node;
use Symfony\Component\CssSelector\Parser\Tokenizer\Tokenizer;

/**
 * CSS selector parser.
 *
 * This component is a port of the Python cssselect library,
 * which is copyright Ian Bicking, @see https://github.com/SimonSapin/cssselect.
 *
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 *
 * @internal
 */
class Parser implements ParserInterface
{
    /**
     * @var Tokenizer
     */
    private $tokenizer;

    /**
     * Constructor.
     *
     * @param null|Tokenizer $tokenizer
     */
    public function __construct(Tokenizer $tokenizer = null)
    {
        $this->tokenizer = $tokenizer ?: new Tokenizer();
    }

    /**
     * {@inheritdoc}
     */
    public function parse($source)
    {
        $reader = new Reader($source);
        $stream = $this->tokenizer->tokenize($reader);

        return $this->parseSelectorList($stream);
    }

    /**
     * Parses the arguments for ":nth-child()" and friends.
     *
     * @param Token[] $tokens
     *
     * @return array
     *
     * @throws SyntaxErrorException
     */
    public static function parseSeries(array $tokens)
    {
        foreach ($tokens as $token) {
            if ($token->isString()) {
                throw SyntaxErrorException::stringAsFunctionArgument();
            }
        }

        $joined = trim(implode('', array_map(function (Token $token) {
            return $token->getValue();
        }, $tokens)));

        $int = function ($string) {
            if (!is_numeric($string)) {
                throw SyntaxErrorException::stringAsFunctionArgument();
            }

            return (int) $string;
        };

        switch (true) {
            case 'odd' === $joined:
                return array(2, 1);
            case 'even' === $joined:
                return array(2, 0);
            case 'n' === $joined:
                return array(1, 0);
            case false === strpos($joined, 'n'):
                return array(0, $int($joined));
        }

        $split = explode('n', $joined);
        $first = isset($split[0]) ? $split[0] : null;

        return array(
            $first ? ('-' === $first || '+' === $first ? $int($first.'1') : $int($first)) : 1,
            isset($split[1]) && $split[1] ? $int($split[1]) : 0,
        );
    }

    /**
     * Parses selector nodes.
     *
     * @param TokenStream $stream
     *
     * @return array
     */
    private function parseSelectorList(TokenStream $stream)
    {
        $stream->skipWhitespace();
        $selectors = array();

        while (true) {
            $selectors[] = $this->parserSelectorNode($stream);

            if ($stream->getPeek()->isDelimiter(array(','))) {
                $stream->getNext();
                $stream->skipWhitespace();
            } else {
                break;
            }
        }

        return $selectors;
    }

    /**
     * Parses next selector or combined node.
     *
     * @param TokenStream $stream
     *
     * @return Node\SelectorNode
     *
     * @throws SyntaxErrorException
     */
    private function parserSelectorNode(TokenStream $stream)
    {
        list($result, $pseudoElement) = $this->parseSimpleSelector($stream);

        while (true) {
            $stream->skipWhitespace();
            $peek = $stream->getPeek();

            if ($peek->isFileEnd() || $peek->isDelimiter(array(','))) {
                break;
            }

            if (null !== $pseudoElement) {
                throw SyntaxErrorException::pseudoElementFound($pseudoElement, 'not at the end of a selector');
            }

            if ($peek->isDelimiter(array('+', '>', '~'))) {
                $combinator = $stream->getNext()->getValue();
                $stream->skipWhitespace();
            } else {
                $combinator = ' ';
            }

            list($nextSelector, $pseudoElement) = $this->parseSimpleSelector($stream);
            $result = new Node\CombinedSelectorNode($result, $combinator, $nextSelector);
        }

        return new Node\SelectorNode($result, $pseudoElement);
    }

    /**
     * Parses next simple node (hash, class, pseudo, negation).
     *
     * @param TokenStream $stream
     * @param bool        $insideNegation
     *
     * @return array
     *
     * @throws SyntaxErrorException
     */
    private function parseSimpleSelector(TokenStream $stream, $insideNegation = false)
    {
        $stream->skipWhitespace();

        $selectorStart = count($stream->getUsed());
        $result = $this->parseElementNode($stream);
        $pseudoElement = null;

        while (true) {
            $peek = $stream->getPeek();
            if ($peek->isWhitespace()
                || $peek->isFileEnd()
                || $peek->isDelimiter(array(',', '+', '>', '~'))
                || ($insideNegation && $peek->isDelimiter(array(')')))
            ) {
                break;
            }

            if (null !== $pseudoElement) {
                throw SyntaxErrorException::pseudoElementFound($pseudoElement, 'not at the end of a selector');
            }

            if ($peek->isHash()) {
                $result = new Node\HashNode($result, $stream->getNext()->getValue());
            } elseif ($peek->isDelimiter(array('.'))) {
                $stream->getNext();
                $result = new Node\ClassNode($result, $stream->getNextIdentifier());
            } elseif ($peek->isDelimiter(array('['))) {
                $stream->getNext();
                $result = $this->parseAttributeNode($result, $stream);
            } elseif ($peek->isDelimiter(array(':'))) {
                $stream->getNext();

                if ($stream->getPeek()->isDelimiter(array(':'))) {
                    $stream->getNext();
                    $pseudoElement = $stream->getNextIdentifier();

                    continue;
                }

                $identifier = $stream->getNextIdentifier();
                if (in_array(strtolower($identifier), array('first-line', 'first-letter', 'before', 'after'))) {
                    // Special case: CSS 2.1 pseudo-elements can have a single ':'.
                    // Any new pseudo-element must have two.
                    $pseudoElement = $identifier;

                    continue;
                }

                if (!$stream->getPeek()->isDelimiter(array('('))) {
                    $result = new Node\PseudoNode($result, $identifier);

                    continue;
                }

                $stream->getNext();
                $stream->skipWhitespace();

                if ('not' === strtolower($identifier)) {
                    if ($insideNegation) {
                        throw SyntaxErrorException::nestedNot();
                    }

                    list($argument, $argumentPseudoElement) = $this->parseSimpleSelector($stream, true);
                    $next = $stream->getNext();

                    if (null !== $argumentPseudoElement) {
                        throw SyntaxErrorException::pseudoElementFound($argumentPseudoElement, 'inside ::not()');
                    }

                    if (!$next->isDelimiter(array(')'))) {
                        throw SyntaxErrorException::unexpectedToken('")"', $next);
                    }

                    $result = new Node\NegationNode($result, $argument);
                } else {
                    $arguments = array();
                    $next = null;

                    while (true) {
                        $stream->skipWhitespace();
                        $next = $stream->getNext();

                        if ($next->isIdentifier()
                            || $next->isString()
                            || $next->isNumber()
                            || $next->isDelimiter(array('+', '-'))
                        ) {
                            $arguments[] = $next;
                        } elseif ($next->isDelimiter(array(')'))) {
                            break;
                        } else {
                            throw SyntaxErrorException::unexpectedToken('an argument', $next);
                        }
                    }

                    if (empty($arguments)) {
                        throw SyntaxErrorException::unexpectedToken('at least one argument', $next);
                    }

                    $result = new Node\FunctionNode($result, $identifier, $arguments);
                }
            } else {
                throw SyntaxErrorException::unexpectedToken('selector', $peek);
            }
        }

        if (count($stream->getUsed()) === $selectorStart) {
            throw SyntaxErrorException::unexpectedToken('selector', $stream->getPeek());
        }

        return array($result, $pseudoElement);
    }

    /**
     * Parses next element node.
     *
     * @param TokenStream $stream
     *
     * @return Node\ElementNode
     */
    private function parseElementNode(TokenStream $stream)
    {
        $peek = $stream->getPeek();

        if ($peek->isIdentifier() || $peek->isDelimiter(array('*'))) {
            if ($peek->isIdentifier()) {
                $namespace = $stream->getNext()->getValue();
            } else {
                $stream->getNext();
                $namespace = null;
            }

            if ($stream->getPeek()->isDelimiter(array('|'))) {
                $stream->getNext();
                $element = $stream->getNextIdentifierOrStar();
            } else {
                $element = $namespace;
                $namespace = null;
            }
        } else {
            $element = $namespace = null;
        }

        return new Node\ElementNode($namespace, $element);
    }

    /**
     * Parses next attribute node.
     *
     * @param Node\NodeInterface $selector
     * @param TokenStream        $stream
     *
     * @return Node\AttributeNode
     *
     * @throws SyntaxErrorException
     */
    private function parseAttributeNode(Node\NodeInterface $selector, TokenStream $stream)
    {
        $stream->skipWhitespace();
        $attribute = $stream->getNextIdentifierOrStar();

        if (null === $attribute && !$stream->getPeek()->isDelimiter(array('|'))) {
            throw SyntaxErrorException::unexpectedToken('"|"', $stream->getPeek());
        }

        if ($stream->getPeek()->isDelimiter(array('|'))) {
            $stream->getNext();

            if ($stream->getPeek()->isDelimiter(array('='))) {
                $namespace = null;
                $stream->getNext();
                $operator = '|=';
            } else {
                $namespace = $attribute;
                $attribute = $stream->getNextIdentifier();
                $operator = null;
            }
        } else {
            $namespace = $operator = null;
        }

        if (null === $operator) {
            $stream->skipWhitespace();
            $next = $stream->getNext();

            if ($next->isDelimiter(array(']'))) {
                return new Node\AttributeNode($selector, $namespace, $attribute, 'exists', null);
            } elseif ($next->isDelimiter(array('='))) {
                $operator = '=';
            } elseif ($next->isDelimiter(array('^', '$', '*', '~', '|', '!'))
                && $stream->getPeek()->isDelimiter(array('='))
            ) {
                $operator = $next->getValue().'=';
                $stream->getNext();
            } else {
                throw SyntaxErrorException::unexpectedToken('operator', $next);
            }
        }

        $stream->skipWhitespace();
        $value = $stream->getNext();

        if ($value->isNumber()) {
            // if the value is a number, it's casted into a string
            $value = new Token(Token::TYPE_STRING, (string) $value->getValue(), $value->getPosition());
        }

        if (!($value->isIdentifier() || $value->isString())) {
            throw SyntaxErrorException::unexpectedToken('string or identifier', $value);
        }

        $stream->skipWhitespace();
        $next = $stream->getNext();

        if (!$next->isDelimiter(array(']'))) {
            throw SyntaxErrorException::unexpectedToken('"]"', $next);
        }

        return new Node\AttributeNode($selector, $namespace, $attribute, $operator, $value->getValue());
    }
}
symfony/polyfill-mbstring/Mbstring.php000064400000066761151330736600014247 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Polyfill\Mbstring;

/**
 * Partial mbstring implementation in PHP, iconv based, UTF-8 centric.
 *
 * Implemented:
 * - mb_chr                  - Returns a specific character from its Unicode code point
 * - mb_convert_encoding     - Convert character encoding
 * - mb_convert_variables    - Convert character code in variable(s)
 * - mb_decode_mimeheader    - Decode string in MIME header field
 * - mb_encode_mimeheader    - Encode string for MIME header XXX NATIVE IMPLEMENTATION IS REALLY BUGGED
 * - mb_decode_numericentity - Decode HTML numeric string reference to character
 * - mb_encode_numericentity - Encode character to HTML numeric string reference
 * - mb_convert_case         - Perform case folding on a string
 * - mb_detect_encoding      - Detect character encoding
 * - mb_get_info             - Get internal settings of mbstring
 * - mb_http_input           - Detect HTTP input character encoding
 * - mb_http_output          - Set/Get HTTP output character encoding
 * - mb_internal_encoding    - Set/Get internal character encoding
 * - mb_list_encodings       - Returns an array of all supported encodings
 * - mb_ord                  - Returns the Unicode code point of a character
 * - mb_output_handler       - Callback function converts character encoding in output buffer
 * - mb_scrub                - Replaces ill-formed byte sequences with substitute characters
 * - mb_strlen               - Get string length
 * - mb_strpos               - Find position of first occurrence of string in a string
 * - mb_strrpos              - Find position of last occurrence of a string in a string
 * - mb_str_split            - Convert a string to an array
 * - mb_strtolower           - Make a string lowercase
 * - mb_strtoupper           - Make a string uppercase
 * - mb_substitute_character - Set/Get substitution character
 * - mb_substr               - Get part of string
 * - mb_stripos              - Finds position of first occurrence of a string within another, case insensitive
 * - mb_stristr              - Finds first occurrence of a string within another, case insensitive
 * - mb_strrchr              - Finds the last occurrence of a character in a string within another
 * - mb_strrichr             - Finds the last occurrence of a character in a string within another, case insensitive
 * - mb_strripos             - Finds position of last occurrence of a string within another, case insensitive
 * - mb_strstr               - Finds first occurrence of a string within another
 * - mb_strwidth             - Return width of string
 * - mb_substr_count         - Count the number of substring occurrences
 *
 * Not implemented:
 * - mb_convert_kana         - Convert "kana" one from another ("zen-kaku", "han-kaku" and more)
 * - mb_ereg_*               - Regular expression with multibyte support
 * - mb_parse_str            - Parse GET/POST/COOKIE data and set global variable
 * - mb_preferred_mime_name  - Get MIME charset string
 * - mb_regex_encoding       - Returns current encoding for multibyte regex as string
 * - mb_regex_set_options    - Set/Get the default options for mbregex functions
 * - mb_send_mail            - Send encoded mail
 * - mb_split                - Split multibyte string using regular expression
 * - mb_strcut               - Get part of string
 * - mb_strimwidth           - Get truncated string with specified width
 *
 * @author Nicolas Grekas <p@tchwork.com>
 *
 * @internal
 */
final class Mbstring
{
    const MB_CASE_FOLD = PHP_INT_MAX;

    private static $encodingList = array('ASCII', 'UTF-8');
    private static $language = 'neutral';
    private static $internalEncoding = 'UTF-8';
    private static $caseFold = array(
        array('µ', 'ſ', "\xCD\x85", 'ς', "\xCF\x90", "\xCF\x91", "\xCF\x95", "\xCF\x96", "\xCF\xB0", "\xCF\xB1", "\xCF\xB5", "\xE1\xBA\x9B", "\xE1\xBE\xBE"),
        array('μ', 's', 'ι',        'σ', 'β',        'θ',        'φ',        'π',        'κ',        'ρ',        'ε',        "\xE1\xB9\xA1", 'ι'),
    );

    public static function mb_convert_encoding($s, $toEncoding, $fromEncoding = null)
    {
        if (\is_array($fromEncoding) || false !== strpos($fromEncoding, ',')) {
            $fromEncoding = self::mb_detect_encoding($s, $fromEncoding);
        } else {
            $fromEncoding = self::getEncoding($fromEncoding);
        }

        $toEncoding = self::getEncoding($toEncoding);

        if ('BASE64' === $fromEncoding) {
            $s = base64_decode($s);
            $fromEncoding = $toEncoding;
        }

        if ('BASE64' === $toEncoding) {
            return base64_encode($s);
        }

        if ('HTML-ENTITIES' === $toEncoding || 'HTML' === $toEncoding) {
            if ('HTML-ENTITIES' === $fromEncoding || 'HTML' === $fromEncoding) {
                $fromEncoding = 'Windows-1252';
            }
            if ('UTF-8' !== $fromEncoding) {
                $s = iconv($fromEncoding, 'UTF-8//IGNORE', $s);
            }

            return preg_replace_callback('/[\x80-\xFF]+/', array(__CLASS__, 'html_encoding_callback'), $s);
        }

        if ('HTML-ENTITIES' === $fromEncoding) {
            $s = html_entity_decode($s, ENT_COMPAT, 'UTF-8');
            $fromEncoding = 'UTF-8';
        }

        return iconv($fromEncoding, $toEncoding.'//IGNORE', $s);
    }

    public static function mb_convert_variables($toEncoding, $fromEncoding, &$a = null, &$b = null, &$c = null, &$d = null, &$e = null, &$f = null)
    {
        $vars = array(&$a, &$b, &$c, &$d, &$e, &$f);

        $ok = true;
        array_walk_recursive($vars, function (&$v) use (&$ok, $toEncoding, $fromEncoding) {
            if (false === $v = Mbstring::mb_convert_encoding($v, $toEncoding, $fromEncoding)) {
                $ok = false;
            }
        });

        return $ok ? $fromEncoding : false;
    }

    public static function mb_decode_mimeheader($s)
    {
        return iconv_mime_decode($s, 2, self::$internalEncoding);
    }

    public static function mb_encode_mimeheader($s, $charset = null, $transferEncoding = null, $linefeed = null, $indent = null)
    {
        trigger_error('mb_encode_mimeheader() is bugged. Please use iconv_mime_encode() instead', E_USER_WARNING);
    }

    public static function mb_decode_numericentity($s, $convmap, $encoding = null)
    {
        if (null !== $s && !\is_scalar($s) && !(\is_object($s) && \method_exists($s, '__toString'))) {
            trigger_error('mb_decode_numericentity() expects parameter 1 to be string, '.\gettype($s).' given', E_USER_WARNING);

            return null;
        }

        if (!\is_array($convmap) || !$convmap) {
            return false;
        }

        if (null !== $encoding && !\is_scalar($encoding)) {
            trigger_error('mb_decode_numericentity() expects parameter 3 to be string, '.\gettype($s).' given', E_USER_WARNING);

            return '';  // Instead of null (cf. mb_encode_numericentity).
        }

        $s = (string) $s;
        if ('' === $s) {
            return '';
        }

        $encoding = self::getEncoding($encoding);

        if ('UTF-8' === $encoding) {
            $encoding = null;
            if (!preg_match('//u', $s)) {
                $s = @iconv('UTF-8', 'UTF-8//IGNORE', $s);
            }
        } else {
            $s = iconv($encoding, 'UTF-8//IGNORE', $s);
        }

        $cnt = floor(\count($convmap) / 4) * 4;

        for ($i = 0; $i < $cnt; $i += 4) {
            // collector_decode_htmlnumericentity ignores $convmap[$i + 3]
            $convmap[$i] += $convmap[$i + 2];
            $convmap[$i + 1] += $convmap[$i + 2];
        }

        $s = preg_replace_callback('/&#(?:0*([0-9]+)|x0*([0-9a-fA-F]+))(?!&);?/', function (array $m) use ($cnt, $convmap) {
            $c = isset($m[2]) ? (int) hexdec($m[2]) : $m[1];
            for ($i = 0; $i < $cnt; $i += 4) {
                if ($c >= $convmap[$i] && $c <= $convmap[$i + 1]) {
                    return Mbstring::mb_chr($c - $convmap[$i + 2]);
                }
            }

            return $m[0];
        }, $s);

        if (null === $encoding) {
            return $s;
        }

        return iconv('UTF-8', $encoding.'//IGNORE', $s);
    }

    public static function mb_encode_numericentity($s, $convmap, $encoding = null, $is_hex = false)
    {
        if (null !== $s && !\is_scalar($s) && !(\is_object($s) && \method_exists($s, '__toString'))) {
            trigger_error('mb_encode_numericentity() expects parameter 1 to be string, '.\gettype($s).' given', E_USER_WARNING);

            return null;
        }

        if (!\is_array($convmap) || !$convmap) {
            return false;
        }

        if (null !== $encoding && !\is_scalar($encoding)) {
            trigger_error('mb_encode_numericentity() expects parameter 3 to be string, '.\gettype($s).' given', E_USER_WARNING);

            return null;  // Instead of '' (cf. mb_decode_numericentity).
        }

        if (null !== $is_hex && !\is_scalar($is_hex)) {
            trigger_error('mb_encode_numericentity() expects parameter 4 to be boolean, '.\gettype($s).' given', E_USER_WARNING);

            return null;
        }

        $s = (string) $s;
        if ('' === $s) {
            return '';
        }

        $encoding = self::getEncoding($encoding);

        if ('UTF-8' === $encoding) {
            $encoding = null;
            if (!preg_match('//u', $s)) {
                $s = @iconv('UTF-8', 'UTF-8//IGNORE', $s);
            }
        } else {
            $s = iconv($encoding, 'UTF-8//IGNORE', $s);
        }

        static $ulenMask = array("\xC0" => 2, "\xD0" => 2, "\xE0" => 3, "\xF0" => 4);

        $cnt = floor(\count($convmap) / 4) * 4;
        $i = 0;
        $len = \strlen($s);
        $result = '';

        while ($i < $len) {
            $ulen = $s[$i] < "\x80" ? 1 : $ulenMask[$s[$i] & "\xF0"];
            $uchr = substr($s, $i, $ulen);
            $i += $ulen;
            $c = self::mb_ord($uchr);

            for ($j = 0; $j < $cnt; $j += 4) {
                if ($c >= $convmap[$j] && $c <= $convmap[$j + 1]) {
                    $cOffset = ($c + $convmap[$j + 2]) & $convmap[$j + 3];
                    $result .= $is_hex ? sprintf('&#x%X;', $cOffset) : '&#'.$cOffset.';';
                    continue 2;
                }
            }
            $result .= $uchr;
        }

        if (null === $encoding) {
            return $result;
        }

        return iconv('UTF-8', $encoding.'//IGNORE', $result);
    }

    public static function mb_convert_case($s, $mode, $encoding = null)
    {
        $s = (string) $s;
        if ('' === $s) {
            return '';
        }

        $encoding = self::getEncoding($encoding);

        if ('UTF-8' === $encoding) {
            $encoding = null;
            if (!preg_match('//u', $s)) {
                $s = @iconv('UTF-8', 'UTF-8//IGNORE', $s);
            }
        } else {
            $s = iconv($encoding, 'UTF-8//IGNORE', $s);
        }

        if (MB_CASE_TITLE == $mode) {
            static $titleRegexp = null;
            if (null === $titleRegexp) {
                $titleRegexp = self::getData('titleCaseRegexp');
            }
            $s = preg_replace_callback($titleRegexp, array(__CLASS__, 'title_case'), $s);
        } else {
            if (MB_CASE_UPPER == $mode) {
                static $upper = null;
                if (null === $upper) {
                    $upper = self::getData('upperCase');
                }
                $map = $upper;
            } else {
                if (self::MB_CASE_FOLD === $mode) {
                    $s = str_replace(self::$caseFold[0], self::$caseFold[1], $s);
                }

                static $lower = null;
                if (null === $lower) {
                    $lower = self::getData('lowerCase');
                }
                $map = $lower;
            }

            static $ulenMask = array("\xC0" => 2, "\xD0" => 2, "\xE0" => 3, "\xF0" => 4);

            $i = 0;
            $len = \strlen($s);

            while ($i < $len) {
                $ulen = $s[$i] < "\x80" ? 1 : $ulenMask[$s[$i] & "\xF0"];
                $uchr = substr($s, $i, $ulen);
                $i += $ulen;

                if (isset($map[$uchr])) {
                    $uchr = $map[$uchr];
                    $nlen = \strlen($uchr);

                    if ($nlen == $ulen) {
                        $nlen = $i;
                        do {
                            $s[--$nlen] = $uchr[--$ulen];
                        } while ($ulen);
                    } else {
                        $s = substr_replace($s, $uchr, $i - $ulen, $ulen);
                        $len += $nlen - $ulen;
                        $i += $nlen - $ulen;
                    }
                }
            }
        }

        if (null === $encoding) {
            return $s;
        }

        return iconv('UTF-8', $encoding.'//IGNORE', $s);
    }

    public static function mb_internal_encoding($encoding = null)
    {
        if (null === $encoding) {
            return self::$internalEncoding;
        }

        $encoding = self::getEncoding($encoding);

        if ('UTF-8' === $encoding || false !== @iconv($encoding, $encoding, ' ')) {
            self::$internalEncoding = $encoding;

            return true;
        }

        return false;
    }

    public static function mb_language($lang = null)
    {
        if (null === $lang) {
            return self::$language;
        }

        switch ($lang = strtolower($lang)) {
            case 'uni':
            case 'neutral':
                self::$language = $lang;

                return true;
        }

        return false;
    }

    public static function mb_list_encodings()
    {
        return array('UTF-8');
    }

    public static function mb_encoding_aliases($encoding)
    {
        switch (strtoupper($encoding)) {
            case 'UTF8':
            case 'UTF-8':
                return array('utf8');
        }

        return false;
    }

    public static function mb_check_encoding($var = null, $encoding = null)
    {
        if (null === $encoding) {
            if (null === $var) {
                return false;
            }
            $encoding = self::$internalEncoding;
        }

        return self::mb_detect_encoding($var, array($encoding)) || false !== @iconv($encoding, $encoding, $var);
    }

    public static function mb_detect_encoding($str, $encodingList = null, $strict = false)
    {
        if (null === $encodingList) {
            $encodingList = self::$encodingList;
        } else {
            if (!\is_array($encodingList)) {
                $encodingList = array_map('trim', explode(',', $encodingList));
            }
            $encodingList = array_map('strtoupper', $encodingList);
        }

        foreach ($encodingList as $enc) {
            switch ($enc) {
                case 'ASCII':
                    if (!preg_match('/[\x80-\xFF]/', $str)) {
                        return $enc;
                    }
                    break;

                case 'UTF8':
                case 'UTF-8':
                    if (preg_match('//u', $str)) {
                        return 'UTF-8';
                    }
                    break;

                default:
                    if (0 === strncmp($enc, 'ISO-8859-', 9)) {
                        return $enc;
                    }
            }
        }

        return false;
    }

    public static function mb_detect_order($encodingList = null)
    {
        if (null === $encodingList) {
            return self::$encodingList;
        }

        if (!\is_array($encodingList)) {
            $encodingList = array_map('trim', explode(',', $encodingList));
        }
        $encodingList = array_map('strtoupper', $encodingList);

        foreach ($encodingList as $enc) {
            switch ($enc) {
                default:
                    if (strncmp($enc, 'ISO-8859-', 9)) {
                        return false;
                    }
                    // no break
                case 'ASCII':
                case 'UTF8':
                case 'UTF-8':
            }
        }

        self::$encodingList = $encodingList;

        return true;
    }

    public static function mb_strlen($s, $encoding = null)
    {
        $encoding = self::getEncoding($encoding);
        if ('CP850' === $encoding || 'ASCII' === $encoding) {
            return \strlen($s);
        }

        return @iconv_strlen($s, $encoding);
    }

    public static function mb_strpos($haystack, $needle, $offset = 0, $encoding = null)
    {
        $encoding = self::getEncoding($encoding);
        if ('CP850' === $encoding || 'ASCII' === $encoding) {
            return strpos($haystack, $needle, $offset);
        }

        $needle = (string) $needle;
        if ('' === $needle) {
            trigger_error(__METHOD__.': Empty delimiter', E_USER_WARNING);

            return false;
        }

        return iconv_strpos($haystack, $needle, $offset, $encoding);
    }

    public static function mb_strrpos($haystack, $needle, $offset = 0, $encoding = null)
    {
        $encoding = self::getEncoding($encoding);
        if ('CP850' === $encoding || 'ASCII' === $encoding) {
            return strrpos($haystack, $needle, $offset);
        }

        if ($offset != (int) $offset) {
            $offset = 0;
        } elseif ($offset = (int) $offset) {
            if ($offset < 0) {
                if (0 > $offset += self::mb_strlen($needle)) {
                    $haystack = self::mb_substr($haystack, 0, $offset, $encoding);
                }
                $offset = 0;
            } else {
                $haystack = self::mb_substr($haystack, $offset, 2147483647, $encoding);
            }
        }

        $pos = iconv_strrpos($haystack, $needle, $encoding);

        return false !== $pos ? $offset + $pos : false;
    }

    public static function mb_str_split($string, $split_length = 1, $encoding = null)
    {
        if (null !== $string && !\is_scalar($string) && !(\is_object($string) && \method_exists($string, '__toString'))) {
            trigger_error('mb_str_split() expects parameter 1 to be string, '.\gettype($string).' given', E_USER_WARNING);

            return null;
        }

        if (1 > $split_length = (int) $split_length) {
            trigger_error('The length of each segment must be greater than zero', E_USER_WARNING);

            return false;
        }

        if (null === $encoding) {
            $encoding = mb_internal_encoding();
        }

        if ('UTF-8' === $encoding = self::getEncoding($encoding)) {
            $rx = '/(';
            while (65535 < $split_length) {
                $rx .= '.{65535}';
                $split_length -= 65535;
            }
            $rx .= '.{'.$split_length.'})/us';

            return preg_split($rx, $string, null, PREG_SPLIT_DELIM_CAPTURE | PREG_SPLIT_NO_EMPTY);
        }

        $result = array();
        $length = mb_strlen($string, $encoding);

        for ($i = 0; $i < $length; $i += $split_length) {
            $result[] = mb_substr($string, $i, $split_length, $encoding);
        }

        return $result;
    }

    public static function mb_strtolower($s, $encoding = null)
    {
        return self::mb_convert_case($s, MB_CASE_LOWER, $encoding);
    }

    public static function mb_strtoupper($s, $encoding = null)
    {
        return self::mb_convert_case($s, MB_CASE_UPPER, $encoding);
    }

    public static function mb_substitute_character($c = null)
    {
        if (0 === strcasecmp($c, 'none')) {
            return true;
        }

        return null !== $c ? false : 'none';
    }

    public static function mb_substr($s, $start, $length = null, $encoding = null)
    {
        $encoding = self::getEncoding($encoding);
        if ('CP850' === $encoding || 'ASCII' === $encoding) {
            return (string) substr($s, $start, null === $length ? 2147483647 : $length);
        }

        if ($start < 0) {
            $start = iconv_strlen($s, $encoding) + $start;
            if ($start < 0) {
                $start = 0;
            }
        }

        if (null === $length) {
            $length = 2147483647;
        } elseif ($length < 0) {
            $length = iconv_strlen($s, $encoding) + $length - $start;
            if ($length < 0) {
                return '';
            }
        }

        return (string) iconv_substr($s, $start, $length, $encoding);
    }

    public static function mb_stripos($haystack, $needle, $offset = 0, $encoding = null)
    {
        $haystack = self::mb_convert_case($haystack, self::MB_CASE_FOLD, $encoding);
        $needle = self::mb_convert_case($needle, self::MB_CASE_FOLD, $encoding);

        return self::mb_strpos($haystack, $needle, $offset, $encoding);
    }

    public static function mb_stristr($haystack, $needle, $part = false, $encoding = null)
    {
        $pos = self::mb_stripos($haystack, $needle, 0, $encoding);

        return self::getSubpart($pos, $part, $haystack, $encoding);
    }

    public static function mb_strrchr($haystack, $needle, $part = false, $encoding = null)
    {
        $encoding = self::getEncoding($encoding);
        if ('CP850' === $encoding || 'ASCII' === $encoding) {
            return strrchr($haystack, $needle, $part);
        }
        $needle = self::mb_substr($needle, 0, 1, $encoding);
        $pos = iconv_strrpos($haystack, $needle, $encoding);

        return self::getSubpart($pos, $part, $haystack, $encoding);
    }

    public static function mb_strrichr($haystack, $needle, $part = false, $encoding = null)
    {
        $needle = self::mb_substr($needle, 0, 1, $encoding);
        $pos = self::mb_strripos($haystack, $needle, $encoding);

        return self::getSubpart($pos, $part, $haystack, $encoding);
    }

    public static function mb_strripos($haystack, $needle, $offset = 0, $encoding = null)
    {
        $haystack = self::mb_convert_case($haystack, self::MB_CASE_FOLD, $encoding);
        $needle = self::mb_convert_case($needle, self::MB_CASE_FOLD, $encoding);

        return self::mb_strrpos($haystack, $needle, $offset, $encoding);
    }

    public static function mb_strstr($haystack, $needle, $part = false, $encoding = null)
    {
        $pos = strpos($haystack, $needle);
        if (false === $pos) {
            return false;
        }
        if ($part) {
            return substr($haystack, 0, $pos);
        }

        return substr($haystack, $pos);
    }

    public static function mb_get_info($type = 'all')
    {
        $info = array(
            'internal_encoding' => self::$internalEncoding,
            'http_output' => 'pass',
            'http_output_conv_mimetypes' => '^(text/|application/xhtml\+xml)',
            'func_overload' => 0,
            'func_overload_list' => 'no overload',
            'mail_charset' => 'UTF-8',
            'mail_header_encoding' => 'BASE64',
            'mail_body_encoding' => 'BASE64',
            'illegal_chars' => 0,
            'encoding_translation' => 'Off',
            'language' => self::$language,
            'detect_order' => self::$encodingList,
            'substitute_character' => 'none',
            'strict_detection' => 'Off',
        );

        if ('all' === $type) {
            return $info;
        }
        if (isset($info[$type])) {
            return $info[$type];
        }

        return false;
    }

    public static function mb_http_input($type = '')
    {
        return false;
    }

    public static function mb_http_output($encoding = null)
    {
        return null !== $encoding ? 'pass' === $encoding : 'pass';
    }

    public static function mb_strwidth($s, $encoding = null)
    {
        $encoding = self::getEncoding($encoding);

        if ('UTF-8' !== $encoding) {
            $s = iconv($encoding, 'UTF-8//IGNORE', $s);
        }

        $s = preg_replace('/[\x{1100}-\x{115F}\x{2329}\x{232A}\x{2E80}-\x{303E}\x{3040}-\x{A4CF}\x{AC00}-\x{D7A3}\x{F900}-\x{FAFF}\x{FE10}-\x{FE19}\x{FE30}-\x{FE6F}\x{FF00}-\x{FF60}\x{FFE0}-\x{FFE6}\x{20000}-\x{2FFFD}\x{30000}-\x{3FFFD}]/u', '', $s, -1, $wide);

        return ($wide << 1) + iconv_strlen($s, 'UTF-8');
    }

    public static function mb_substr_count($haystack, $needle, $encoding = null)
    {
        return substr_count($haystack, $needle);
    }

    public static function mb_output_handler($contents, $status)
    {
        return $contents;
    }

    public static function mb_chr($code, $encoding = null)
    {
        if (0x80 > $code %= 0x200000) {
            $s = \chr($code);
        } elseif (0x800 > $code) {
            $s = \chr(0xC0 | $code >> 6).\chr(0x80 | $code & 0x3F);
        } elseif (0x10000 > $code) {
            $s = \chr(0xE0 | $code >> 12).\chr(0x80 | $code >> 6 & 0x3F).\chr(0x80 | $code & 0x3F);
        } else {
            $s = \chr(0xF0 | $code >> 18).\chr(0x80 | $code >> 12 & 0x3F).\chr(0x80 | $code >> 6 & 0x3F).\chr(0x80 | $code & 0x3F);
        }

        if ('UTF-8' !== $encoding = self::getEncoding($encoding)) {
            $s = mb_convert_encoding($s, $encoding, 'UTF-8');
        }

        return $s;
    }

    public static function mb_ord($s, $encoding = null)
    {
        if ('UTF-8' !== $encoding = self::getEncoding($encoding)) {
            $s = mb_convert_encoding($s, 'UTF-8', $encoding);
        }

        if (1 === \strlen($s)) {
            return \ord($s);
        }

        $code = ($s = unpack('C*', substr($s, 0, 4))) ? $s[1] : 0;
        if (0xF0 <= $code) {
            return (($code - 0xF0) << 18) + (($s[2] - 0x80) << 12) + (($s[3] - 0x80) << 6) + $s[4] - 0x80;
        }
        if (0xE0 <= $code) {
            return (($code - 0xE0) << 12) + (($s[2] - 0x80) << 6) + $s[3] - 0x80;
        }
        if (0xC0 <= $code) {
            return (($code - 0xC0) << 6) + $s[2] - 0x80;
        }

        return $code;
    }

    private static function getSubpart($pos, $part, $haystack, $encoding)
    {
        if (false === $pos) {
            return false;
        }
        if ($part) {
            return self::mb_substr($haystack, 0, $pos, $encoding);
        }

        return self::mb_substr($haystack, $pos, null, $encoding);
    }

    private static function html_encoding_callback(array $m)
    {
        $i = 1;
        $entities = '';
        $m = unpack('C*', htmlentities($m[0], ENT_COMPAT, 'UTF-8'));

        while (isset($m[$i])) {
            if (0x80 > $m[$i]) {
                $entities .= \chr($m[$i++]);
                continue;
            }
            if (0xF0 <= $m[$i]) {
                $c = (($m[$i++] - 0xF0) << 18) + (($m[$i++] - 0x80) << 12) + (($m[$i++] - 0x80) << 6) + $m[$i++] - 0x80;
            } elseif (0xE0 <= $m[$i]) {
                $c = (($m[$i++] - 0xE0) << 12) + (($m[$i++] - 0x80) << 6) + $m[$i++] - 0x80;
            } else {
                $c = (($m[$i++] - 0xC0) << 6) + $m[$i++] - 0x80;
            }

            $entities .= '&#'.$c.';';
        }

        return $entities;
    }

    private static function title_case(array $s)
    {
        return self::mb_convert_case($s[1], MB_CASE_UPPER, 'UTF-8').self::mb_convert_case($s[2], MB_CASE_LOWER, 'UTF-8');
    }

    private static function getData($file)
    {
        if (file_exists($file = __DIR__.'/Resources/unidata/'.$file.'.php')) {
            return require $file;
        }

        return false;
    }

    private static function getEncoding($encoding)
    {
        if (null === $encoding) {
            return self::$internalEncoding;
        }

        if ('UTF-8' === $encoding) {
            return 'UTF-8';
        }

        $encoding = strtoupper($encoding);

        if ('8BIT' === $encoding || 'BINARY' === $encoding) {
            return 'CP850';
        }

        if ('UTF8' === $encoding) {
            return 'UTF-8';
        }

        return $encoding;
    }
}
symfony/polyfill-mbstring/Resources/unidata/titleCaseRegexp.php000064400000014071151330736600021134 0ustar00<?php

// from Case_Ignorable in https://unicode.org/Public/UNIDATA/DerivedCoreProperties.txt

return '/(?<![\x{0027}\x{002E}\x{003A}\x{005E}\x{0060}\x{00A8}\x{00AD}\x{00AF}\x{00B4}\x{00B7}\x{00B8}\x{02B0}-\x{02C1}\x{02C2}-\x{02C5}\x{02C6}-\x{02D1}\x{02D2}-\x{02DF}\x{02E0}-\x{02E4}\x{02E5}-\x{02EB}\x{02EC}\x{02ED}\x{02EE}\x{02EF}-\x{02FF}\x{0300}-\x{036F}\x{0374}\x{0375}\x{037A}\x{0384}-\x{0385}\x{0387}\x{0483}-\x{0487}\x{0488}-\x{0489}\x{0559}\x{0591}-\x{05BD}\x{05BF}\x{05C1}-\x{05C2}\x{05C4}-\x{05C5}\x{05C7}\x{05F4}\x{0600}-\x{0605}\x{0610}-\x{061A}\x{061C}\x{0640}\x{064B}-\x{065F}\x{0670}\x{06D6}-\x{06DC}\x{06DD}\x{06DF}-\x{06E4}\x{06E5}-\x{06E6}\x{06E7}-\x{06E8}\x{06EA}-\x{06ED}\x{070F}\x{0711}\x{0730}-\x{074A}\x{07A6}-\x{07B0}\x{07EB}-\x{07F3}\x{07F4}-\x{07F5}\x{07FA}\x{07FD}\x{0816}-\x{0819}\x{081A}\x{081B}-\x{0823}\x{0824}\x{0825}-\x{0827}\x{0828}\x{0829}-\x{082D}\x{0859}-\x{085B}\x{08D3}-\x{08E1}\x{08E2}\x{08E3}-\x{0902}\x{093A}\x{093C}\x{0941}-\x{0948}\x{094D}\x{0951}-\x{0957}\x{0962}-\x{0963}\x{0971}\x{0981}\x{09BC}\x{09C1}-\x{09C4}\x{09CD}\x{09E2}-\x{09E3}\x{09FE}\x{0A01}-\x{0A02}\x{0A3C}\x{0A41}-\x{0A42}\x{0A47}-\x{0A48}\x{0A4B}-\x{0A4D}\x{0A51}\x{0A70}-\x{0A71}\x{0A75}\x{0A81}-\x{0A82}\x{0ABC}\x{0AC1}-\x{0AC5}\x{0AC7}-\x{0AC8}\x{0ACD}\x{0AE2}-\x{0AE3}\x{0AFA}-\x{0AFF}\x{0B01}\x{0B3C}\x{0B3F}\x{0B41}-\x{0B44}\x{0B4D}\x{0B56}\x{0B62}-\x{0B63}\x{0B82}\x{0BC0}\x{0BCD}\x{0C00}\x{0C04}\x{0C3E}-\x{0C40}\x{0C46}-\x{0C48}\x{0C4A}-\x{0C4D}\x{0C55}-\x{0C56}\x{0C62}-\x{0C63}\x{0C81}\x{0CBC}\x{0CBF}\x{0CC6}\x{0CCC}-\x{0CCD}\x{0CE2}-\x{0CE3}\x{0D00}-\x{0D01}\x{0D3B}-\x{0D3C}\x{0D41}-\x{0D44}\x{0D4D}\x{0D62}-\x{0D63}\x{0DCA}\x{0DD2}-\x{0DD4}\x{0DD6}\x{0E31}\x{0E34}-\x{0E3A}\x{0E46}\x{0E47}-\x{0E4E}\x{0EB1}\x{0EB4}-\x{0EB9}\x{0EBB}-\x{0EBC}\x{0EC6}\x{0EC8}-\x{0ECD}\x{0F18}-\x{0F19}\x{0F35}\x{0F37}\x{0F39}\x{0F71}-\x{0F7E}\x{0F80}-\x{0F84}\x{0F86}-\x{0F87}\x{0F8D}-\x{0F97}\x{0F99}-\x{0FBC}\x{0FC6}\x{102D}-\x{1030}\x{1032}-\x{1037}\x{1039}-\x{103A}\x{103D}-\x{103E}\x{1058}-\x{1059}\x{105E}-\x{1060}\x{1071}-\x{1074}\x{1082}\x{1085}-\x{1086}\x{108D}\x{109D}\x{10FC}\x{135D}-\x{135F}\x{1712}-\x{1714}\x{1732}-\x{1734}\x{1752}-\x{1753}\x{1772}-\x{1773}\x{17B4}-\x{17B5}\x{17B7}-\x{17BD}\x{17C6}\x{17C9}-\x{17D3}\x{17D7}\x{17DD}\x{180B}-\x{180D}\x{180E}\x{1843}\x{1885}-\x{1886}\x{18A9}\x{1920}-\x{1922}\x{1927}-\x{1928}\x{1932}\x{1939}-\x{193B}\x{1A17}-\x{1A18}\x{1A1B}\x{1A56}\x{1A58}-\x{1A5E}\x{1A60}\x{1A62}\x{1A65}-\x{1A6C}\x{1A73}-\x{1A7C}\x{1A7F}\x{1AA7}\x{1AB0}-\x{1ABD}\x{1ABE}\x{1B00}-\x{1B03}\x{1B34}\x{1B36}-\x{1B3A}\x{1B3C}\x{1B42}\x{1B6B}-\x{1B73}\x{1B80}-\x{1B81}\x{1BA2}-\x{1BA5}\x{1BA8}-\x{1BA9}\x{1BAB}-\x{1BAD}\x{1BE6}\x{1BE8}-\x{1BE9}\x{1BED}\x{1BEF}-\x{1BF1}\x{1C2C}-\x{1C33}\x{1C36}-\x{1C37}\x{1C78}-\x{1C7D}\x{1CD0}-\x{1CD2}\x{1CD4}-\x{1CE0}\x{1CE2}-\x{1CE8}\x{1CED}\x{1CF4}\x{1CF8}-\x{1CF9}\x{1D2C}-\x{1D6A}\x{1D78}\x{1D9B}-\x{1DBF}\x{1DC0}-\x{1DF9}\x{1DFB}-\x{1DFF}\x{1FBD}\x{1FBF}-\x{1FC1}\x{1FCD}-\x{1FCF}\x{1FDD}-\x{1FDF}\x{1FED}-\x{1FEF}\x{1FFD}-\x{1FFE}\x{200B}-\x{200F}\x{2018}\x{2019}\x{2024}\x{2027}\x{202A}-\x{202E}\x{2060}-\x{2064}\x{2066}-\x{206F}\x{2071}\x{207F}\x{2090}-\x{209C}\x{20D0}-\x{20DC}\x{20DD}-\x{20E0}\x{20E1}\x{20E2}-\x{20E4}\x{20E5}-\x{20F0}\x{2C7C}-\x{2C7D}\x{2CEF}-\x{2CF1}\x{2D6F}\x{2D7F}\x{2DE0}-\x{2DFF}\x{2E2F}\x{3005}\x{302A}-\x{302D}\x{3031}-\x{3035}\x{303B}\x{3099}-\x{309A}\x{309B}-\x{309C}\x{309D}-\x{309E}\x{30FC}-\x{30FE}\x{A015}\x{A4F8}-\x{A4FD}\x{A60C}\x{A66F}\x{A670}-\x{A672}\x{A674}-\x{A67D}\x{A67F}\x{A69C}-\x{A69D}\x{A69E}-\x{A69F}\x{A6F0}-\x{A6F1}\x{A700}-\x{A716}\x{A717}-\x{A71F}\x{A720}-\x{A721}\x{A770}\x{A788}\x{A789}-\x{A78A}\x{A7F8}-\x{A7F9}\x{A802}\x{A806}\x{A80B}\x{A825}-\x{A826}\x{A8C4}-\x{A8C5}\x{A8E0}-\x{A8F1}\x{A8FF}\x{A926}-\x{A92D}\x{A947}-\x{A951}\x{A980}-\x{A982}\x{A9B3}\x{A9B6}-\x{A9B9}\x{A9BC}\x{A9CF}\x{A9E5}\x{A9E6}\x{AA29}-\x{AA2E}\x{AA31}-\x{AA32}\x{AA35}-\x{AA36}\x{AA43}\x{AA4C}\x{AA70}\x{AA7C}\x{AAB0}\x{AAB2}-\x{AAB4}\x{AAB7}-\x{AAB8}\x{AABE}-\x{AABF}\x{AAC1}\x{AADD}\x{AAEC}-\x{AAED}\x{AAF3}-\x{AAF4}\x{AAF6}\x{AB5B}\x{AB5C}-\x{AB5F}\x{ABE5}\x{ABE8}\x{ABED}\x{FB1E}\x{FBB2}-\x{FBC1}\x{FE00}-\x{FE0F}\x{FE13}\x{FE20}-\x{FE2F}\x{FE52}\x{FE55}\x{FEFF}\x{FF07}\x{FF0E}\x{FF1A}\x{FF3E}\x{FF40}\x{FF70}\x{FF9E}-\x{FF9F}\x{FFE3}\x{FFF9}-\x{FFFB}\x{101FD}\x{102E0}\x{10376}-\x{1037A}\x{10A01}-\x{10A03}\x{10A05}-\x{10A06}\x{10A0C}-\x{10A0F}\x{10A38}-\x{10A3A}\x{10A3F}\x{10AE5}-\x{10AE6}\x{10D24}-\x{10D27}\x{10F46}-\x{10F50}\x{11001}\x{11038}-\x{11046}\x{1107F}-\x{11081}\x{110B3}-\x{110B6}\x{110B9}-\x{110BA}\x{110BD}\x{110CD}\x{11100}-\x{11102}\x{11127}-\x{1112B}\x{1112D}-\x{11134}\x{11173}\x{11180}-\x{11181}\x{111B6}-\x{111BE}\x{111C9}-\x{111CC}\x{1122F}-\x{11231}\x{11234}\x{11236}-\x{11237}\x{1123E}\x{112DF}\x{112E3}-\x{112EA}\x{11300}-\x{11301}\x{1133B}-\x{1133C}\x{11340}\x{11366}-\x{1136C}\x{11370}-\x{11374}\x{11438}-\x{1143F}\x{11442}-\x{11444}\x{11446}\x{1145E}\x{114B3}-\x{114B8}\x{114BA}\x{114BF}-\x{114C0}\x{114C2}-\x{114C3}\x{115B2}-\x{115B5}\x{115BC}-\x{115BD}\x{115BF}-\x{115C0}\x{115DC}-\x{115DD}\x{11633}-\x{1163A}\x{1163D}\x{1163F}-\x{11640}\x{116AB}\x{116AD}\x{116B0}-\x{116B5}\x{116B7}\x{1171D}-\x{1171F}\x{11722}-\x{11725}\x{11727}-\x{1172B}\x{1182F}-\x{11837}\x{11839}-\x{1183A}\x{11A01}-\x{11A0A}\x{11A33}-\x{11A38}\x{11A3B}-\x{11A3E}\x{11A47}\x{11A51}-\x{11A56}\x{11A59}-\x{11A5B}\x{11A8A}-\x{11A96}\x{11A98}-\x{11A99}\x{11C30}-\x{11C36}\x{11C38}-\x{11C3D}\x{11C3F}\x{11C92}-\x{11CA7}\x{11CAA}-\x{11CB0}\x{11CB2}-\x{11CB3}\x{11CB5}-\x{11CB6}\x{11D31}-\x{11D36}\x{11D3A}\x{11D3C}-\x{11D3D}\x{11D3F}-\x{11D45}\x{11D47}\x{11D90}-\x{11D91}\x{11D95}\x{11D97}\x{11EF3}-\x{11EF4}\x{16AF0}-\x{16AF4}\x{16B30}-\x{16B36}\x{16B40}-\x{16B43}\x{16F8F}-\x{16F92}\x{16F93}-\x{16F9F}\x{16FE0}-\x{16FE1}\x{1BC9D}-\x{1BC9E}\x{1BCA0}-\x{1BCA3}\x{1D167}-\x{1D169}\x{1D173}-\x{1D17A}\x{1D17B}-\x{1D182}\x{1D185}-\x{1D18B}\x{1D1AA}-\x{1D1AD}\x{1D242}-\x{1D244}\x{1DA00}-\x{1DA36}\x{1DA3B}-\x{1DA6C}\x{1DA75}\x{1DA84}\x{1DA9B}-\x{1DA9F}\x{1DAA1}-\x{1DAAF}\x{1E000}-\x{1E006}\x{1E008}-\x{1E018}\x{1E01B}-\x{1E021}\x{1E023}-\x{1E024}\x{1E026}-\x{1E02A}\x{1E8D0}-\x{1E8D6}\x{1E944}-\x{1E94A}\x{1F3FB}-\x{1F3FF}\x{E0001}\x{E0020}-\x{E007F}\x{E0100}-\x{E01EF}])(\pL)(\pL*+)/u';
symfony/polyfill-mbstring/Resources/unidata/lowerCase.php000064400000057731151330736600020002 0ustar00<?php

return array (
  'A' => 'a',
  'B' => 'b',
  'C' => 'c',
  'D' => 'd',
  'E' => 'e',
  'F' => 'f',
  'G' => 'g',
  'H' => 'h',
  'I' => 'i',
  'J' => 'j',
  'K' => 'k',
  'L' => 'l',
  'M' => 'm',
  'N' => 'n',
  'O' => 'o',
  'P' => 'p',
  'Q' => 'q',
  'R' => 'r',
  'S' => 's',
  'T' => 't',
  'U' => 'u',
  'V' => 'v',
  'W' => 'w',
  'X' => 'x',
  'Y' => 'y',
  'Z' => 'z',
  'À' => 'à',
  'Á' => 'á',
  'Â' => 'â',
  'Ã' => 'ã',
  'Ä' => 'ä',
  'Å' => 'å',
  'Æ' => 'æ',
  'Ç' => 'ç',
  'È' => 'è',
  'É' => 'é',
  'Ê' => 'ê',
  'Ë' => 'ë',
  'Ì' => 'ì',
  'Í' => 'í',
  'Î' => 'î',
  'Ï' => 'ï',
  'Ð' => 'ð',
  'Ñ' => 'ñ',
  'Ò' => 'ò',
  'Ó' => 'ó',
  'Ô' => 'ô',
  'Õ' => 'õ',
  'Ö' => 'ö',
  'Ø' => 'ø',
  'Ù' => 'ù',
  'Ú' => 'ú',
  'Û' => 'û',
  'Ü' => 'ü',
  'Ý' => 'ý',
  'Þ' => 'þ',
  'Ā' => 'ā',
  'Ă' => 'ă',
  'Ą' => 'ą',
  'Ć' => 'ć',
  'Ĉ' => 'ĉ',
  'Ċ' => 'ċ',
  'Č' => 'č',
  'Ď' => 'ď',
  'Đ' => 'đ',
  'Ē' => 'ē',
  'Ĕ' => 'ĕ',
  'Ė' => 'ė',
  'Ę' => 'ę',
  'Ě' => 'ě',
  'Ĝ' => 'ĝ',
  'Ğ' => 'ğ',
  'Ġ' => 'ġ',
  'Ģ' => 'ģ',
  'Ĥ' => 'ĥ',
  'Ħ' => 'ħ',
  'Ĩ' => 'ĩ',
  'Ī' => 'ī',
  'Ĭ' => 'ĭ',
  'Į' => 'į',
  'İ' => 'i',
  'IJ' => 'ij',
  'Ĵ' => 'ĵ',
  'Ķ' => 'ķ',
  'Ĺ' => 'ĺ',
  'Ļ' => 'ļ',
  'Ľ' => 'ľ',
  'Ŀ' => 'ŀ',
  'Ł' => 'ł',
  'Ń' => 'ń',
  'Ņ' => 'ņ',
  'Ň' => 'ň',
  'Ŋ' => 'ŋ',
  'Ō' => 'ō',
  'Ŏ' => 'ŏ',
  'Ő' => 'ő',
  'Œ' => 'œ',
  'Ŕ' => 'ŕ',
  'Ŗ' => 'ŗ',
  'Ř' => 'ř',
  'Ś' => 'ś',
  'Ŝ' => 'ŝ',
  'Ş' => 'ş',
  'Š' => 'š',
  'Ţ' => 'ţ',
  'Ť' => 'ť',
  'Ŧ' => 'ŧ',
  'Ũ' => 'ũ',
  'Ū' => 'ū',
  'Ŭ' => 'ŭ',
  'Ů' => 'ů',
  'Ű' => 'ű',
  'Ų' => 'ų',
  'Ŵ' => 'ŵ',
  'Ŷ' => 'ŷ',
  'Ÿ' => 'ÿ',
  'Ź' => 'ź',
  'Ż' => 'ż',
  'Ž' => 'ž',
  'Ɓ' => 'ɓ',
  'Ƃ' => 'ƃ',
  'Ƅ' => 'ƅ',
  'Ɔ' => 'ɔ',
  'Ƈ' => 'ƈ',
  'Ɖ' => 'ɖ',
  'Ɗ' => 'ɗ',
  'Ƌ' => 'ƌ',
  'Ǝ' => 'ǝ',
  'Ə' => 'ə',
  'Ɛ' => 'ɛ',
  'Ƒ' => 'ƒ',
  'Ɠ' => 'ɠ',
  'Ɣ' => 'ɣ',
  'Ɩ' => 'ɩ',
  'Ɨ' => 'ɨ',
  'Ƙ' => 'ƙ',
  'Ɯ' => 'ɯ',
  'Ɲ' => 'ɲ',
  'Ɵ' => 'ɵ',
  'Ơ' => 'ơ',
  'Ƣ' => 'ƣ',
  'Ƥ' => 'ƥ',
  'Ʀ' => 'ʀ',
  'Ƨ' => 'ƨ',
  'Ʃ' => 'ʃ',
  'Ƭ' => 'ƭ',
  'Ʈ' => 'ʈ',
  'Ư' => 'ư',
  'Ʊ' => 'ʊ',
  'Ʋ' => 'ʋ',
  'Ƴ' => 'ƴ',
  'Ƶ' => 'ƶ',
  'Ʒ' => 'ʒ',
  'Ƹ' => 'ƹ',
  'Ƽ' => 'ƽ',
  'DŽ' => 'dž',
  'Dž' => 'dž',
  'LJ' => 'lj',
  'Lj' => 'lj',
  'NJ' => 'nj',
  'Nj' => 'nj',
  'Ǎ' => 'ǎ',
  'Ǐ' => 'ǐ',
  'Ǒ' => 'ǒ',
  'Ǔ' => 'ǔ',
  'Ǖ' => 'ǖ',
  'Ǘ' => 'ǘ',
  'Ǚ' => 'ǚ',
  'Ǜ' => 'ǜ',
  'Ǟ' => 'ǟ',
  'Ǡ' => 'ǡ',
  'Ǣ' => 'ǣ',
  'Ǥ' => 'ǥ',
  'Ǧ' => 'ǧ',
  'Ǩ' => 'ǩ',
  'Ǫ' => 'ǫ',
  'Ǭ' => 'ǭ',
  'Ǯ' => 'ǯ',
  'DZ' => 'dz',
  'Dz' => 'dz',
  'Ǵ' => 'ǵ',
  'Ƕ' => 'ƕ',
  'Ƿ' => 'ƿ',
  'Ǹ' => 'ǹ',
  'Ǻ' => 'ǻ',
  'Ǽ' => 'ǽ',
  'Ǿ' => 'ǿ',
  'Ȁ' => 'ȁ',
  'Ȃ' => 'ȃ',
  'Ȅ' => 'ȅ',
  'Ȇ' => 'ȇ',
  'Ȉ' => 'ȉ',
  'Ȋ' => 'ȋ',
  'Ȍ' => 'ȍ',
  'Ȏ' => 'ȏ',
  'Ȑ' => 'ȑ',
  'Ȓ' => 'ȓ',
  'Ȕ' => 'ȕ',
  'Ȗ' => 'ȗ',
  'Ș' => 'ș',
  'Ț' => 'ț',
  'Ȝ' => 'ȝ',
  'Ȟ' => 'ȟ',
  'Ƞ' => 'ƞ',
  'Ȣ' => 'ȣ',
  'Ȥ' => 'ȥ',
  'Ȧ' => 'ȧ',
  'Ȩ' => 'ȩ',
  'Ȫ' => 'ȫ',
  'Ȭ' => 'ȭ',
  'Ȯ' => 'ȯ',
  'Ȱ' => 'ȱ',
  'Ȳ' => 'ȳ',
  'Ⱥ' => 'ⱥ',
  'Ȼ' => 'ȼ',
  'Ƚ' => 'ƚ',
  'Ⱦ' => 'ⱦ',
  'Ɂ' => 'ɂ',
  'Ƀ' => 'ƀ',
  'Ʉ' => 'ʉ',
  'Ʌ' => 'ʌ',
  'Ɇ' => 'ɇ',
  'Ɉ' => 'ɉ',
  'Ɋ' => 'ɋ',
  'Ɍ' => 'ɍ',
  'Ɏ' => 'ɏ',
  'Ͱ' => 'ͱ',
  'Ͳ' => 'ͳ',
  'Ͷ' => 'ͷ',
  'Ϳ' => 'ϳ',
  'Ά' => 'ά',
  'Έ' => 'έ',
  'Ή' => 'ή',
  'Ί' => 'ί',
  'Ό' => 'ό',
  'Ύ' => 'ύ',
  'Ώ' => 'ώ',
  'Α' => 'α',
  'Β' => 'β',
  'Γ' => 'γ',
  'Δ' => 'δ',
  'Ε' => 'ε',
  'Ζ' => 'ζ',
  'Η' => 'η',
  'Θ' => 'θ',
  'Ι' => 'ι',
  'Κ' => 'κ',
  'Λ' => 'λ',
  'Μ' => 'μ',
  'Ν' => 'ν',
  'Ξ' => 'ξ',
  'Ο' => 'ο',
  'Π' => 'π',
  'Ρ' => 'ρ',
  'Σ' => 'σ',
  'Τ' => 'τ',
  'Υ' => 'υ',
  'Φ' => 'φ',
  'Χ' => 'χ',
  'Ψ' => 'ψ',
  'Ω' => 'ω',
  'Ϊ' => 'ϊ',
  'Ϋ' => 'ϋ',
  'Ϗ' => 'ϗ',
  'Ϙ' => 'ϙ',
  'Ϛ' => 'ϛ',
  'Ϝ' => 'ϝ',
  'Ϟ' => 'ϟ',
  'Ϡ' => 'ϡ',
  'Ϣ' => 'ϣ',
  'Ϥ' => 'ϥ',
  'Ϧ' => 'ϧ',
  'Ϩ' => 'ϩ',
  'Ϫ' => 'ϫ',
  'Ϭ' => 'ϭ',
  'Ϯ' => 'ϯ',
  'ϴ' => 'θ',
  'Ϸ' => 'ϸ',
  'Ϲ' => 'ϲ',
  'Ϻ' => 'ϻ',
  'Ͻ' => 'ͻ',
  'Ͼ' => 'ͼ',
  'Ͽ' => 'ͽ',
  'Ѐ' => 'ѐ',
  'Ё' => 'ё',
  'Ђ' => 'ђ',
  'Ѓ' => 'ѓ',
  'Є' => 'є',
  'Ѕ' => 'ѕ',
  'І' => 'і',
  'Ї' => 'ї',
  'Ј' => 'ј',
  'Љ' => 'љ',
  'Њ' => 'њ',
  'Ћ' => 'ћ',
  'Ќ' => 'ќ',
  'Ѝ' => 'ѝ',
  'Ў' => 'ў',
  'Џ' => 'џ',
  'А' => 'а',
  'Б' => 'б',
  'В' => 'в',
  'Г' => 'г',
  'Д' => 'д',
  'Е' => 'е',
  'Ж' => 'ж',
  'З' => 'з',
  'И' => 'и',
  'Й' => 'й',
  'К' => 'к',
  'Л' => 'л',
  'М' => 'м',
  'Н' => 'н',
  'О' => 'о',
  'П' => 'п',
  'Р' => 'р',
  'С' => 'с',
  'Т' => 'т',
  'У' => 'у',
  'Ф' => 'ф',
  'Х' => 'х',
  'Ц' => 'ц',
  'Ч' => 'ч',
  'Ш' => 'ш',
  'Щ' => 'щ',
  'Ъ' => 'ъ',
  'Ы' => 'ы',
  'Ь' => 'ь',
  'Э' => 'э',
  'Ю' => 'ю',
  'Я' => 'я',
  'Ѡ' => 'ѡ',
  'Ѣ' => 'ѣ',
  'Ѥ' => 'ѥ',
  'Ѧ' => 'ѧ',
  'Ѩ' => 'ѩ',
  'Ѫ' => 'ѫ',
  'Ѭ' => 'ѭ',
  'Ѯ' => 'ѯ',
  'Ѱ' => 'ѱ',
  'Ѳ' => 'ѳ',
  'Ѵ' => 'ѵ',
  'Ѷ' => 'ѷ',
  'Ѹ' => 'ѹ',
  'Ѻ' => 'ѻ',
  'Ѽ' => 'ѽ',
  'Ѿ' => 'ѿ',
  'Ҁ' => 'ҁ',
  'Ҋ' => 'ҋ',
  'Ҍ' => 'ҍ',
  'Ҏ' => 'ҏ',
  'Ґ' => 'ґ',
  'Ғ' => 'ғ',
  'Ҕ' => 'ҕ',
  'Җ' => 'җ',
  'Ҙ' => 'ҙ',
  'Қ' => 'қ',
  'Ҝ' => 'ҝ',
  'Ҟ' => 'ҟ',
  'Ҡ' => 'ҡ',
  'Ң' => 'ң',
  'Ҥ' => 'ҥ',
  'Ҧ' => 'ҧ',
  'Ҩ' => 'ҩ',
  'Ҫ' => 'ҫ',
  'Ҭ' => 'ҭ',
  'Ү' => 'ү',
  'Ұ' => 'ұ',
  'Ҳ' => 'ҳ',
  'Ҵ' => 'ҵ',
  'Ҷ' => 'ҷ',
  'Ҹ' => 'ҹ',
  'Һ' => 'һ',
  'Ҽ' => 'ҽ',
  'Ҿ' => 'ҿ',
  'Ӏ' => 'ӏ',
  'Ӂ' => 'ӂ',
  'Ӄ' => 'ӄ',
  'Ӆ' => 'ӆ',
  'Ӈ' => 'ӈ',
  'Ӊ' => 'ӊ',
  'Ӌ' => 'ӌ',
  'Ӎ' => 'ӎ',
  'Ӑ' => 'ӑ',
  'Ӓ' => 'ӓ',
  'Ӕ' => 'ӕ',
  'Ӗ' => 'ӗ',
  'Ә' => 'ә',
  'Ӛ' => 'ӛ',
  'Ӝ' => 'ӝ',
  'Ӟ' => 'ӟ',
  'Ӡ' => 'ӡ',
  'Ӣ' => 'ӣ',
  'Ӥ' => 'ӥ',
  'Ӧ' => 'ӧ',
  'Ө' => 'ө',
  'Ӫ' => 'ӫ',
  'Ӭ' => 'ӭ',
  'Ӯ' => 'ӯ',
  'Ӱ' => 'ӱ',
  'Ӳ' => 'ӳ',
  'Ӵ' => 'ӵ',
  'Ӷ' => 'ӷ',
  'Ӹ' => 'ӹ',
  'Ӻ' => 'ӻ',
  'Ӽ' => 'ӽ',
  'Ӿ' => 'ӿ',
  'Ԁ' => 'ԁ',
  'Ԃ' => 'ԃ',
  'Ԅ' => 'ԅ',
  'Ԇ' => 'ԇ',
  'Ԉ' => 'ԉ',
  'Ԋ' => 'ԋ',
  'Ԍ' => 'ԍ',
  'Ԏ' => 'ԏ',
  'Ԑ' => 'ԑ',
  'Ԓ' => 'ԓ',
  'Ԕ' => 'ԕ',
  'Ԗ' => 'ԗ',
  'Ԙ' => 'ԙ',
  'Ԛ' => 'ԛ',
  'Ԝ' => 'ԝ',
  'Ԟ' => 'ԟ',
  'Ԡ' => 'ԡ',
  'Ԣ' => 'ԣ',
  'Ԥ' => 'ԥ',
  'Ԧ' => 'ԧ',
  'Ԩ' => 'ԩ',
  'Ԫ' => 'ԫ',
  'Ԭ' => 'ԭ',
  'Ԯ' => 'ԯ',
  'Ա' => 'ա',
  'Բ' => 'բ',
  'Գ' => 'գ',
  'Դ' => 'դ',
  'Ե' => 'ե',
  'Զ' => 'զ',
  'Է' => 'է',
  'Ը' => 'ը',
  'Թ' => 'թ',
  'Ժ' => 'ժ',
  'Ի' => 'ի',
  'Լ' => 'լ',
  'Խ' => 'խ',
  'Ծ' => 'ծ',
  'Կ' => 'կ',
  'Հ' => 'հ',
  'Ձ' => 'ձ',
  'Ղ' => 'ղ',
  'Ճ' => 'ճ',
  'Մ' => 'մ',
  'Յ' => 'յ',
  'Ն' => 'ն',
  'Շ' => 'շ',
  'Ո' => 'ո',
  'Չ' => 'չ',
  'Պ' => 'պ',
  'Ջ' => 'ջ',
  'Ռ' => 'ռ',
  'Ս' => 'ս',
  'Վ' => 'վ',
  'Տ' => 'տ',
  'Ր' => 'ր',
  'Ց' => 'ց',
  'Ւ' => 'ւ',
  'Փ' => 'փ',
  'Ք' => 'ք',
  'Օ' => 'օ',
  'Ֆ' => 'ֆ',
  'Ⴀ' => 'ⴀ',
  'Ⴁ' => 'ⴁ',
  'Ⴂ' => 'ⴂ',
  'Ⴃ' => 'ⴃ',
  'Ⴄ' => 'ⴄ',
  'Ⴅ' => 'ⴅ',
  'Ⴆ' => 'ⴆ',
  'Ⴇ' => 'ⴇ',
  'Ⴈ' => 'ⴈ',
  'Ⴉ' => 'ⴉ',
  'Ⴊ' => 'ⴊ',
  'Ⴋ' => 'ⴋ',
  'Ⴌ' => 'ⴌ',
  'Ⴍ' => 'ⴍ',
  'Ⴎ' => 'ⴎ',
  'Ⴏ' => 'ⴏ',
  'Ⴐ' => 'ⴐ',
  'Ⴑ' => 'ⴑ',
  'Ⴒ' => 'ⴒ',
  'Ⴓ' => 'ⴓ',
  'Ⴔ' => 'ⴔ',
  'Ⴕ' => 'ⴕ',
  'Ⴖ' => 'ⴖ',
  'Ⴗ' => 'ⴗ',
  'Ⴘ' => 'ⴘ',
  'Ⴙ' => 'ⴙ',
  'Ⴚ' => 'ⴚ',
  'Ⴛ' => 'ⴛ',
  'Ⴜ' => 'ⴜ',
  'Ⴝ' => 'ⴝ',
  'Ⴞ' => 'ⴞ',
  'Ⴟ' => 'ⴟ',
  'Ⴠ' => 'ⴠ',
  'Ⴡ' => 'ⴡ',
  'Ⴢ' => 'ⴢ',
  'Ⴣ' => 'ⴣ',
  'Ⴤ' => 'ⴤ',
  'Ⴥ' => 'ⴥ',
  'Ⴧ' => 'ⴧ',
  'Ⴭ' => 'ⴭ',
  'Ꭰ' => 'ꭰ',
  'Ꭱ' => 'ꭱ',
  'Ꭲ' => 'ꭲ',
  'Ꭳ' => 'ꭳ',
  'Ꭴ' => 'ꭴ',
  'Ꭵ' => 'ꭵ',
  'Ꭶ' => 'ꭶ',
  'Ꭷ' => 'ꭷ',
  'Ꭸ' => 'ꭸ',
  'Ꭹ' => 'ꭹ',
  'Ꭺ' => 'ꭺ',
  'Ꭻ' => 'ꭻ',
  'Ꭼ' => 'ꭼ',
  'Ꭽ' => 'ꭽ',
  'Ꭾ' => 'ꭾ',
  'Ꭿ' => 'ꭿ',
  'Ꮀ' => 'ꮀ',
  'Ꮁ' => 'ꮁ',
  'Ꮂ' => 'ꮂ',
  'Ꮃ' => 'ꮃ',
  'Ꮄ' => 'ꮄ',
  'Ꮅ' => 'ꮅ',
  'Ꮆ' => 'ꮆ',
  'Ꮇ' => 'ꮇ',
  'Ꮈ' => 'ꮈ',
  'Ꮉ' => 'ꮉ',
  'Ꮊ' => 'ꮊ',
  'Ꮋ' => 'ꮋ',
  'Ꮌ' => 'ꮌ',
  'Ꮍ' => 'ꮍ',
  'Ꮎ' => 'ꮎ',
  'Ꮏ' => 'ꮏ',
  'Ꮐ' => 'ꮐ',
  'Ꮑ' => 'ꮑ',
  'Ꮒ' => 'ꮒ',
  'Ꮓ' => 'ꮓ',
  'Ꮔ' => 'ꮔ',
  'Ꮕ' => 'ꮕ',
  'Ꮖ' => 'ꮖ',
  'Ꮗ' => 'ꮗ',
  'Ꮘ' => 'ꮘ',
  'Ꮙ' => 'ꮙ',
  'Ꮚ' => 'ꮚ',
  'Ꮛ' => 'ꮛ',
  'Ꮜ' => 'ꮜ',
  'Ꮝ' => 'ꮝ',
  'Ꮞ' => 'ꮞ',
  'Ꮟ' => 'ꮟ',
  'Ꮠ' => 'ꮠ',
  'Ꮡ' => 'ꮡ',
  'Ꮢ' => 'ꮢ',
  'Ꮣ' => 'ꮣ',
  'Ꮤ' => 'ꮤ',
  'Ꮥ' => 'ꮥ',
  'Ꮦ' => 'ꮦ',
  'Ꮧ' => 'ꮧ',
  'Ꮨ' => 'ꮨ',
  'Ꮩ' => 'ꮩ',
  'Ꮪ' => 'ꮪ',
  'Ꮫ' => 'ꮫ',
  'Ꮬ' => 'ꮬ',
  'Ꮭ' => 'ꮭ',
  'Ꮮ' => 'ꮮ',
  'Ꮯ' => 'ꮯ',
  'Ꮰ' => 'ꮰ',
  'Ꮱ' => 'ꮱ',
  'Ꮲ' => 'ꮲ',
  'Ꮳ' => 'ꮳ',
  'Ꮴ' => 'ꮴ',
  'Ꮵ' => 'ꮵ',
  'Ꮶ' => 'ꮶ',
  'Ꮷ' => 'ꮷ',
  'Ꮸ' => 'ꮸ',
  'Ꮹ' => 'ꮹ',
  'Ꮺ' => 'ꮺ',
  'Ꮻ' => 'ꮻ',
  'Ꮼ' => 'ꮼ',
  'Ꮽ' => 'ꮽ',
  'Ꮾ' => 'ꮾ',
  'Ꮿ' => 'ꮿ',
  'Ᏸ' => 'ᏸ',
  'Ᏹ' => 'ᏹ',
  'Ᏺ' => 'ᏺ',
  'Ᏻ' => 'ᏻ',
  'Ᏼ' => 'ᏼ',
  'Ᏽ' => 'ᏽ',
  'Ა' => 'ა',
  'Ბ' => 'ბ',
  'Გ' => 'გ',
  'Დ' => 'დ',
  'Ე' => 'ე',
  'Ვ' => 'ვ',
  'Ზ' => 'ზ',
  'Თ' => 'თ',
  'Ი' => 'ი',
  'Კ' => 'კ',
  'Ლ' => 'ლ',
  'Მ' => 'მ',
  'Ნ' => 'ნ',
  'Ო' => 'ო',
  'Პ' => 'პ',
  'Ჟ' => 'ჟ',
  'Რ' => 'რ',
  'Ს' => 'ს',
  'Ტ' => 'ტ',
  'Უ' => 'უ',
  'Ფ' => 'ფ',
  'Ქ' => 'ქ',
  'Ღ' => 'ღ',
  'Ყ' => 'ყ',
  'Შ' => 'შ',
  'Ჩ' => 'ჩ',
  'Ც' => 'ც',
  'Ძ' => 'ძ',
  'Წ' => 'წ',
  'Ჭ' => 'ჭ',
  'Ხ' => 'ხ',
  'Ჯ' => 'ჯ',
  'Ჰ' => 'ჰ',
  'Ჱ' => 'ჱ',
  'Ჲ' => 'ჲ',
  'Ჳ' => 'ჳ',
  'Ჴ' => 'ჴ',
  'Ჵ' => 'ჵ',
  'Ჶ' => 'ჶ',
  'Ჷ' => 'ჷ',
  'Ჸ' => 'ჸ',
  'Ჹ' => 'ჹ',
  'Ჺ' => 'ჺ',
  'Ჽ' => 'ჽ',
  'Ჾ' => 'ჾ',
  'Ჿ' => 'ჿ',
  'Ḁ' => 'ḁ',
  'Ḃ' => 'ḃ',
  'Ḅ' => 'ḅ',
  'Ḇ' => 'ḇ',
  'Ḉ' => 'ḉ',
  'Ḋ' => 'ḋ',
  'Ḍ' => 'ḍ',
  'Ḏ' => 'ḏ',
  'Ḑ' => 'ḑ',
  'Ḓ' => 'ḓ',
  'Ḕ' => 'ḕ',
  'Ḗ' => 'ḗ',
  'Ḙ' => 'ḙ',
  'Ḛ' => 'ḛ',
  'Ḝ' => 'ḝ',
  'Ḟ' => 'ḟ',
  'Ḡ' => 'ḡ',
  'Ḣ' => 'ḣ',
  'Ḥ' => 'ḥ',
  'Ḧ' => 'ḧ',
  'Ḩ' => 'ḩ',
  'Ḫ' => 'ḫ',
  'Ḭ' => 'ḭ',
  'Ḯ' => 'ḯ',
  'Ḱ' => 'ḱ',
  'Ḳ' => 'ḳ',
  'Ḵ' => 'ḵ',
  'Ḷ' => 'ḷ',
  'Ḹ' => 'ḹ',
  'Ḻ' => 'ḻ',
  'Ḽ' => 'ḽ',
  'Ḿ' => 'ḿ',
  'Ṁ' => 'ṁ',
  'Ṃ' => 'ṃ',
  'Ṅ' => 'ṅ',
  'Ṇ' => 'ṇ',
  'Ṉ' => 'ṉ',
  'Ṋ' => 'ṋ',
  'Ṍ' => 'ṍ',
  'Ṏ' => 'ṏ',
  'Ṑ' => 'ṑ',
  'Ṓ' => 'ṓ',
  'Ṕ' => 'ṕ',
  'Ṗ' => 'ṗ',
  'Ṙ' => 'ṙ',
  'Ṛ' => 'ṛ',
  'Ṝ' => 'ṝ',
  'Ṟ' => 'ṟ',
  'Ṡ' => 'ṡ',
  'Ṣ' => 'ṣ',
  'Ṥ' => 'ṥ',
  'Ṧ' => 'ṧ',
  'Ṩ' => 'ṩ',
  'Ṫ' => 'ṫ',
  'Ṭ' => 'ṭ',
  'Ṯ' => 'ṯ',
  'Ṱ' => 'ṱ',
  'Ṳ' => 'ṳ',
  'Ṵ' => 'ṵ',
  'Ṷ' => 'ṷ',
  'Ṹ' => 'ṹ',
  'Ṻ' => 'ṻ',
  'Ṽ' => 'ṽ',
  'Ṿ' => 'ṿ',
  'Ẁ' => 'ẁ',
  'Ẃ' => 'ẃ',
  'Ẅ' => 'ẅ',
  'Ẇ' => 'ẇ',
  'Ẉ' => 'ẉ',
  'Ẋ' => 'ẋ',
  'Ẍ' => 'ẍ',
  'Ẏ' => 'ẏ',
  'Ẑ' => 'ẑ',
  'Ẓ' => 'ẓ',
  'Ẕ' => 'ẕ',
  'ẞ' => 'ß',
  'Ạ' => 'ạ',
  'Ả' => 'ả',
  'Ấ' => 'ấ',
  'Ầ' => 'ầ',
  'Ẩ' => 'ẩ',
  'Ẫ' => 'ẫ',
  'Ậ' => 'ậ',
  'Ắ' => 'ắ',
  'Ằ' => 'ằ',
  'Ẳ' => 'ẳ',
  'Ẵ' => 'ẵ',
  'Ặ' => 'ặ',
  'Ẹ' => 'ẹ',
  'Ẻ' => 'ẻ',
  'Ẽ' => 'ẽ',
  'Ế' => 'ế',
  'Ề' => 'ề',
  'Ể' => 'ể',
  'Ễ' => 'ễ',
  'Ệ' => 'ệ',
  'Ỉ' => 'ỉ',
  'Ị' => 'ị',
  'Ọ' => 'ọ',
  'Ỏ' => 'ỏ',
  'Ố' => 'ố',
  'Ồ' => 'ồ',
  'Ổ' => 'ổ',
  'Ỗ' => 'ỗ',
  'Ộ' => 'ộ',
  'Ớ' => 'ớ',
  'Ờ' => 'ờ',
  'Ở' => 'ở',
  'Ỡ' => 'ỡ',
  'Ợ' => 'ợ',
  'Ụ' => 'ụ',
  'Ủ' => 'ủ',
  'Ứ' => 'ứ',
  'Ừ' => 'ừ',
  'Ử' => 'ử',
  'Ữ' => 'ữ',
  'Ự' => 'ự',
  'Ỳ' => 'ỳ',
  'Ỵ' => 'ỵ',
  'Ỷ' => 'ỷ',
  'Ỹ' => 'ỹ',
  'Ỻ' => 'ỻ',
  'Ỽ' => 'ỽ',
  'Ỿ' => 'ỿ',
  'Ἀ' => 'ἀ',
  'Ἁ' => 'ἁ',
  'Ἂ' => 'ἂ',
  'Ἃ' => 'ἃ',
  'Ἄ' => 'ἄ',
  'Ἅ' => 'ἅ',
  'Ἆ' => 'ἆ',
  'Ἇ' => 'ἇ',
  'Ἐ' => 'ἐ',
  'Ἑ' => 'ἑ',
  'Ἒ' => 'ἒ',
  'Ἓ' => 'ἓ',
  'Ἔ' => 'ἔ',
  'Ἕ' => 'ἕ',
  'Ἠ' => 'ἠ',
  'Ἡ' => 'ἡ',
  'Ἢ' => 'ἢ',
  'Ἣ' => 'ἣ',
  'Ἤ' => 'ἤ',
  'Ἥ' => 'ἥ',
  'Ἦ' => 'ἦ',
  'Ἧ' => 'ἧ',
  'Ἰ' => 'ἰ',
  'Ἱ' => 'ἱ',
  'Ἲ' => 'ἲ',
  'Ἳ' => 'ἳ',
  'Ἴ' => 'ἴ',
  'Ἵ' => 'ἵ',
  'Ἶ' => 'ἶ',
  'Ἷ' => 'ἷ',
  'Ὀ' => 'ὀ',
  'Ὁ' => 'ὁ',
  'Ὂ' => 'ὂ',
  'Ὃ' => 'ὃ',
  'Ὄ' => 'ὄ',
  'Ὅ' => 'ὅ',
  'Ὑ' => 'ὑ',
  'Ὓ' => 'ὓ',
  'Ὕ' => 'ὕ',
  'Ὗ' => 'ὗ',
  'Ὠ' => 'ὠ',
  'Ὡ' => 'ὡ',
  'Ὢ' => 'ὢ',
  'Ὣ' => 'ὣ',
  'Ὤ' => 'ὤ',
  'Ὥ' => 'ὥ',
  'Ὦ' => 'ὦ',
  'Ὧ' => 'ὧ',
  'ᾈ' => 'ᾀ',
  'ᾉ' => 'ᾁ',
  'ᾊ' => 'ᾂ',
  'ᾋ' => 'ᾃ',
  'ᾌ' => 'ᾄ',
  'ᾍ' => 'ᾅ',
  'ᾎ' => 'ᾆ',
  'ᾏ' => 'ᾇ',
  'ᾘ' => 'ᾐ',
  'ᾙ' => 'ᾑ',
  'ᾚ' => 'ᾒ',
  'ᾛ' => 'ᾓ',
  'ᾜ' => 'ᾔ',
  'ᾝ' => 'ᾕ',
  'ᾞ' => 'ᾖ',
  'ᾟ' => 'ᾗ',
  'ᾨ' => 'ᾠ',
  'ᾩ' => 'ᾡ',
  'ᾪ' => 'ᾢ',
  'ᾫ' => 'ᾣ',
  'ᾬ' => 'ᾤ',
  'ᾭ' => 'ᾥ',
  'ᾮ' => 'ᾦ',
  'ᾯ' => 'ᾧ',
  'Ᾰ' => 'ᾰ',
  'Ᾱ' => 'ᾱ',
  'Ὰ' => 'ὰ',
  'Ά' => 'ά',
  'ᾼ' => 'ᾳ',
  'Ὲ' => 'ὲ',
  'Έ' => 'έ',
  'Ὴ' => 'ὴ',
  'Ή' => 'ή',
  'ῌ' => 'ῃ',
  'Ῐ' => 'ῐ',
  'Ῑ' => 'ῑ',
  'Ὶ' => 'ὶ',
  'Ί' => 'ί',
  'Ῠ' => 'ῠ',
  'Ῡ' => 'ῡ',
  'Ὺ' => 'ὺ',
  'Ύ' => 'ύ',
  'Ῥ' => 'ῥ',
  'Ὸ' => 'ὸ',
  'Ό' => 'ό',
  'Ὼ' => 'ὼ',
  'Ώ' => 'ώ',
  'ῼ' => 'ῳ',
  'Ω' => 'ω',
  'K' => 'k',
  'Å' => 'å',
  'Ⅎ' => 'ⅎ',
  'Ⅰ' => 'ⅰ',
  'Ⅱ' => 'ⅱ',
  'Ⅲ' => 'ⅲ',
  'Ⅳ' => 'ⅳ',
  'Ⅴ' => 'ⅴ',
  'Ⅵ' => 'ⅵ',
  'Ⅶ' => 'ⅶ',
  'Ⅷ' => 'ⅷ',
  'Ⅸ' => 'ⅸ',
  'Ⅹ' => 'ⅹ',
  'Ⅺ' => 'ⅺ',
  'Ⅻ' => 'ⅻ',
  'Ⅼ' => 'ⅼ',
  'Ⅽ' => 'ⅽ',
  'Ⅾ' => 'ⅾ',
  'Ⅿ' => 'ⅿ',
  'Ↄ' => 'ↄ',
  'Ⓐ' => 'ⓐ',
  'Ⓑ' => 'ⓑ',
  'Ⓒ' => 'ⓒ',
  'Ⓓ' => 'ⓓ',
  'Ⓔ' => 'ⓔ',
  'Ⓕ' => 'ⓕ',
  'Ⓖ' => 'ⓖ',
  'Ⓗ' => 'ⓗ',
  'Ⓘ' => 'ⓘ',
  'Ⓙ' => 'ⓙ',
  'Ⓚ' => 'ⓚ',
  'Ⓛ' => 'ⓛ',
  'Ⓜ' => 'ⓜ',
  'Ⓝ' => 'ⓝ',
  'Ⓞ' => 'ⓞ',
  'Ⓟ' => 'ⓟ',
  'Ⓠ' => 'ⓠ',
  'Ⓡ' => 'ⓡ',
  'Ⓢ' => 'ⓢ',
  'Ⓣ' => 'ⓣ',
  'Ⓤ' => 'ⓤ',
  'Ⓥ' => 'ⓥ',
  'Ⓦ' => 'ⓦ',
  'Ⓧ' => 'ⓧ',
  'Ⓨ' => 'ⓨ',
  'Ⓩ' => 'ⓩ',
  'Ⰰ' => 'ⰰ',
  'Ⰱ' => 'ⰱ',
  'Ⰲ' => 'ⰲ',
  'Ⰳ' => 'ⰳ',
  'Ⰴ' => 'ⰴ',
  'Ⰵ' => 'ⰵ',
  'Ⰶ' => 'ⰶ',
  'Ⰷ' => 'ⰷ',
  'Ⰸ' => 'ⰸ',
  'Ⰹ' => 'ⰹ',
  'Ⰺ' => 'ⰺ',
  'Ⰻ' => 'ⰻ',
  'Ⰼ' => 'ⰼ',
  'Ⰽ' => 'ⰽ',
  'Ⰾ' => 'ⰾ',
  'Ⰿ' => 'ⰿ',
  'Ⱀ' => 'ⱀ',
  'Ⱁ' => 'ⱁ',
  'Ⱂ' => 'ⱂ',
  'Ⱃ' => 'ⱃ',
  'Ⱄ' => 'ⱄ',
  'Ⱅ' => 'ⱅ',
  'Ⱆ' => 'ⱆ',
  'Ⱇ' => 'ⱇ',
  'Ⱈ' => 'ⱈ',
  'Ⱉ' => 'ⱉ',
  'Ⱊ' => 'ⱊ',
  'Ⱋ' => 'ⱋ',
  'Ⱌ' => 'ⱌ',
  'Ⱍ' => 'ⱍ',
  'Ⱎ' => 'ⱎ',
  'Ⱏ' => 'ⱏ',
  'Ⱐ' => 'ⱐ',
  'Ⱑ' => 'ⱑ',
  'Ⱒ' => 'ⱒ',
  'Ⱓ' => 'ⱓ',
  'Ⱔ' => 'ⱔ',
  'Ⱕ' => 'ⱕ',
  'Ⱖ' => 'ⱖ',
  'Ⱗ' => 'ⱗ',
  'Ⱘ' => 'ⱘ',
  'Ⱙ' => 'ⱙ',
  'Ⱚ' => 'ⱚ',
  'Ⱛ' => 'ⱛ',
  'Ⱜ' => 'ⱜ',
  'Ⱝ' => 'ⱝ',
  'Ⱞ' => 'ⱞ',
  'Ⱡ' => 'ⱡ',
  'Ɫ' => 'ɫ',
  'Ᵽ' => 'ᵽ',
  'Ɽ' => 'ɽ',
  'Ⱨ' => 'ⱨ',
  'Ⱪ' => 'ⱪ',
  'Ⱬ' => 'ⱬ',
  'Ɑ' => 'ɑ',
  'Ɱ' => 'ɱ',
  'Ɐ' => 'ɐ',
  'Ɒ' => 'ɒ',
  'Ⱳ' => 'ⱳ',
  'Ⱶ' => 'ⱶ',
  'Ȿ' => 'ȿ',
  'Ɀ' => 'ɀ',
  'Ⲁ' => 'ⲁ',
  'Ⲃ' => 'ⲃ',
  'Ⲅ' => 'ⲅ',
  'Ⲇ' => 'ⲇ',
  'Ⲉ' => 'ⲉ',
  'Ⲋ' => 'ⲋ',
  'Ⲍ' => 'ⲍ',
  'Ⲏ' => 'ⲏ',
  'Ⲑ' => 'ⲑ',
  'Ⲓ' => 'ⲓ',
  'Ⲕ' => 'ⲕ',
  'Ⲗ' => 'ⲗ',
  'Ⲙ' => 'ⲙ',
  'Ⲛ' => 'ⲛ',
  'Ⲝ' => 'ⲝ',
  'Ⲟ' => 'ⲟ',
  'Ⲡ' => 'ⲡ',
  'Ⲣ' => 'ⲣ',
  'Ⲥ' => 'ⲥ',
  'Ⲧ' => 'ⲧ',
  'Ⲩ' => 'ⲩ',
  'Ⲫ' => 'ⲫ',
  'Ⲭ' => 'ⲭ',
  'Ⲯ' => 'ⲯ',
  'Ⲱ' => 'ⲱ',
  'Ⲳ' => 'ⲳ',
  'Ⲵ' => 'ⲵ',
  'Ⲷ' => 'ⲷ',
  'Ⲹ' => 'ⲹ',
  'Ⲻ' => 'ⲻ',
  'Ⲽ' => 'ⲽ',
  'Ⲿ' => 'ⲿ',
  'Ⳁ' => 'ⳁ',
  'Ⳃ' => 'ⳃ',
  'Ⳅ' => 'ⳅ',
  'Ⳇ' => 'ⳇ',
  'Ⳉ' => 'ⳉ',
  'Ⳋ' => 'ⳋ',
  'Ⳍ' => 'ⳍ',
  'Ⳏ' => 'ⳏ',
  'Ⳑ' => 'ⳑ',
  'Ⳓ' => 'ⳓ',
  'Ⳕ' => 'ⳕ',
  'Ⳗ' => 'ⳗ',
  'Ⳙ' => 'ⳙ',
  'Ⳛ' => 'ⳛ',
  'Ⳝ' => 'ⳝ',
  'Ⳟ' => 'ⳟ',
  'Ⳡ' => 'ⳡ',
  'Ⳣ' => 'ⳣ',
  'Ⳬ' => 'ⳬ',
  'Ⳮ' => 'ⳮ',
  'Ⳳ' => 'ⳳ',
  'Ꙁ' => 'ꙁ',
  'Ꙃ' => 'ꙃ',
  'Ꙅ' => 'ꙅ',
  'Ꙇ' => 'ꙇ',
  'Ꙉ' => 'ꙉ',
  'Ꙋ' => 'ꙋ',
  'Ꙍ' => 'ꙍ',
  'Ꙏ' => 'ꙏ',
  'Ꙑ' => 'ꙑ',
  'Ꙓ' => 'ꙓ',
  'Ꙕ' => 'ꙕ',
  'Ꙗ' => 'ꙗ',
  'Ꙙ' => 'ꙙ',
  'Ꙛ' => 'ꙛ',
  'Ꙝ' => 'ꙝ',
  'Ꙟ' => 'ꙟ',
  'Ꙡ' => 'ꙡ',
  'Ꙣ' => 'ꙣ',
  'Ꙥ' => 'ꙥ',
  'Ꙧ' => 'ꙧ',
  'Ꙩ' => 'ꙩ',
  'Ꙫ' => 'ꙫ',
  'Ꙭ' => 'ꙭ',
  'Ꚁ' => 'ꚁ',
  'Ꚃ' => 'ꚃ',
  'Ꚅ' => 'ꚅ',
  'Ꚇ' => 'ꚇ',
  'Ꚉ' => 'ꚉ',
  'Ꚋ' => 'ꚋ',
  'Ꚍ' => 'ꚍ',
  'Ꚏ' => 'ꚏ',
  'Ꚑ' => 'ꚑ',
  'Ꚓ' => 'ꚓ',
  'Ꚕ' => 'ꚕ',
  'Ꚗ' => 'ꚗ',
  'Ꚙ' => 'ꚙ',
  'Ꚛ' => 'ꚛ',
  'Ꜣ' => 'ꜣ',
  'Ꜥ' => 'ꜥ',
  'Ꜧ' => 'ꜧ',
  'Ꜩ' => 'ꜩ',
  'Ꜫ' => 'ꜫ',
  'Ꜭ' => 'ꜭ',
  'Ꜯ' => 'ꜯ',
  'Ꜳ' => 'ꜳ',
  'Ꜵ' => 'ꜵ',
  'Ꜷ' => 'ꜷ',
  'Ꜹ' => 'ꜹ',
  'Ꜻ' => 'ꜻ',
  'Ꜽ' => 'ꜽ',
  'Ꜿ' => 'ꜿ',
  'Ꝁ' => 'ꝁ',
  'Ꝃ' => 'ꝃ',
  'Ꝅ' => 'ꝅ',
  'Ꝇ' => 'ꝇ',
  'Ꝉ' => 'ꝉ',
  'Ꝋ' => 'ꝋ',
  'Ꝍ' => 'ꝍ',
  'Ꝏ' => 'ꝏ',
  'Ꝑ' => 'ꝑ',
  'Ꝓ' => 'ꝓ',
  'Ꝕ' => 'ꝕ',
  'Ꝗ' => 'ꝗ',
  'Ꝙ' => 'ꝙ',
  'Ꝛ' => 'ꝛ',
  'Ꝝ' => 'ꝝ',
  'Ꝟ' => 'ꝟ',
  'Ꝡ' => 'ꝡ',
  'Ꝣ' => 'ꝣ',
  'Ꝥ' => 'ꝥ',
  'Ꝧ' => 'ꝧ',
  'Ꝩ' => 'ꝩ',
  'Ꝫ' => 'ꝫ',
  'Ꝭ' => 'ꝭ',
  'Ꝯ' => 'ꝯ',
  'Ꝺ' => 'ꝺ',
  'Ꝼ' => 'ꝼ',
  'Ᵹ' => 'ᵹ',
  'Ꝿ' => 'ꝿ',
  'Ꞁ' => 'ꞁ',
  'Ꞃ' => 'ꞃ',
  'Ꞅ' => 'ꞅ',
  'Ꞇ' => 'ꞇ',
  'Ꞌ' => 'ꞌ',
  'Ɥ' => 'ɥ',
  'Ꞑ' => 'ꞑ',
  'Ꞓ' => 'ꞓ',
  'Ꞗ' => 'ꞗ',
  'Ꞙ' => 'ꞙ',
  'Ꞛ' => 'ꞛ',
  'Ꞝ' => 'ꞝ',
  'Ꞟ' => 'ꞟ',
  'Ꞡ' => 'ꞡ',
  'Ꞣ' => 'ꞣ',
  'Ꞥ' => 'ꞥ',
  'Ꞧ' => 'ꞧ',
  'Ꞩ' => 'ꞩ',
  'Ɦ' => 'ɦ',
  'Ɜ' => 'ɜ',
  'Ɡ' => 'ɡ',
  'Ɬ' => 'ɬ',
  'Ɪ' => 'ɪ',
  'Ʞ' => 'ʞ',
  'Ʇ' => 'ʇ',
  'Ʝ' => 'ʝ',
  'Ꭓ' => 'ꭓ',
  'Ꞵ' => 'ꞵ',
  'Ꞷ' => 'ꞷ',
  'Ꞹ' => 'ꞹ',
  'Ꞻ' => 'ꞻ',
  'Ꞽ' => 'ꞽ',
  'Ꞿ' => 'ꞿ',
  'Ꟃ' => 'ꟃ',
  'Ꞔ' => 'ꞔ',
  'Ʂ' => 'ʂ',
  'Ᶎ' => 'ᶎ',
  'Ꟈ' => 'ꟈ',
  'Ꟊ' => 'ꟊ',
  'Ꟶ' => 'ꟶ',
  'A' => 'a',
  'B' => 'b',
  'C' => 'c',
  'D' => 'd',
  'E' => 'e',
  'F' => 'f',
  'G' => 'g',
  'H' => 'h',
  'I' => 'i',
  'J' => 'j',
  'K' => 'k',
  'L' => 'l',
  'M' => 'm',
  'N' => 'n',
  'O' => 'o',
  'P' => 'p',
  'Q' => 'q',
  'R' => 'r',
  'S' => 's',
  'T' => 't',
  'U' => 'u',
  'V' => 'v',
  'W' => 'w',
  'X' => 'x',
  'Y' => 'y',
  'Z' => 'z',
  '𐐀' => '𐐨',
  '𐐁' => '𐐩',
  '𐐂' => '𐐪',
  '𐐃' => '𐐫',
  '𐐄' => '𐐬',
  '𐐅' => '𐐭',
  '𐐆' => '𐐮',
  '𐐇' => '𐐯',
  '𐐈' => '𐐰',
  '𐐉' => '𐐱',
  '𐐊' => '𐐲',
  '𐐋' => '𐐳',
  '𐐌' => '𐐴',
  '𐐍' => '𐐵',
  '𐐎' => '𐐶',
  '𐐏' => '𐐷',
  '𐐐' => '𐐸',
  '𐐑' => '𐐹',
  '𐐒' => '𐐺',
  '𐐓' => '𐐻',
  '𐐔' => '𐐼',
  '𐐕' => '𐐽',
  '𐐖' => '𐐾',
  '𐐗' => '𐐿',
  '𐐘' => '𐑀',
  '𐐙' => '𐑁',
  '𐐚' => '𐑂',
  '𐐛' => '𐑃',
  '𐐜' => '𐑄',
  '𐐝' => '𐑅',
  '𐐞' => '𐑆',
  '𐐟' => '𐑇',
  '𐐠' => '𐑈',
  '𐐡' => '𐑉',
  '𐐢' => '𐑊',
  '𐐣' => '𐑋',
  '𐐤' => '𐑌',
  '𐐥' => '𐑍',
  '𐐦' => '𐑎',
  '𐐧' => '𐑏',
  '𐒰' => '𐓘',
  '𐒱' => '𐓙',
  '𐒲' => '𐓚',
  '𐒳' => '𐓛',
  '𐒴' => '𐓜',
  '𐒵' => '𐓝',
  '𐒶' => '𐓞',
  '𐒷' => '𐓟',
  '𐒸' => '𐓠',
  '𐒹' => '𐓡',
  '𐒺' => '𐓢',
  '𐒻' => '𐓣',
  '𐒼' => '𐓤',
  '𐒽' => '𐓥',
  '𐒾' => '𐓦',
  '𐒿' => '𐓧',
  '𐓀' => '𐓨',
  '𐓁' => '𐓩',
  '𐓂' => '𐓪',
  '𐓃' => '𐓫',
  '𐓄' => '𐓬',
  '𐓅' => '𐓭',
  '𐓆' => '𐓮',
  '𐓇' => '𐓯',
  '𐓈' => '𐓰',
  '𐓉' => '𐓱',
  '𐓊' => '𐓲',
  '𐓋' => '𐓳',
  '𐓌' => '𐓴',
  '𐓍' => '𐓵',
  '𐓎' => '𐓶',
  '𐓏' => '𐓷',
  '𐓐' => '𐓸',
  '𐓑' => '𐓹',
  '𐓒' => '𐓺',
  '𐓓' => '𐓻',
  '𐲀' => '𐳀',
  '𐲁' => '𐳁',
  '𐲂' => '𐳂',
  '𐲃' => '𐳃',
  '𐲄' => '𐳄',
  '𐲅' => '𐳅',
  '𐲆' => '𐳆',
  '𐲇' => '𐳇',
  '𐲈' => '𐳈',
  '𐲉' => '𐳉',
  '𐲊' => '𐳊',
  '𐲋' => '𐳋',
  '𐲌' => '𐳌',
  '𐲍' => '𐳍',
  '𐲎' => '𐳎',
  '𐲏' => '𐳏',
  '𐲐' => '𐳐',
  '𐲑' => '𐳑',
  '𐲒' => '𐳒',
  '𐲓' => '𐳓',
  '𐲔' => '𐳔',
  '𐲕' => '𐳕',
  '𐲖' => '𐳖',
  '𐲗' => '𐳗',
  '𐲘' => '𐳘',
  '𐲙' => '𐳙',
  '𐲚' => '𐳚',
  '𐲛' => '𐳛',
  '𐲜' => '𐳜',
  '𐲝' => '𐳝',
  '𐲞' => '𐳞',
  '𐲟' => '𐳟',
  '𐲠' => '𐳠',
  '𐲡' => '𐳡',
  '𐲢' => '𐳢',
  '𐲣' => '𐳣',
  '𐲤' => '𐳤',
  '𐲥' => '𐳥',
  '𐲦' => '𐳦',
  '𐲧' => '𐳧',
  '𐲨' => '𐳨',
  '𐲩' => '𐳩',
  '𐲪' => '𐳪',
  '𐲫' => '𐳫',
  '𐲬' => '𐳬',
  '𐲭' => '𐳭',
  '𐲮' => '𐳮',
  '𐲯' => '𐳯',
  '𐲰' => '𐳰',
  '𐲱' => '𐳱',
  '𐲲' => '𐳲',
  '𑢠' => '𑣀',
  '𑢡' => '𑣁',
  '𑢢' => '𑣂',
  '𑢣' => '𑣃',
  '𑢤' => '𑣄',
  '𑢥' => '𑣅',
  '𑢦' => '𑣆',
  '𑢧' => '𑣇',
  '𑢨' => '𑣈',
  '𑢩' => '𑣉',
  '𑢪' => '𑣊',
  '𑢫' => '𑣋',
  '𑢬' => '𑣌',
  '𑢭' => '𑣍',
  '𑢮' => '𑣎',
  '𑢯' => '𑣏',
  '𑢰' => '𑣐',
  '𑢱' => '𑣑',
  '𑢲' => '𑣒',
  '𑢳' => '𑣓',
  '𑢴' => '𑣔',
  '𑢵' => '𑣕',
  '𑢶' => '𑣖',
  '𑢷' => '𑣗',
  '𑢸' => '𑣘',
  '𑢹' => '𑣙',
  '𑢺' => '𑣚',
  '𑢻' => '𑣛',
  '𑢼' => '𑣜',
  '𑢽' => '𑣝',
  '𑢾' => '𑣞',
  '𑢿' => '𑣟',
  '𖹀' => '𖹠',
  '𖹁' => '𖹡',
  '𖹂' => '𖹢',
  '𖹃' => '𖹣',
  '𖹄' => '𖹤',
  '𖹅' => '𖹥',
  '𖹆' => '𖹦',
  '𖹇' => '𖹧',
  '𖹈' => '𖹨',
  '𖹉' => '𖹩',
  '𖹊' => '𖹪',
  '𖹋' => '𖹫',
  '𖹌' => '𖹬',
  '𖹍' => '𖹭',
  '𖹎' => '𖹮',
  '𖹏' => '𖹯',
  '𖹐' => '𖹰',
  '𖹑' => '𖹱',
  '𖹒' => '𖹲',
  '𖹓' => '𖹳',
  '𖹔' => '𖹴',
  '𖹕' => '𖹵',
  '𖹖' => '𖹶',
  '𖹗' => '𖹷',
  '𖹘' => '𖹸',
  '𖹙' => '𖹹',
  '𖹚' => '𖹺',
  '𖹛' => '𖹻',
  '𖹜' => '𖹼',
  '𖹝' => '𖹽',
  '𖹞' => '𖹾',
  '𖹟' => '𖹿',
  '𞤀' => '𞤢',
  '𞤁' => '𞤣',
  '𞤂' => '𞤤',
  '𞤃' => '𞤥',
  '𞤄' => '𞤦',
  '𞤅' => '𞤧',
  '𞤆' => '𞤨',
  '𞤇' => '𞤩',
  '𞤈' => '𞤪',
  '𞤉' => '𞤫',
  '𞤊' => '𞤬',
  '𞤋' => '𞤭',
  '𞤌' => '𞤮',
  '𞤍' => '𞤯',
  '𞤎' => '𞤰',
  '𞤏' => '𞤱',
  '𞤐' => '𞤲',
  '𞤑' => '𞤳',
  '𞤒' => '𞤴',
  '𞤓' => '𞤵',
  '𞤔' => '𞤶',
  '𞤕' => '𞤷',
  '𞤖' => '𞤸',
  '𞤗' => '𞤹',
  '𞤘' => '𞤺',
  '𞤙' => '𞤻',
  '𞤚' => '𞤼',
  '𞤛' => '𞤽',
  '𞤜' => '𞤾',
  '𞤝' => '𞤿',
  '𞤞' => '𞥀',
  '𞤟' => '𞥁',
  '𞤠' => '𞥂',
  '𞤡' => '𞥃',
);
symfony/polyfill-mbstring/Resources/unidata/upperCase.php000064400000060362151330736600017777 0ustar00<?php

return array (
  'a' => 'A',
  'b' => 'B',
  'c' => 'C',
  'd' => 'D',
  'e' => 'E',
  'f' => 'F',
  'g' => 'G',
  'h' => 'H',
  'i' => 'I',
  'j' => 'J',
  'k' => 'K',
  'l' => 'L',
  'm' => 'M',
  'n' => 'N',
  'o' => 'O',
  'p' => 'P',
  'q' => 'Q',
  'r' => 'R',
  's' => 'S',
  't' => 'T',
  'u' => 'U',
  'v' => 'V',
  'w' => 'W',
  'x' => 'X',
  'y' => 'Y',
  'z' => 'Z',
  'µ' => 'Μ',
  'à' => 'À',
  'á' => 'Á',
  'â' => 'Â',
  'ã' => 'Ã',
  'ä' => 'Ä',
  'å' => 'Å',
  'æ' => 'Æ',
  'ç' => 'Ç',
  'è' => 'È',
  'é' => 'É',
  'ê' => 'Ê',
  'ë' => 'Ë',
  'ì' => 'Ì',
  'í' => 'Í',
  'î' => 'Î',
  'ï' => 'Ï',
  'ð' => 'Ð',
  'ñ' => 'Ñ',
  'ò' => 'Ò',
  'ó' => 'Ó',
  'ô' => 'Ô',
  'õ' => 'Õ',
  'ö' => 'Ö',
  'ø' => 'Ø',
  'ù' => 'Ù',
  'ú' => 'Ú',
  'û' => 'Û',
  'ü' => 'Ü',
  'ý' => 'Ý',
  'þ' => 'Þ',
  'ÿ' => 'Ÿ',
  'ā' => 'Ā',
  'ă' => 'Ă',
  'ą' => 'Ą',
  'ć' => 'Ć',
  'ĉ' => 'Ĉ',
  'ċ' => 'Ċ',
  'č' => 'Č',
  'ď' => 'Ď',
  'đ' => 'Đ',
  'ē' => 'Ē',
  'ĕ' => 'Ĕ',
  'ė' => 'Ė',
  'ę' => 'Ę',
  'ě' => 'Ě',
  'ĝ' => 'Ĝ',
  'ğ' => 'Ğ',
  'ġ' => 'Ġ',
  'ģ' => 'Ģ',
  'ĥ' => 'Ĥ',
  'ħ' => 'Ħ',
  'ĩ' => 'Ĩ',
  'ī' => 'Ī',
  'ĭ' => 'Ĭ',
  'į' => 'Į',
  'ı' => 'I',
  'ij' => 'IJ',
  'ĵ' => 'Ĵ',
  'ķ' => 'Ķ',
  'ĺ' => 'Ĺ',
  'ļ' => 'Ļ',
  'ľ' => 'Ľ',
  'ŀ' => 'Ŀ',
  'ł' => 'Ł',
  'ń' => 'Ń',
  'ņ' => 'Ņ',
  'ň' => 'Ň',
  'ŋ' => 'Ŋ',
  'ō' => 'Ō',
  'ŏ' => 'Ŏ',
  'ő' => 'Ő',
  'œ' => 'Œ',
  'ŕ' => 'Ŕ',
  'ŗ' => 'Ŗ',
  'ř' => 'Ř',
  'ś' => 'Ś',
  'ŝ' => 'Ŝ',
  'ş' => 'Ş',
  'š' => 'Š',
  'ţ' => 'Ţ',
  'ť' => 'Ť',
  'ŧ' => 'Ŧ',
  'ũ' => 'Ũ',
  'ū' => 'Ū',
  'ŭ' => 'Ŭ',
  'ů' => 'Ů',
  'ű' => 'Ű',
  'ų' => 'Ų',
  'ŵ' => 'Ŵ',
  'ŷ' => 'Ŷ',
  'ź' => 'Ź',
  'ż' => 'Ż',
  'ž' => 'Ž',
  'ſ' => 'S',
  'ƀ' => 'Ƀ',
  'ƃ' => 'Ƃ',
  'ƅ' => 'Ƅ',
  'ƈ' => 'Ƈ',
  'ƌ' => 'Ƌ',
  'ƒ' => 'Ƒ',
  'ƕ' => 'Ƕ',
  'ƙ' => 'Ƙ',
  'ƚ' => 'Ƚ',
  'ƞ' => 'Ƞ',
  'ơ' => 'Ơ',
  'ƣ' => 'Ƣ',
  'ƥ' => 'Ƥ',
  'ƨ' => 'Ƨ',
  'ƭ' => 'Ƭ',
  'ư' => 'Ư',
  'ƴ' => 'Ƴ',
  'ƶ' => 'Ƶ',
  'ƹ' => 'Ƹ',
  'ƽ' => 'Ƽ',
  'ƿ' => 'Ƿ',
  'Dž' => 'DŽ',
  'dž' => 'DŽ',
  'Lj' => 'LJ',
  'lj' => 'LJ',
  'Nj' => 'NJ',
  'nj' => 'NJ',
  'ǎ' => 'Ǎ',
  'ǐ' => 'Ǐ',
  'ǒ' => 'Ǒ',
  'ǔ' => 'Ǔ',
  'ǖ' => 'Ǖ',
  'ǘ' => 'Ǘ',
  'ǚ' => 'Ǚ',
  'ǜ' => 'Ǜ',
  'ǝ' => 'Ǝ',
  'ǟ' => 'Ǟ',
  'ǡ' => 'Ǡ',
  'ǣ' => 'Ǣ',
  'ǥ' => 'Ǥ',
  'ǧ' => 'Ǧ',
  'ǩ' => 'Ǩ',
  'ǫ' => 'Ǫ',
  'ǭ' => 'Ǭ',
  'ǯ' => 'Ǯ',
  'Dz' => 'DZ',
  'dz' => 'DZ',
  'ǵ' => 'Ǵ',
  'ǹ' => 'Ǹ',
  'ǻ' => 'Ǻ',
  'ǽ' => 'Ǽ',
  'ǿ' => 'Ǿ',
  'ȁ' => 'Ȁ',
  'ȃ' => 'Ȃ',
  'ȅ' => 'Ȅ',
  'ȇ' => 'Ȇ',
  'ȉ' => 'Ȉ',
  'ȋ' => 'Ȋ',
  'ȍ' => 'Ȍ',
  'ȏ' => 'Ȏ',
  'ȑ' => 'Ȑ',
  'ȓ' => 'Ȓ',
  'ȕ' => 'Ȕ',
  'ȗ' => 'Ȗ',
  'ș' => 'Ș',
  'ț' => 'Ț',
  'ȝ' => 'Ȝ',
  'ȟ' => 'Ȟ',
  'ȣ' => 'Ȣ',
  'ȥ' => 'Ȥ',
  'ȧ' => 'Ȧ',
  'ȩ' => 'Ȩ',
  'ȫ' => 'Ȫ',
  'ȭ' => 'Ȭ',
  'ȯ' => 'Ȯ',
  'ȱ' => 'Ȱ',
  'ȳ' => 'Ȳ',
  'ȼ' => 'Ȼ',
  'ȿ' => 'Ȿ',
  'ɀ' => 'Ɀ',
  'ɂ' => 'Ɂ',
  'ɇ' => 'Ɇ',
  'ɉ' => 'Ɉ',
  'ɋ' => 'Ɋ',
  'ɍ' => 'Ɍ',
  'ɏ' => 'Ɏ',
  'ɐ' => 'Ɐ',
  'ɑ' => 'Ɑ',
  'ɒ' => 'Ɒ',
  'ɓ' => 'Ɓ',
  'ɔ' => 'Ɔ',
  'ɖ' => 'Ɖ',
  'ɗ' => 'Ɗ',
  'ə' => 'Ə',
  'ɛ' => 'Ɛ',
  'ɜ' => 'Ɜ',
  'ɠ' => 'Ɠ',
  'ɡ' => 'Ɡ',
  'ɣ' => 'Ɣ',
  'ɥ' => 'Ɥ',
  'ɦ' => 'Ɦ',
  'ɨ' => 'Ɨ',
  'ɩ' => 'Ɩ',
  'ɪ' => 'Ɪ',
  'ɫ' => 'Ɫ',
  'ɬ' => 'Ɬ',
  'ɯ' => 'Ɯ',
  'ɱ' => 'Ɱ',
  'ɲ' => 'Ɲ',
  'ɵ' => 'Ɵ',
  'ɽ' => 'Ɽ',
  'ʀ' => 'Ʀ',
  'ʂ' => 'Ʂ',
  'ʃ' => 'Ʃ',
  'ʇ' => 'Ʇ',
  'ʈ' => 'Ʈ',
  'ʉ' => 'Ʉ',
  'ʊ' => 'Ʊ',
  'ʋ' => 'Ʋ',
  'ʌ' => 'Ʌ',
  'ʒ' => 'Ʒ',
  'ʝ' => 'Ʝ',
  'ʞ' => 'Ʞ',
  'ͅ' => 'Ι',
  'ͱ' => 'Ͱ',
  'ͳ' => 'Ͳ',
  'ͷ' => 'Ͷ',
  'ͻ' => 'Ͻ',
  'ͼ' => 'Ͼ',
  'ͽ' => 'Ͽ',
  'ά' => 'Ά',
  'έ' => 'Έ',
  'ή' => 'Ή',
  'ί' => 'Ί',
  'α' => 'Α',
  'β' => 'Β',
  'γ' => 'Γ',
  'δ' => 'Δ',
  'ε' => 'Ε',
  'ζ' => 'Ζ',
  'η' => 'Η',
  'θ' => 'Θ',
  'ι' => 'Ι',
  'κ' => 'Κ',
  'λ' => 'Λ',
  'μ' => 'Μ',
  'ν' => 'Ν',
  'ξ' => 'Ξ',
  'ο' => 'Ο',
  'π' => 'Π',
  'ρ' => 'Ρ',
  'ς' => 'Σ',
  'σ' => 'Σ',
  'τ' => 'Τ',
  'υ' => 'Υ',
  'φ' => 'Φ',
  'χ' => 'Χ',
  'ψ' => 'Ψ',
  'ω' => 'Ω',
  'ϊ' => 'Ϊ',
  'ϋ' => 'Ϋ',
  'ό' => 'Ό',
  'ύ' => 'Ύ',
  'ώ' => 'Ώ',
  'ϐ' => 'Β',
  'ϑ' => 'Θ',
  'ϕ' => 'Φ',
  'ϖ' => 'Π',
  'ϗ' => 'Ϗ',
  'ϙ' => 'Ϙ',
  'ϛ' => 'Ϛ',
  'ϝ' => 'Ϝ',
  'ϟ' => 'Ϟ',
  'ϡ' => 'Ϡ',
  'ϣ' => 'Ϣ',
  'ϥ' => 'Ϥ',
  'ϧ' => 'Ϧ',
  'ϩ' => 'Ϩ',
  'ϫ' => 'Ϫ',
  'ϭ' => 'Ϭ',
  'ϯ' => 'Ϯ',
  'ϰ' => 'Κ',
  'ϱ' => 'Ρ',
  'ϲ' => 'Ϲ',
  'ϳ' => 'Ϳ',
  'ϵ' => 'Ε',
  'ϸ' => 'Ϸ',
  'ϻ' => 'Ϻ',
  'а' => 'А',
  'б' => 'Б',
  'в' => 'В',
  'г' => 'Г',
  'д' => 'Д',
  'е' => 'Е',
  'ж' => 'Ж',
  'з' => 'З',
  'и' => 'И',
  'й' => 'Й',
  'к' => 'К',
  'л' => 'Л',
  'м' => 'М',
  'н' => 'Н',
  'о' => 'О',
  'п' => 'П',
  'р' => 'Р',
  'с' => 'С',
  'т' => 'Т',
  'у' => 'У',
  'ф' => 'Ф',
  'х' => 'Х',
  'ц' => 'Ц',
  'ч' => 'Ч',
  'ш' => 'Ш',
  'щ' => 'Щ',
  'ъ' => 'Ъ',
  'ы' => 'Ы',
  'ь' => 'Ь',
  'э' => 'Э',
  'ю' => 'Ю',
  'я' => 'Я',
  'ѐ' => 'Ѐ',
  'ё' => 'Ё',
  'ђ' => 'Ђ',
  'ѓ' => 'Ѓ',
  'є' => 'Є',
  'ѕ' => 'Ѕ',
  'і' => 'І',
  'ї' => 'Ї',
  'ј' => 'Ј',
  'љ' => 'Љ',
  'њ' => 'Њ',
  'ћ' => 'Ћ',
  'ќ' => 'Ќ',
  'ѝ' => 'Ѝ',
  'ў' => 'Ў',
  'џ' => 'Џ',
  'ѡ' => 'Ѡ',
  'ѣ' => 'Ѣ',
  'ѥ' => 'Ѥ',
  'ѧ' => 'Ѧ',
  'ѩ' => 'Ѩ',
  'ѫ' => 'Ѫ',
  'ѭ' => 'Ѭ',
  'ѯ' => 'Ѯ',
  'ѱ' => 'Ѱ',
  'ѳ' => 'Ѳ',
  'ѵ' => 'Ѵ',
  'ѷ' => 'Ѷ',
  'ѹ' => 'Ѹ',
  'ѻ' => 'Ѻ',
  'ѽ' => 'Ѽ',
  'ѿ' => 'Ѿ',
  'ҁ' => 'Ҁ',
  'ҋ' => 'Ҋ',
  'ҍ' => 'Ҍ',
  'ҏ' => 'Ҏ',
  'ґ' => 'Ґ',
  'ғ' => 'Ғ',
  'ҕ' => 'Ҕ',
  'җ' => 'Җ',
  'ҙ' => 'Ҙ',
  'қ' => 'Қ',
  'ҝ' => 'Ҝ',
  'ҟ' => 'Ҟ',
  'ҡ' => 'Ҡ',
  'ң' => 'Ң',
  'ҥ' => 'Ҥ',
  'ҧ' => 'Ҧ',
  'ҩ' => 'Ҩ',
  'ҫ' => 'Ҫ',
  'ҭ' => 'Ҭ',
  'ү' => 'Ү',
  'ұ' => 'Ұ',
  'ҳ' => 'Ҳ',
  'ҵ' => 'Ҵ',
  'ҷ' => 'Ҷ',
  'ҹ' => 'Ҹ',
  'һ' => 'Һ',
  'ҽ' => 'Ҽ',
  'ҿ' => 'Ҿ',
  'ӂ' => 'Ӂ',
  'ӄ' => 'Ӄ',
  'ӆ' => 'Ӆ',
  'ӈ' => 'Ӈ',
  'ӊ' => 'Ӊ',
  'ӌ' => 'Ӌ',
  'ӎ' => 'Ӎ',
  'ӏ' => 'Ӏ',
  'ӑ' => 'Ӑ',
  'ӓ' => 'Ӓ',
  'ӕ' => 'Ӕ',
  'ӗ' => 'Ӗ',
  'ә' => 'Ә',
  'ӛ' => 'Ӛ',
  'ӝ' => 'Ӝ',
  'ӟ' => 'Ӟ',
  'ӡ' => 'Ӡ',
  'ӣ' => 'Ӣ',
  'ӥ' => 'Ӥ',
  'ӧ' => 'Ӧ',
  'ө' => 'Ө',
  'ӫ' => 'Ӫ',
  'ӭ' => 'Ӭ',
  'ӯ' => 'Ӯ',
  'ӱ' => 'Ӱ',
  'ӳ' => 'Ӳ',
  'ӵ' => 'Ӵ',
  'ӷ' => 'Ӷ',
  'ӹ' => 'Ӹ',
  'ӻ' => 'Ӻ',
  'ӽ' => 'Ӽ',
  'ӿ' => 'Ӿ',
  'ԁ' => 'Ԁ',
  'ԃ' => 'Ԃ',
  'ԅ' => 'Ԅ',
  'ԇ' => 'Ԇ',
  'ԉ' => 'Ԉ',
  'ԋ' => 'Ԋ',
  'ԍ' => 'Ԍ',
  'ԏ' => 'Ԏ',
  'ԑ' => 'Ԑ',
  'ԓ' => 'Ԓ',
  'ԕ' => 'Ԕ',
  'ԗ' => 'Ԗ',
  'ԙ' => 'Ԙ',
  'ԛ' => 'Ԛ',
  'ԝ' => 'Ԝ',
  'ԟ' => 'Ԟ',
  'ԡ' => 'Ԡ',
  'ԣ' => 'Ԣ',
  'ԥ' => 'Ԥ',
  'ԧ' => 'Ԧ',
  'ԩ' => 'Ԩ',
  'ԫ' => 'Ԫ',
  'ԭ' => 'Ԭ',
  'ԯ' => 'Ԯ',
  'ա' => 'Ա',
  'բ' => 'Բ',
  'գ' => 'Գ',
  'դ' => 'Դ',
  'ե' => 'Ե',
  'զ' => 'Զ',
  'է' => 'Է',
  'ը' => 'Ը',
  'թ' => 'Թ',
  'ժ' => 'Ժ',
  'ի' => 'Ի',
  'լ' => 'Լ',
  'խ' => 'Խ',
  'ծ' => 'Ծ',
  'կ' => 'Կ',
  'հ' => 'Հ',
  'ձ' => 'Ձ',
  'ղ' => 'Ղ',
  'ճ' => 'Ճ',
  'մ' => 'Մ',
  'յ' => 'Յ',
  'ն' => 'Ն',
  'շ' => 'Շ',
  'ո' => 'Ո',
  'չ' => 'Չ',
  'պ' => 'Պ',
  'ջ' => 'Ջ',
  'ռ' => 'Ռ',
  'ս' => 'Ս',
  'վ' => 'Վ',
  'տ' => 'Տ',
  'ր' => 'Ր',
  'ց' => 'Ց',
  'ւ' => 'Ւ',
  'փ' => 'Փ',
  'ք' => 'Ք',
  'օ' => 'Օ',
  'ֆ' => 'Ֆ',
  'ა' => 'Ა',
  'ბ' => 'Ბ',
  'გ' => 'Გ',
  'დ' => 'Დ',
  'ე' => 'Ე',
  'ვ' => 'Ვ',
  'ზ' => 'Ზ',
  'თ' => 'Თ',
  'ი' => 'Ი',
  'კ' => 'Კ',
  'ლ' => 'Ლ',
  'მ' => 'Მ',
  'ნ' => 'Ნ',
  'ო' => 'Ო',
  'პ' => 'Პ',
  'ჟ' => 'Ჟ',
  'რ' => 'Რ',
  'ს' => 'Ს',
  'ტ' => 'Ტ',
  'უ' => 'Უ',
  'ფ' => 'Ფ',
  'ქ' => 'Ქ',
  'ღ' => 'Ღ',
  'ყ' => 'Ყ',
  'შ' => 'Შ',
  'ჩ' => 'Ჩ',
  'ც' => 'Ც',
  'ძ' => 'Ძ',
  'წ' => 'Წ',
  'ჭ' => 'Ჭ',
  'ხ' => 'Ხ',
  'ჯ' => 'Ჯ',
  'ჰ' => 'Ჰ',
  'ჱ' => 'Ჱ',
  'ჲ' => 'Ჲ',
  'ჳ' => 'Ჳ',
  'ჴ' => 'Ჴ',
  'ჵ' => 'Ჵ',
  'ჶ' => 'Ჶ',
  'ჷ' => 'Ჷ',
  'ჸ' => 'Ჸ',
  'ჹ' => 'Ჹ',
  'ჺ' => 'Ჺ',
  'ჽ' => 'Ჽ',
  'ჾ' => 'Ჾ',
  'ჿ' => 'Ჿ',
  'ᏸ' => 'Ᏸ',
  'ᏹ' => 'Ᏹ',
  'ᏺ' => 'Ᏺ',
  'ᏻ' => 'Ᏻ',
  'ᏼ' => 'Ᏼ',
  'ᏽ' => 'Ᏽ',
  'ᲀ' => 'В',
  'ᲁ' => 'Д',
  'ᲂ' => 'О',
  'ᲃ' => 'С',
  'ᲄ' => 'Т',
  'ᲅ' => 'Т',
  'ᲆ' => 'Ъ',
  'ᲇ' => 'Ѣ',
  'ᲈ' => 'Ꙋ',
  'ᵹ' => 'Ᵹ',
  'ᵽ' => 'Ᵽ',
  'ᶎ' => 'Ᶎ',
  'ḁ' => 'Ḁ',
  'ḃ' => 'Ḃ',
  'ḅ' => 'Ḅ',
  'ḇ' => 'Ḇ',
  'ḉ' => 'Ḉ',
  'ḋ' => 'Ḋ',
  'ḍ' => 'Ḍ',
  'ḏ' => 'Ḏ',
  'ḑ' => 'Ḑ',
  'ḓ' => 'Ḓ',
  'ḕ' => 'Ḕ',
  'ḗ' => 'Ḗ',
  'ḙ' => 'Ḙ',
  'ḛ' => 'Ḛ',
  'ḝ' => 'Ḝ',
  'ḟ' => 'Ḟ',
  'ḡ' => 'Ḡ',
  'ḣ' => 'Ḣ',
  'ḥ' => 'Ḥ',
  'ḧ' => 'Ḧ',
  'ḩ' => 'Ḩ',
  'ḫ' => 'Ḫ',
  'ḭ' => 'Ḭ',
  'ḯ' => 'Ḯ',
  'ḱ' => 'Ḱ',
  'ḳ' => 'Ḳ',
  'ḵ' => 'Ḵ',
  'ḷ' => 'Ḷ',
  'ḹ' => 'Ḹ',
  'ḻ' => 'Ḻ',
  'ḽ' => 'Ḽ',
  'ḿ' => 'Ḿ',
  'ṁ' => 'Ṁ',
  'ṃ' => 'Ṃ',
  'ṅ' => 'Ṅ',
  'ṇ' => 'Ṇ',
  'ṉ' => 'Ṉ',
  'ṋ' => 'Ṋ',
  'ṍ' => 'Ṍ',
  'ṏ' => 'Ṏ',
  'ṑ' => 'Ṑ',
  'ṓ' => 'Ṓ',
  'ṕ' => 'Ṕ',
  'ṗ' => 'Ṗ',
  'ṙ' => 'Ṙ',
  'ṛ' => 'Ṛ',
  'ṝ' => 'Ṝ',
  'ṟ' => 'Ṟ',
  'ṡ' => 'Ṡ',
  'ṣ' => 'Ṣ',
  'ṥ' => 'Ṥ',
  'ṧ' => 'Ṧ',
  'ṩ' => 'Ṩ',
  'ṫ' => 'Ṫ',
  'ṭ' => 'Ṭ',
  'ṯ' => 'Ṯ',
  'ṱ' => 'Ṱ',
  'ṳ' => 'Ṳ',
  'ṵ' => 'Ṵ',
  'ṷ' => 'Ṷ',
  'ṹ' => 'Ṹ',
  'ṻ' => 'Ṻ',
  'ṽ' => 'Ṽ',
  'ṿ' => 'Ṿ',
  'ẁ' => 'Ẁ',
  'ẃ' => 'Ẃ',
  'ẅ' => 'Ẅ',
  'ẇ' => 'Ẇ',
  'ẉ' => 'Ẉ',
  'ẋ' => 'Ẋ',
  'ẍ' => 'Ẍ',
  'ẏ' => 'Ẏ',
  'ẑ' => 'Ẑ',
  'ẓ' => 'Ẓ',
  'ẕ' => 'Ẕ',
  'ẛ' => 'Ṡ',
  'ạ' => 'Ạ',
  'ả' => 'Ả',
  'ấ' => 'Ấ',
  'ầ' => 'Ầ',
  'ẩ' => 'Ẩ',
  'ẫ' => 'Ẫ',
  'ậ' => 'Ậ',
  'ắ' => 'Ắ',
  'ằ' => 'Ằ',
  'ẳ' => 'Ẳ',
  'ẵ' => 'Ẵ',
  'ặ' => 'Ặ',
  'ẹ' => 'Ẹ',
  'ẻ' => 'Ẻ',
  'ẽ' => 'Ẽ',
  'ế' => 'Ế',
  'ề' => 'Ề',
  'ể' => 'Ể',
  'ễ' => 'Ễ',
  'ệ' => 'Ệ',
  'ỉ' => 'Ỉ',
  'ị' => 'Ị',
  'ọ' => 'Ọ',
  'ỏ' => 'Ỏ',
  'ố' => 'Ố',
  'ồ' => 'Ồ',
  'ổ' => 'Ổ',
  'ỗ' => 'Ỗ',
  'ộ' => 'Ộ',
  'ớ' => 'Ớ',
  'ờ' => 'Ờ',
  'ở' => 'Ở',
  'ỡ' => 'Ỡ',
  'ợ' => 'Ợ',
  'ụ' => 'Ụ',
  'ủ' => 'Ủ',
  'ứ' => 'Ứ',
  'ừ' => 'Ừ',
  'ử' => 'Ử',
  'ữ' => 'Ữ',
  'ự' => 'Ự',
  'ỳ' => 'Ỳ',
  'ỵ' => 'Ỵ',
  'ỷ' => 'Ỷ',
  'ỹ' => 'Ỹ',
  'ỻ' => 'Ỻ',
  'ỽ' => 'Ỽ',
  'ỿ' => 'Ỿ',
  'ἀ' => 'Ἀ',
  'ἁ' => 'Ἁ',
  'ἂ' => 'Ἂ',
  'ἃ' => 'Ἃ',
  'ἄ' => 'Ἄ',
  'ἅ' => 'Ἅ',
  'ἆ' => 'Ἆ',
  'ἇ' => 'Ἇ',
  'ἐ' => 'Ἐ',
  'ἑ' => 'Ἑ',
  'ἒ' => 'Ἒ',
  'ἓ' => 'Ἓ',
  'ἔ' => 'Ἔ',
  'ἕ' => 'Ἕ',
  'ἠ' => 'Ἠ',
  'ἡ' => 'Ἡ',
  'ἢ' => 'Ἢ',
  'ἣ' => 'Ἣ',
  'ἤ' => 'Ἤ',
  'ἥ' => 'Ἥ',
  'ἦ' => 'Ἦ',
  'ἧ' => 'Ἧ',
  'ἰ' => 'Ἰ',
  'ἱ' => 'Ἱ',
  'ἲ' => 'Ἲ',
  'ἳ' => 'Ἳ',
  'ἴ' => 'Ἴ',
  'ἵ' => 'Ἵ',
  'ἶ' => 'Ἶ',
  'ἷ' => 'Ἷ',
  'ὀ' => 'Ὀ',
  'ὁ' => 'Ὁ',
  'ὂ' => 'Ὂ',
  'ὃ' => 'Ὃ',
  'ὄ' => 'Ὄ',
  'ὅ' => 'Ὅ',
  'ὑ' => 'Ὑ',
  'ὓ' => 'Ὓ',
  'ὕ' => 'Ὕ',
  'ὗ' => 'Ὗ',
  'ὠ' => 'Ὠ',
  'ὡ' => 'Ὡ',
  'ὢ' => 'Ὢ',
  'ὣ' => 'Ὣ',
  'ὤ' => 'Ὤ',
  'ὥ' => 'Ὥ',
  'ὦ' => 'Ὦ',
  'ὧ' => 'Ὧ',
  'ὰ' => 'Ὰ',
  'ά' => 'Ά',
  'ὲ' => 'Ὲ',
  'έ' => 'Έ',
  'ὴ' => 'Ὴ',
  'ή' => 'Ή',
  'ὶ' => 'Ὶ',
  'ί' => 'Ί',
  'ὸ' => 'Ὸ',
  'ό' => 'Ό',
  'ὺ' => 'Ὺ',
  'ύ' => 'Ύ',
  'ὼ' => 'Ὼ',
  'ώ' => 'Ώ',
  'ᾀ' => 'ᾈ',
  'ᾁ' => 'ᾉ',
  'ᾂ' => 'ᾊ',
  'ᾃ' => 'ᾋ',
  'ᾄ' => 'ᾌ',
  'ᾅ' => 'ᾍ',
  'ᾆ' => 'ᾎ',
  'ᾇ' => 'ᾏ',
  'ᾐ' => 'ᾘ',
  'ᾑ' => 'ᾙ',
  'ᾒ' => 'ᾚ',
  'ᾓ' => 'ᾛ',
  'ᾔ' => 'ᾜ',
  'ᾕ' => 'ᾝ',
  'ᾖ' => 'ᾞ',
  'ᾗ' => 'ᾟ',
  'ᾠ' => 'ᾨ',
  'ᾡ' => 'ᾩ',
  'ᾢ' => 'ᾪ',
  'ᾣ' => 'ᾫ',
  'ᾤ' => 'ᾬ',
  'ᾥ' => 'ᾭ',
  'ᾦ' => 'ᾮ',
  'ᾧ' => 'ᾯ',
  'ᾰ' => 'Ᾰ',
  'ᾱ' => 'Ᾱ',
  'ᾳ' => 'ᾼ',
  'ι' => 'Ι',
  'ῃ' => 'ῌ',
  'ῐ' => 'Ῐ',
  'ῑ' => 'Ῑ',
  'ῠ' => 'Ῠ',
  'ῡ' => 'Ῡ',
  'ῥ' => 'Ῥ',
  'ῳ' => 'ῼ',
  'ⅎ' => 'Ⅎ',
  'ⅰ' => 'Ⅰ',
  'ⅱ' => 'Ⅱ',
  'ⅲ' => 'Ⅲ',
  'ⅳ' => 'Ⅳ',
  'ⅴ' => 'Ⅴ',
  'ⅵ' => 'Ⅵ',
  'ⅶ' => 'Ⅶ',
  'ⅷ' => 'Ⅷ',
  'ⅸ' => 'Ⅸ',
  'ⅹ' => 'Ⅹ',
  'ⅺ' => 'Ⅺ',
  'ⅻ' => 'Ⅻ',
  'ⅼ' => 'Ⅼ',
  'ⅽ' => 'Ⅽ',
  'ⅾ' => 'Ⅾ',
  'ⅿ' => 'Ⅿ',
  'ↄ' => 'Ↄ',
  'ⓐ' => 'Ⓐ',
  'ⓑ' => 'Ⓑ',
  'ⓒ' => 'Ⓒ',
  'ⓓ' => 'Ⓓ',
  'ⓔ' => 'Ⓔ',
  'ⓕ' => 'Ⓕ',
  'ⓖ' => 'Ⓖ',
  'ⓗ' => 'Ⓗ',
  'ⓘ' => 'Ⓘ',
  'ⓙ' => 'Ⓙ',
  'ⓚ' => 'Ⓚ',
  'ⓛ' => 'Ⓛ',
  'ⓜ' => 'Ⓜ',
  'ⓝ' => 'Ⓝ',
  'ⓞ' => 'Ⓞ',
  'ⓟ' => 'Ⓟ',
  'ⓠ' => 'Ⓠ',
  'ⓡ' => 'Ⓡ',
  'ⓢ' => 'Ⓢ',
  'ⓣ' => 'Ⓣ',
  'ⓤ' => 'Ⓤ',
  'ⓥ' => 'Ⓥ',
  'ⓦ' => 'Ⓦ',
  'ⓧ' => 'Ⓧ',
  'ⓨ' => 'Ⓨ',
  'ⓩ' => 'Ⓩ',
  'ⰰ' => 'Ⰰ',
  'ⰱ' => 'Ⰱ',
  'ⰲ' => 'Ⰲ',
  'ⰳ' => 'Ⰳ',
  'ⰴ' => 'Ⰴ',
  'ⰵ' => 'Ⰵ',
  'ⰶ' => 'Ⰶ',
  'ⰷ' => 'Ⰷ',
  'ⰸ' => 'Ⰸ',
  'ⰹ' => 'Ⰹ',
  'ⰺ' => 'Ⰺ',
  'ⰻ' => 'Ⰻ',
  'ⰼ' => 'Ⰼ',
  'ⰽ' => 'Ⰽ',
  'ⰾ' => 'Ⰾ',
  'ⰿ' => 'Ⰿ',
  'ⱀ' => 'Ⱀ',
  'ⱁ' => 'Ⱁ',
  'ⱂ' => 'Ⱂ',
  'ⱃ' => 'Ⱃ',
  'ⱄ' => 'Ⱄ',
  'ⱅ' => 'Ⱅ',
  'ⱆ' => 'Ⱆ',
  'ⱇ' => 'Ⱇ',
  'ⱈ' => 'Ⱈ',
  'ⱉ' => 'Ⱉ',
  'ⱊ' => 'Ⱊ',
  'ⱋ' => 'Ⱋ',
  'ⱌ' => 'Ⱌ',
  'ⱍ' => 'Ⱍ',
  'ⱎ' => 'Ⱎ',
  'ⱏ' => 'Ⱏ',
  'ⱐ' => 'Ⱐ',
  'ⱑ' => 'Ⱑ',
  'ⱒ' => 'Ⱒ',
  'ⱓ' => 'Ⱓ',
  'ⱔ' => 'Ⱔ',
  'ⱕ' => 'Ⱕ',
  'ⱖ' => 'Ⱖ',
  'ⱗ' => 'Ⱗ',
  'ⱘ' => 'Ⱘ',
  'ⱙ' => 'Ⱙ',
  'ⱚ' => 'Ⱚ',
  'ⱛ' => 'Ⱛ',
  'ⱜ' => 'Ⱜ',
  'ⱝ' => 'Ⱝ',
  'ⱞ' => 'Ⱞ',
  'ⱡ' => 'Ⱡ',
  'ⱥ' => 'Ⱥ',
  'ⱦ' => 'Ⱦ',
  'ⱨ' => 'Ⱨ',
  'ⱪ' => 'Ⱪ',
  'ⱬ' => 'Ⱬ',
  'ⱳ' => 'Ⱳ',
  'ⱶ' => 'Ⱶ',
  'ⲁ' => 'Ⲁ',
  'ⲃ' => 'Ⲃ',
  'ⲅ' => 'Ⲅ',
  'ⲇ' => 'Ⲇ',
  'ⲉ' => 'Ⲉ',
  'ⲋ' => 'Ⲋ',
  'ⲍ' => 'Ⲍ',
  'ⲏ' => 'Ⲏ',
  'ⲑ' => 'Ⲑ',
  'ⲓ' => 'Ⲓ',
  'ⲕ' => 'Ⲕ',
  'ⲗ' => 'Ⲗ',
  'ⲙ' => 'Ⲙ',
  'ⲛ' => 'Ⲛ',
  'ⲝ' => 'Ⲝ',
  'ⲟ' => 'Ⲟ',
  'ⲡ' => 'Ⲡ',
  'ⲣ' => 'Ⲣ',
  'ⲥ' => 'Ⲥ',
  'ⲧ' => 'Ⲧ',
  'ⲩ' => 'Ⲩ',
  'ⲫ' => 'Ⲫ',
  'ⲭ' => 'Ⲭ',
  'ⲯ' => 'Ⲯ',
  'ⲱ' => 'Ⲱ',
  'ⲳ' => 'Ⲳ',
  'ⲵ' => 'Ⲵ',
  'ⲷ' => 'Ⲷ',
  'ⲹ' => 'Ⲹ',
  'ⲻ' => 'Ⲻ',
  'ⲽ' => 'Ⲽ',
  'ⲿ' => 'Ⲿ',
  'ⳁ' => 'Ⳁ',
  'ⳃ' => 'Ⳃ',
  'ⳅ' => 'Ⳅ',
  'ⳇ' => 'Ⳇ',
  'ⳉ' => 'Ⳉ',
  'ⳋ' => 'Ⳋ',
  'ⳍ' => 'Ⳍ',
  'ⳏ' => 'Ⳏ',
  'ⳑ' => 'Ⳑ',
  'ⳓ' => 'Ⳓ',
  'ⳕ' => 'Ⳕ',
  'ⳗ' => 'Ⳗ',
  'ⳙ' => 'Ⳙ',
  'ⳛ' => 'Ⳛ',
  'ⳝ' => 'Ⳝ',
  'ⳟ' => 'Ⳟ',
  'ⳡ' => 'Ⳡ',
  'ⳣ' => 'Ⳣ',
  'ⳬ' => 'Ⳬ',
  'ⳮ' => 'Ⳮ',
  'ⳳ' => 'Ⳳ',
  'ⴀ' => 'Ⴀ',
  'ⴁ' => 'Ⴁ',
  'ⴂ' => 'Ⴂ',
  'ⴃ' => 'Ⴃ',
  'ⴄ' => 'Ⴄ',
  'ⴅ' => 'Ⴅ',
  'ⴆ' => 'Ⴆ',
  'ⴇ' => 'Ⴇ',
  'ⴈ' => 'Ⴈ',
  'ⴉ' => 'Ⴉ',
  'ⴊ' => 'Ⴊ',
  'ⴋ' => 'Ⴋ',
  'ⴌ' => 'Ⴌ',
  'ⴍ' => 'Ⴍ',
  'ⴎ' => 'Ⴎ',
  'ⴏ' => 'Ⴏ',
  'ⴐ' => 'Ⴐ',
  'ⴑ' => 'Ⴑ',
  'ⴒ' => 'Ⴒ',
  'ⴓ' => 'Ⴓ',
  'ⴔ' => 'Ⴔ',
  'ⴕ' => 'Ⴕ',
  'ⴖ' => 'Ⴖ',
  'ⴗ' => 'Ⴗ',
  'ⴘ' => 'Ⴘ',
  'ⴙ' => 'Ⴙ',
  'ⴚ' => 'Ⴚ',
  'ⴛ' => 'Ⴛ',
  'ⴜ' => 'Ⴜ',
  'ⴝ' => 'Ⴝ',
  'ⴞ' => 'Ⴞ',
  'ⴟ' => 'Ⴟ',
  'ⴠ' => 'Ⴠ',
  'ⴡ' => 'Ⴡ',
  'ⴢ' => 'Ⴢ',
  'ⴣ' => 'Ⴣ',
  'ⴤ' => 'Ⴤ',
  'ⴥ' => 'Ⴥ',
  'ⴧ' => 'Ⴧ',
  'ⴭ' => 'Ⴭ',
  'ꙁ' => 'Ꙁ',
  'ꙃ' => 'Ꙃ',
  'ꙅ' => 'Ꙅ',
  'ꙇ' => 'Ꙇ',
  'ꙉ' => 'Ꙉ',
  'ꙋ' => 'Ꙋ',
  'ꙍ' => 'Ꙍ',
  'ꙏ' => 'Ꙏ',
  'ꙑ' => 'Ꙑ',
  'ꙓ' => 'Ꙓ',
  'ꙕ' => 'Ꙕ',
  'ꙗ' => 'Ꙗ',
  'ꙙ' => 'Ꙙ',
  'ꙛ' => 'Ꙛ',
  'ꙝ' => 'Ꙝ',
  'ꙟ' => 'Ꙟ',
  'ꙡ' => 'Ꙡ',
  'ꙣ' => 'Ꙣ',
  'ꙥ' => 'Ꙥ',
  'ꙧ' => 'Ꙧ',
  'ꙩ' => 'Ꙩ',
  'ꙫ' => 'Ꙫ',
  'ꙭ' => 'Ꙭ',
  'ꚁ' => 'Ꚁ',
  'ꚃ' => 'Ꚃ',
  'ꚅ' => 'Ꚅ',
  'ꚇ' => 'Ꚇ',
  'ꚉ' => 'Ꚉ',
  'ꚋ' => 'Ꚋ',
  'ꚍ' => 'Ꚍ',
  'ꚏ' => 'Ꚏ',
  'ꚑ' => 'Ꚑ',
  'ꚓ' => 'Ꚓ',
  'ꚕ' => 'Ꚕ',
  'ꚗ' => 'Ꚗ',
  'ꚙ' => 'Ꚙ',
  'ꚛ' => 'Ꚛ',
  'ꜣ' => 'Ꜣ',
  'ꜥ' => 'Ꜥ',
  'ꜧ' => 'Ꜧ',
  'ꜩ' => 'Ꜩ',
  'ꜫ' => 'Ꜫ',
  'ꜭ' => 'Ꜭ',
  'ꜯ' => 'Ꜯ',
  'ꜳ' => 'Ꜳ',
  'ꜵ' => 'Ꜵ',
  'ꜷ' => 'Ꜷ',
  'ꜹ' => 'Ꜹ',
  'ꜻ' => 'Ꜻ',
  'ꜽ' => 'Ꜽ',
  'ꜿ' => 'Ꜿ',
  'ꝁ' => 'Ꝁ',
  'ꝃ' => 'Ꝃ',
  'ꝅ' => 'Ꝅ',
  'ꝇ' => 'Ꝇ',
  'ꝉ' => 'Ꝉ',
  'ꝋ' => 'Ꝋ',
  'ꝍ' => 'Ꝍ',
  'ꝏ' => 'Ꝏ',
  'ꝑ' => 'Ꝑ',
  'ꝓ' => 'Ꝓ',
  'ꝕ' => 'Ꝕ',
  'ꝗ' => 'Ꝗ',
  'ꝙ' => 'Ꝙ',
  'ꝛ' => 'Ꝛ',
  'ꝝ' => 'Ꝝ',
  'ꝟ' => 'Ꝟ',
  'ꝡ' => 'Ꝡ',
  'ꝣ' => 'Ꝣ',
  'ꝥ' => 'Ꝥ',
  'ꝧ' => 'Ꝧ',
  'ꝩ' => 'Ꝩ',
  'ꝫ' => 'Ꝫ',
  'ꝭ' => 'Ꝭ',
  'ꝯ' => 'Ꝯ',
  'ꝺ' => 'Ꝺ',
  'ꝼ' => 'Ꝼ',
  'ꝿ' => 'Ꝿ',
  'ꞁ' => 'Ꞁ',
  'ꞃ' => 'Ꞃ',
  'ꞅ' => 'Ꞅ',
  'ꞇ' => 'Ꞇ',
  'ꞌ' => 'Ꞌ',
  'ꞑ' => 'Ꞑ',
  'ꞓ' => 'Ꞓ',
  'ꞔ' => 'Ꞔ',
  'ꞗ' => 'Ꞗ',
  'ꞙ' => 'Ꞙ',
  'ꞛ' => 'Ꞛ',
  'ꞝ' => 'Ꞝ',
  'ꞟ' => 'Ꞟ',
  'ꞡ' => 'Ꞡ',
  'ꞣ' => 'Ꞣ',
  'ꞥ' => 'Ꞥ',
  'ꞧ' => 'Ꞧ',
  'ꞩ' => 'Ꞩ',
  'ꞵ' => 'Ꞵ',
  'ꞷ' => 'Ꞷ',
  'ꞹ' => 'Ꞹ',
  'ꞻ' => 'Ꞻ',
  'ꞽ' => 'Ꞽ',
  'ꞿ' => 'Ꞿ',
  'ꟃ' => 'Ꟃ',
  'ꟈ' => 'Ꟈ',
  'ꟊ' => 'Ꟊ',
  'ꟶ' => 'Ꟶ',
  'ꭓ' => 'Ꭓ',
  'ꭰ' => 'Ꭰ',
  'ꭱ' => 'Ꭱ',
  'ꭲ' => 'Ꭲ',
  'ꭳ' => 'Ꭳ',
  'ꭴ' => 'Ꭴ',
  'ꭵ' => 'Ꭵ',
  'ꭶ' => 'Ꭶ',
  'ꭷ' => 'Ꭷ',
  'ꭸ' => 'Ꭸ',
  'ꭹ' => 'Ꭹ',
  'ꭺ' => 'Ꭺ',
  'ꭻ' => 'Ꭻ',
  'ꭼ' => 'Ꭼ',
  'ꭽ' => 'Ꭽ',
  'ꭾ' => 'Ꭾ',
  'ꭿ' => 'Ꭿ',
  'ꮀ' => 'Ꮀ',
  'ꮁ' => 'Ꮁ',
  'ꮂ' => 'Ꮂ',
  'ꮃ' => 'Ꮃ',
  'ꮄ' => 'Ꮄ',
  'ꮅ' => 'Ꮅ',
  'ꮆ' => 'Ꮆ',
  'ꮇ' => 'Ꮇ',
  'ꮈ' => 'Ꮈ',
  'ꮉ' => 'Ꮉ',
  'ꮊ' => 'Ꮊ',
  'ꮋ' => 'Ꮋ',
  'ꮌ' => 'Ꮌ',
  'ꮍ' => 'Ꮍ',
  'ꮎ' => 'Ꮎ',
  'ꮏ' => 'Ꮏ',
  'ꮐ' => 'Ꮐ',
  'ꮑ' => 'Ꮑ',
  'ꮒ' => 'Ꮒ',
  'ꮓ' => 'Ꮓ',
  'ꮔ' => 'Ꮔ',
  'ꮕ' => 'Ꮕ',
  'ꮖ' => 'Ꮖ',
  'ꮗ' => 'Ꮗ',
  'ꮘ' => 'Ꮘ',
  'ꮙ' => 'Ꮙ',
  'ꮚ' => 'Ꮚ',
  'ꮛ' => 'Ꮛ',
  'ꮜ' => 'Ꮜ',
  'ꮝ' => 'Ꮝ',
  'ꮞ' => 'Ꮞ',
  'ꮟ' => 'Ꮟ',
  'ꮠ' => 'Ꮠ',
  'ꮡ' => 'Ꮡ',
  'ꮢ' => 'Ꮢ',
  'ꮣ' => 'Ꮣ',
  'ꮤ' => 'Ꮤ',
  'ꮥ' => 'Ꮥ',
  'ꮦ' => 'Ꮦ',
  'ꮧ' => 'Ꮧ',
  'ꮨ' => 'Ꮨ',
  'ꮩ' => 'Ꮩ',
  'ꮪ' => 'Ꮪ',
  'ꮫ' => 'Ꮫ',
  'ꮬ' => 'Ꮬ',
  'ꮭ' => 'Ꮭ',
  'ꮮ' => 'Ꮮ',
  'ꮯ' => 'Ꮯ',
  'ꮰ' => 'Ꮰ',
  'ꮱ' => 'Ꮱ',
  'ꮲ' => 'Ꮲ',
  'ꮳ' => 'Ꮳ',
  'ꮴ' => 'Ꮴ',
  'ꮵ' => 'Ꮵ',
  'ꮶ' => 'Ꮶ',
  'ꮷ' => 'Ꮷ',
  'ꮸ' => 'Ꮸ',
  'ꮹ' => 'Ꮹ',
  'ꮺ' => 'Ꮺ',
  'ꮻ' => 'Ꮻ',
  'ꮼ' => 'Ꮼ',
  'ꮽ' => 'Ꮽ',
  'ꮾ' => 'Ꮾ',
  'ꮿ' => 'Ꮿ',
  'a' => 'A',
  'b' => 'B',
  'c' => 'C',
  'd' => 'D',
  'e' => 'E',
  'f' => 'F',
  'g' => 'G',
  'h' => 'H',
  'i' => 'I',
  'j' => 'J',
  'k' => 'K',
  'l' => 'L',
  'm' => 'M',
  'n' => 'N',
  'o' => 'O',
  'p' => 'P',
  'q' => 'Q',
  'r' => 'R',
  's' => 'S',
  't' => 'T',
  'u' => 'U',
  'v' => 'V',
  'w' => 'W',
  'x' => 'X',
  'y' => 'Y',
  'z' => 'Z',
  '𐐨' => '𐐀',
  '𐐩' => '𐐁',
  '𐐪' => '𐐂',
  '𐐫' => '𐐃',
  '𐐬' => '𐐄',
  '𐐭' => '𐐅',
  '𐐮' => '𐐆',
  '𐐯' => '𐐇',
  '𐐰' => '𐐈',
  '𐐱' => '𐐉',
  '𐐲' => '𐐊',
  '𐐳' => '𐐋',
  '𐐴' => '𐐌',
  '𐐵' => '𐐍',
  '𐐶' => '𐐎',
  '𐐷' => '𐐏',
  '𐐸' => '𐐐',
  '𐐹' => '𐐑',
  '𐐺' => '𐐒',
  '𐐻' => '𐐓',
  '𐐼' => '𐐔',
  '𐐽' => '𐐕',
  '𐐾' => '𐐖',
  '𐐿' => '𐐗',
  '𐑀' => '𐐘',
  '𐑁' => '𐐙',
  '𐑂' => '𐐚',
  '𐑃' => '𐐛',
  '𐑄' => '𐐜',
  '𐑅' => '𐐝',
  '𐑆' => '𐐞',
  '𐑇' => '𐐟',
  '𐑈' => '𐐠',
  '𐑉' => '𐐡',
  '𐑊' => '𐐢',
  '𐑋' => '𐐣',
  '𐑌' => '𐐤',
  '𐑍' => '𐐥',
  '𐑎' => '𐐦',
  '𐑏' => '𐐧',
  '𐓘' => '𐒰',
  '𐓙' => '𐒱',
  '𐓚' => '𐒲',
  '𐓛' => '𐒳',
  '𐓜' => '𐒴',
  '𐓝' => '𐒵',
  '𐓞' => '𐒶',
  '𐓟' => '𐒷',
  '𐓠' => '𐒸',
  '𐓡' => '𐒹',
  '𐓢' => '𐒺',
  '𐓣' => '𐒻',
  '𐓤' => '𐒼',
  '𐓥' => '𐒽',
  '𐓦' => '𐒾',
  '𐓧' => '𐒿',
  '𐓨' => '𐓀',
  '𐓩' => '𐓁',
  '𐓪' => '𐓂',
  '𐓫' => '𐓃',
  '𐓬' => '𐓄',
  '𐓭' => '𐓅',
  '𐓮' => '𐓆',
  '𐓯' => '𐓇',
  '𐓰' => '𐓈',
  '𐓱' => '𐓉',
  '𐓲' => '𐓊',
  '𐓳' => '𐓋',
  '𐓴' => '𐓌',
  '𐓵' => '𐓍',
  '𐓶' => '𐓎',
  '𐓷' => '𐓏',
  '𐓸' => '𐓐',
  '𐓹' => '𐓑',
  '𐓺' => '𐓒',
  '𐓻' => '𐓓',
  '𐳀' => '𐲀',
  '𐳁' => '𐲁',
  '𐳂' => '𐲂',
  '𐳃' => '𐲃',
  '𐳄' => '𐲄',
  '𐳅' => '𐲅',
  '𐳆' => '𐲆',
  '𐳇' => '𐲇',
  '𐳈' => '𐲈',
  '𐳉' => '𐲉',
  '𐳊' => '𐲊',
  '𐳋' => '𐲋',
  '𐳌' => '𐲌',
  '𐳍' => '𐲍',
  '𐳎' => '𐲎',
  '𐳏' => '𐲏',
  '𐳐' => '𐲐',
  '𐳑' => '𐲑',
  '𐳒' => '𐲒',
  '𐳓' => '𐲓',
  '𐳔' => '𐲔',
  '𐳕' => '𐲕',
  '𐳖' => '𐲖',
  '𐳗' => '𐲗',
  '𐳘' => '𐲘',
  '𐳙' => '𐲙',
  '𐳚' => '𐲚',
  '𐳛' => '𐲛',
  '𐳜' => '𐲜',
  '𐳝' => '𐲝',
  '𐳞' => '𐲞',
  '𐳟' => '𐲟',
  '𐳠' => '𐲠',
  '𐳡' => '𐲡',
  '𐳢' => '𐲢',
  '𐳣' => '𐲣',
  '𐳤' => '𐲤',
  '𐳥' => '𐲥',
  '𐳦' => '𐲦',
  '𐳧' => '𐲧',
  '𐳨' => '𐲨',
  '𐳩' => '𐲩',
  '𐳪' => '𐲪',
  '𐳫' => '𐲫',
  '𐳬' => '𐲬',
  '𐳭' => '𐲭',
  '𐳮' => '𐲮',
  '𐳯' => '𐲯',
  '𐳰' => '𐲰',
  '𐳱' => '𐲱',
  '𐳲' => '𐲲',
  '𑣀' => '𑢠',
  '𑣁' => '𑢡',
  '𑣂' => '𑢢',
  '𑣃' => '𑢣',
  '𑣄' => '𑢤',
  '𑣅' => '𑢥',
  '𑣆' => '𑢦',
  '𑣇' => '𑢧',
  '𑣈' => '𑢨',
  '𑣉' => '𑢩',
  '𑣊' => '𑢪',
  '𑣋' => '𑢫',
  '𑣌' => '𑢬',
  '𑣍' => '𑢭',
  '𑣎' => '𑢮',
  '𑣏' => '𑢯',
  '𑣐' => '𑢰',
  '𑣑' => '𑢱',
  '𑣒' => '𑢲',
  '𑣓' => '𑢳',
  '𑣔' => '𑢴',
  '𑣕' => '𑢵',
  '𑣖' => '𑢶',
  '𑣗' => '𑢷',
  '𑣘' => '𑢸',
  '𑣙' => '𑢹',
  '𑣚' => '𑢺',
  '𑣛' => '𑢻',
  '𑣜' => '𑢼',
  '𑣝' => '𑢽',
  '𑣞' => '𑢾',
  '𑣟' => '𑢿',
  '𖹠' => '𖹀',
  '𖹡' => '𖹁',
  '𖹢' => '𖹂',
  '𖹣' => '𖹃',
  '𖹤' => '𖹄',
  '𖹥' => '𖹅',
  '𖹦' => '𖹆',
  '𖹧' => '𖹇',
  '𖹨' => '𖹈',
  '𖹩' => '𖹉',
  '𖹪' => '𖹊',
  '𖹫' => '𖹋',
  '𖹬' => '𖹌',
  '𖹭' => '𖹍',
  '𖹮' => '𖹎',
  '𖹯' => '𖹏',
  '𖹰' => '𖹐',
  '𖹱' => '𖹑',
  '𖹲' => '𖹒',
  '𖹳' => '𖹓',
  '𖹴' => '𖹔',
  '𖹵' => '𖹕',
  '𖹶' => '𖹖',
  '𖹷' => '𖹗',
  '𖹸' => '𖹘',
  '𖹹' => '𖹙',
  '𖹺' => '𖹚',
  '𖹻' => '𖹛',
  '𖹼' => '𖹜',
  '𖹽' => '𖹝',
  '𖹾' => '𖹞',
  '𖹿' => '𖹟',
  '𞤢' => '𞤀',
  '𞤣' => '𞤁',
  '𞤤' => '𞤂',
  '𞤥' => '𞤃',
  '𞤦' => '𞤄',
  '𞤧' => '𞤅',
  '𞤨' => '𞤆',
  '𞤩' => '𞤇',
  '𞤪' => '𞤈',
  '𞤫' => '𞤉',
  '𞤬' => '𞤊',
  '𞤭' => '𞤋',
  '𞤮' => '𞤌',
  '𞤯' => '𞤍',
  '𞤰' => '𞤎',
  '𞤱' => '𞤏',
  '𞤲' => '𞤐',
  '𞤳' => '𞤑',
  '𞤴' => '𞤒',
  '𞤵' => '𞤓',
  '𞤶' => '𞤔',
  '𞤷' => '𞤕',
  '𞤸' => '𞤖',
  '𞤹' => '𞤗',
  '𞤺' => '𞤘',
  '𞤻' => '𞤙',
  '𞤼' => '𞤚',
  '𞤽' => '𞤛',
  '𞤾' => '𞤜',
  '𞤿' => '𞤝',
  '𞥀' => '𞤞',
  '𞥁' => '𞤟',
  '𞥂' => '𞤠',
  '𞥃' => '𞤡',
);
symfony/polyfill-mbstring/bootstrap.php000064400000014657151330736600014474 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

use Symfony\Polyfill\Mbstring as p;

if (!function_exists('mb_convert_encoding')) {
    function mb_convert_encoding($s, $to, $from = null) { return p\Mbstring::mb_convert_encoding($s, $to, $from); }
}
if (!function_exists('mb_decode_mimeheader')) {
    function mb_decode_mimeheader($s) { return p\Mbstring::mb_decode_mimeheader($s); }
}
if (!function_exists('mb_encode_mimeheader')) {
    function mb_encode_mimeheader($s, $charset = null, $transferEnc = null, $lf = null, $indent = null) { return p\Mbstring::mb_encode_mimeheader($s, $charset, $transferEnc, $lf, $indent); }
}
if (!function_exists('mb_decode_numericentity')) {
    function mb_decode_numericentity($s, $convmap, $enc = null) { return p\Mbstring::mb_decode_numericentity($s, $convmap, $enc); }
}
if (!function_exists('mb_encode_numericentity')) {
    function mb_encode_numericentity($s, $convmap, $enc = null, $is_hex = false) { return p\Mbstring::mb_encode_numericentity($s, $convmap, $enc, $is_hex); }
}
if (!function_exists('mb_convert_case')) {
    function mb_convert_case($s, $mode, $enc = null) { return p\Mbstring::mb_convert_case($s, $mode, $enc); }
}
if (!function_exists('mb_internal_encoding')) {
    function mb_internal_encoding($enc = null) { return p\Mbstring::mb_internal_encoding($enc); }
}
if (!function_exists('mb_language')) {
    function mb_language($lang = null) { return p\Mbstring::mb_language($lang); }
}
if (!function_exists('mb_list_encodings')) {
    function mb_list_encodings() { return p\Mbstring::mb_list_encodings(); }
}
if (!function_exists('mb_encoding_aliases')) {
    function mb_encoding_aliases($encoding) { return p\Mbstring::mb_encoding_aliases($encoding); }
}
if (!function_exists('mb_check_encoding')) {
    function mb_check_encoding($var = null, $encoding = null) { return p\Mbstring::mb_check_encoding($var, $encoding); }
}
if (!function_exists('mb_detect_encoding')) {
    function mb_detect_encoding($str, $encodingList = null, $strict = false) { return p\Mbstring::mb_detect_encoding($str, $encodingList, $strict); }
}
if (!function_exists('mb_detect_order')) {
    function mb_detect_order($encodingList = null) { return p\Mbstring::mb_detect_order($encodingList); }
}
if (!function_exists('mb_parse_str')) {
    function mb_parse_str($s, &$result = array()) { parse_str($s, $result); }
}
if (!function_exists('mb_strlen')) {
    function mb_strlen($s, $enc = null) { return p\Mbstring::mb_strlen($s, $enc); }
}
if (!function_exists('mb_strpos')) {
    function mb_strpos($s, $needle, $offset = 0, $enc = null) { return p\Mbstring::mb_strpos($s, $needle, $offset, $enc); }
}
if (!function_exists('mb_strtolower')) {
    function mb_strtolower($s, $enc = null) { return p\Mbstring::mb_strtolower($s, $enc); }
}
if (!function_exists('mb_strtoupper')) {
    function mb_strtoupper($s, $enc = null) { return p\Mbstring::mb_strtoupper($s, $enc); }
}
if (!function_exists('mb_substitute_character')) {
    function mb_substitute_character($char = null) { return p\Mbstring::mb_substitute_character($char); }
}
if (!function_exists('mb_substr')) {
    function mb_substr($s, $start, $length = 2147483647, $enc = null) { return p\Mbstring::mb_substr($s, $start, $length, $enc); }
}
if (!function_exists('mb_stripos')) {
    function mb_stripos($s, $needle, $offset = 0, $enc = null) { return p\Mbstring::mb_stripos($s, $needle, $offset, $enc); }
}
if (!function_exists('mb_stristr')) {
    function mb_stristr($s, $needle, $part = false, $enc = null) { return p\Mbstring::mb_stristr($s, $needle, $part, $enc); }
}
if (!function_exists('mb_strrchr')) {
    function mb_strrchr($s, $needle, $part = false, $enc = null) { return p\Mbstring::mb_strrchr($s, $needle, $part, $enc); }
}
if (!function_exists('mb_strrichr')) {
    function mb_strrichr($s, $needle, $part = false, $enc = null) { return p\Mbstring::mb_strrichr($s, $needle, $part, $enc); }
}
if (!function_exists('mb_strripos')) {
    function mb_strripos($s, $needle, $offset = 0, $enc = null) { return p\Mbstring::mb_strripos($s, $needle, $offset, $enc); }
}
if (!function_exists('mb_strrpos')) {
    function mb_strrpos($s, $needle, $offset = 0, $enc = null) { return p\Mbstring::mb_strrpos($s, $needle, $offset, $enc); }
}
if (!function_exists('mb_strstr')) {
    function mb_strstr($s, $needle, $part = false, $enc = null) { return p\Mbstring::mb_strstr($s, $needle, $part, $enc); }
}
if (!function_exists('mb_get_info')) {
    function mb_get_info($type = 'all') { return p\Mbstring::mb_get_info($type); }
}
if (!function_exists('mb_http_output')) {
    function mb_http_output($enc = null) { return p\Mbstring::mb_http_output($enc); }
}
if (!function_exists('mb_strwidth')) {
    function mb_strwidth($s, $enc = null) { return p\Mbstring::mb_strwidth($s, $enc); }
}
if (!function_exists('mb_substr_count')) {
    function mb_substr_count($haystack, $needle, $enc = null) { return p\Mbstring::mb_substr_count($haystack, $needle, $enc); }
}
if (!function_exists('mb_output_handler')) {
    function mb_output_handler($contents, $status) { return p\Mbstring::mb_output_handler($contents, $status); }
}
if (!function_exists('mb_http_input')) {
    function mb_http_input($type = '') { return p\Mbstring::mb_http_input($type); }
}
if (!function_exists('mb_convert_variables')) {
    function mb_convert_variables($toEncoding, $fromEncoding, &$a = null, &$b = null, &$c = null, &$d = null, &$e = null, &$f = null) { return p\Mbstring::mb_convert_variables($toEncoding, $fromEncoding, $a, $b, $c, $d, $e, $f); }
}
if (!function_exists('mb_ord')) {
    function mb_ord($s, $enc = null) { return p\Mbstring::mb_ord($s, $enc); }
}
if (!function_exists('mb_chr')) {
    function mb_chr($code, $enc = null) { return p\Mbstring::mb_chr($code, $enc); }
}
if (!function_exists('mb_scrub')) {
    function mb_scrub($s, $enc = null) { $enc = null === $enc ? mb_internal_encoding() : $enc; return mb_convert_encoding($s, $enc, $enc); }
}
if (!function_exists('mb_str_split')) {
    function mb_str_split($string, $split_length = 1, $encoding = null) { return p\Mbstring::mb_str_split($string, $split_length, $encoding); }
}

if (extension_loaded('mbstring')) {
    return;
}

if (!defined('MB_CASE_UPPER')) {
    define('MB_CASE_UPPER', 0);
}
if (!defined('MB_CASE_LOWER')) {
    define('MB_CASE_LOWER', 1);
}
if (!defined('MB_CASE_TITLE')) {
    define('MB_CASE_TITLE', 2);
}
symfony/polyfill-mbstring/LICENSE000064400000002051151330736600012734 0ustar00Copyright (c) 2015-2019 Fabien Potencier

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.
tijsverkoyen/css-to-inline-styles/LICENSE.md000064400000002723151330736600014721 0ustar00Copyright (c) Tijs Verkoyen. All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:

1. Redistributions of source code must retain the above copyright notice, this
   list of conditions and the following disclaimer.
2. 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.
3. Neither the name of the copyright holder 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 HOLDER 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.
tijsverkoyen/css-to-inline-styles/src/CssToInlineStyles.php000064400000016245151330736600020217 0ustar00<?php

namespace TijsVerkoyen\CssToInlineStyles;

use Symfony\Component\CssSelector\CssSelector;
use Symfony\Component\CssSelector\CssSelectorConverter;
use Symfony\Component\CssSelector\Exception\ExceptionInterface;
use TijsVerkoyen\CssToInlineStyles\Css\Processor;
use TijsVerkoyen\CssToInlineStyles\Css\Property\Processor as PropertyProcessor;
use TijsVerkoyen\CssToInlineStyles\Css\Rule\Processor as RuleProcessor;

class CssToInlineStyles
{
    private $cssConverter;

    public function __construct()
    {
        if (class_exists('Symfony\Component\CssSelector\CssSelectorConverter')) {
            $this->cssConverter = new CssSelectorConverter();
        }
    }

    /**
     * Will inline the $css into the given $html
     *
     * Remark: if the html contains <style>-tags those will be used, the rules
     * in $css will be appended.
     *
     * @param string $html
     * @param string $css
     *
     * @return string
     */
    public function convert($html, $css = null)
    {
        $document = $this->createDomDocumentFromHtml($html);
        $processor = new Processor();

        // get all styles from the style-tags
        $rules = $processor->getRules(
            $processor->getCssFromStyleTags($html)
        );

        if ($css !== null) {
            $rules = $processor->getRules($css, $rules);
        }

        $document = $this->inline($document, $rules);

        return $this->getHtmlFromDocument($document);
    }

    /**
     * Inline the given properties on an given DOMElement
     *
     * @param \DOMElement             $element
     * @param Css\Property\Property[] $properties
     *
     * @return \DOMElement
     */
    public function inlineCssOnElement(\DOMElement $element, array $properties)
    {
        if (empty($properties)) {
            return $element;
        }

        $cssProperties = array();
        $inlineProperties = array();

        foreach ($this->getInlineStyles($element) as $property) {
            $inlineProperties[$property->getName()] = $property;
        }

        foreach ($properties as $property) {
            if (!isset($inlineProperties[$property->getName()])) {
                $cssProperties[$property->getName()] = $property;
            }
        }

        $rules = array();
        foreach (array_merge($cssProperties, $inlineProperties) as $property) {
            $rules[] = $property->toString();
        }
        $element->setAttribute('style', implode(' ', $rules));

        return $element;
    }

    /**
     * Get the current inline styles for a given DOMElement
     *
     * @param \DOMElement $element
     *
     * @return Css\Property\Property[]
     */
    public function getInlineStyles(\DOMElement $element)
    {
        $processor = new PropertyProcessor();

        return $processor->convertArrayToObjects(
            $processor->splitIntoSeparateProperties(
                $element->getAttribute('style')
            )
        );
    }

    /**
     * @param string $html
     *
     * @return \DOMDocument
     */
    protected function createDomDocumentFromHtml($html)
    {
        $document = new \DOMDocument('1.0', 'UTF-8');
        $internalErrors = libxml_use_internal_errors(true);
        $document->loadHTML(mb_convert_encoding($html, 'HTML-ENTITIES', 'UTF-8'));
        libxml_use_internal_errors($internalErrors);
        $document->formatOutput = true;

        return $document;
    }

    /**
     * @param \DOMDocument $document
     *
     * @return string
     */
    protected function getHtmlFromDocument(\DOMDocument $document)
    {
        // retrieve the document element
        // we do it this way to preserve the utf-8 encoding
        $htmlElement = $document->documentElement;
        $html = $document->saveHTML($htmlElement);
        $html = trim($html);

        // retrieve the doctype
        $document->removeChild($htmlElement);
        $doctype = $document->saveHTML();
        $doctype = trim($doctype);

        // if it is the html5 doctype convert it to lowercase
        if ($doctype === '<!DOCTYPE html>') {
            $doctype = strtolower($doctype);
        }

        return $doctype."\n".$html;
    }

    /**
     * @param \DOMDocument    $document
     * @param Css\Rule\Rule[] $rules
     *
     * @return \DOMDocument
     */
    protected function inline(\DOMDocument $document, array $rules)
    {
        if (empty($rules)) {
            return $document;
        }

        $propertyStorage = new \SplObjectStorage();

        $xPath = new \DOMXPath($document);

        usort($rules, array(RuleProcessor::class, 'sortOnSpecificity'));

        foreach ($rules as $rule) {
            try {
                if (null !== $this->cssConverter) {
                    $expression = $this->cssConverter->toXPath($rule->getSelector());
                } else {
                    // Compatibility layer for Symfony 2.7 and older
                    $expression = CssSelector::toXPath($rule->getSelector());
                }
            } catch (ExceptionInterface $e) {
                continue;
            }

            $elements = $xPath->query($expression);

            if ($elements === false) {
                continue;
            }

            foreach ($elements as $element) {
                $propertyStorage[$element] = $this->calculatePropertiesToBeApplied(
                    $rule->getProperties(),
                    $propertyStorage->contains($element) ? $propertyStorage[$element] : array()
                );
            }
        }

        foreach ($propertyStorage as $element) {
            $this->inlineCssOnElement($element, $propertyStorage[$element]);
        }

        return $document;
    }

    /**
     * Merge the CSS rules to determine the applied properties.
     *
     * @param Css\Property\Property[] $properties
     * @param Css\Property\Property[] $cssProperties existing applied properties indexed by name
     *
     * @return Css\Property\Property[] updated properties, indexed by name
     */
    private function calculatePropertiesToBeApplied(array $properties, array $cssProperties)
    {
        if (empty($properties)) {
            return $cssProperties;
        }

        foreach ($properties as $property) {
            if (isset($cssProperties[$property->getName()])) {
                $existingProperty = $cssProperties[$property->getName()];

                //skip check to overrule if existing property is important and current is not
                if ($existingProperty->isImportant() && !$property->isImportant()) {
                    continue;
                }

                //overrule if current property is important and existing is not, else check specificity
                $overrule = !$existingProperty->isImportant() && $property->isImportant();
                if (!$overrule) {
                    $overrule = $existingProperty->getOriginalSpecificity()->compareTo($property->getOriginalSpecificity()) <= 0;
                }

                if ($overrule) {
                    unset($cssProperties[$property->getName()]);
                    $cssProperties[$property->getName()] = $property;
                }
            } else {
                $cssProperties[$property->getName()] = $property;
            }
        }

        return $cssProperties;
    }
}
tijsverkoyen/css-to-inline-styles/src/Css/Rule/Processor.php000064400000011732151330736600020233 0ustar00<?php

namespace TijsVerkoyen\CssToInlineStyles\Css\Rule;

use Symfony\Component\CssSelector\Node\Specificity;
use \TijsVerkoyen\CssToInlineStyles\Css\Property\Processor as PropertyProcessor;

class Processor
{
    /**
     * Splits a string into separate rules
     *
     * @param string $rulesString
     *
     * @return string[]
     */
    public function splitIntoSeparateRules($rulesString)
    {
        $rulesString = $this->cleanup($rulesString);

        return (array) explode('}', $rulesString);
    }

    /**
     * @param string $string
     *
     * @return string
     */
    private function cleanup($string)
    {
        $string = str_replace(array("\r", "\n"), '', $string);
        $string = str_replace(array("\t"), ' ', $string);
        $string = str_replace('"', '\'', $string);
        $string = preg_replace('|/\*.*?\*/|', '', $string);
        $string = preg_replace('/\s\s+/', ' ', $string);

        $string = trim($string);
        $string = rtrim($string, '}');

        return $string;
    }

    /**
     * Converts a rule-string into an object
     *
     * @param string $rule
     * @param int    $originalOrder
     *
     * @return Rule[]
     */
    public function convertToObjects($rule, $originalOrder)
    {
        $rule = $this->cleanup($rule);

        $chunks = explode('{', $rule);
        if (!isset($chunks[1])) {
            return array();
        }
        $propertiesProcessor = new PropertyProcessor();
        $rules = array();
        $selectors = (array) explode(',', trim($chunks[0]));
        $properties = $propertiesProcessor->splitIntoSeparateProperties($chunks[1]);

        foreach ($selectors as $selector) {
            $selector = trim($selector);
            $specificity = $this->calculateSpecificityBasedOnASelector($selector);

            $rules[] = new Rule(
                $selector,
                $propertiesProcessor->convertArrayToObjects($properties, $specificity),
                $specificity,
                $originalOrder
            );
        }

        return $rules;
    }

    /**
     * Calculates the specificity based on a CSS Selector string,
     * Based on the patterns from premailer/css_parser by Alex Dunae
     *
     * @see https://github.com/premailer/css_parser/blob/master/lib/css_parser/regexps.rb
     *
     * @param string $selector
     *
     * @return Specificity
     */
    public function calculateSpecificityBasedOnASelector($selector)
    {
        $idSelectorsPattern = "  \#";
        $classAttributesPseudoClassesSelectorsPattern = "  (\.[\w]+)                     # classes
                        |
                        \[(\w+)                       # attributes
                        |
                        (\:(                          # pseudo classes
                          link|visited|active
                          |hover|focus
                          |lang
                          |target
                          |enabled|disabled|checked|indeterminate
                          |root
                          |nth-child|nth-last-child|nth-of-type|nth-last-of-type
                          |first-child|last-child|first-of-type|last-of-type
                          |only-child|only-of-type
                          |empty|contains
                        ))";

        $typePseudoElementsSelectorPattern = "  ((^|[\s\+\>\~]+)[\w]+       # elements
                        |
                        \:{1,2}(                    # pseudo-elements
                          after|before
                          |first-letter|first-line
                          |selection
                        )
                      )";

        return new Specificity(
            preg_match_all("/{$idSelectorsPattern}/ix", $selector, $matches),
            preg_match_all("/{$classAttributesPseudoClassesSelectorsPattern}/ix", $selector, $matches),
            preg_match_all("/{$typePseudoElementsSelectorPattern}/ix", $selector, $matches)
        );
    }

    /**
     * @param string[] $rules
     * @param Rule[]   $objects
     *
     * @return Rule[]
     */
    public function convertArrayToObjects(array $rules, array $objects = array())
    {
        $order = 1;
        foreach ($rules as $rule) {
            $objects = array_merge($objects, $this->convertToObjects($rule, $order));
            $order++;
        }

        return $objects;
    }

    /**
     * Sorts an array on the specificity element in an ascending way
     * Lower specificity will be sorted to the beginning of the array
     *
     * @param Rule $e1 The first element.
     * @param Rule $e2 The second element.
     *
     * @return int
     */
    public static function sortOnSpecificity(Rule $e1, Rule $e2)
    {
        $e1Specificity = $e1->getSpecificity();
        $value = $e1Specificity->compareTo($e2->getSpecificity());

        // if the specificity is the same, use the order in which the element appeared
        if ($value === 0) {
            $value = $e1->getOrder() - $e2->getOrder();
        }

        return $value;
    }
}
tijsverkoyen/css-to-inline-styles/src/Css/Rule/Rule.php000064400000002711151330736600017160 0ustar00<?php

namespace TijsVerkoyen\CssToInlineStyles\Css\Rule;

use Symfony\Component\CssSelector\Node\Specificity;
use TijsVerkoyen\CssToInlineStyles\Css\Property\Property;

final class Rule
{
    /**
     * @var string
     */
    private $selector;

    /**
     * @var Property[]
     */
    private $properties;

    /**
     * @var Specificity
     */
    private $specificity;

    /**
     * @var integer
     */
    private $order;

    /**
     * Rule constructor.
     *
     * @param string      $selector
     * @param Property[]  $properties
     * @param Specificity $specificity
     * @param int         $order
     */
    public function __construct($selector, array $properties, Specificity $specificity, $order)
    {
        $this->selector = $selector;
        $this->properties = $properties;
        $this->specificity = $specificity;
        $this->order = $order;
    }

    /**
     * Get selector
     *
     * @return string
     */
    public function getSelector()
    {
        return $this->selector;
    }

    /**
     * Get properties
     *
     * @return Property[]
     */
    public function getProperties()
    {
        return $this->properties;
    }

    /**
     * Get specificity
     *
     * @return Specificity
     */
    public function getSpecificity()
    {
        return $this->specificity;
    }

    /**
     * Get order
     *
     * @return int
     */
    public function getOrder()
    {
        return $this->order;
    }
}
tijsverkoyen/css-to-inline-styles/src/Css/Property/Property.php000064400000003063151330736600021013 0ustar00<?php

namespace TijsVerkoyen\CssToInlineStyles\Css\Property;

use Symfony\Component\CssSelector\Node\Specificity;

final class Property
{
    /**
     * @var string
     */
    private $name;

    /**
     * @var string
     */
    private $value;

    /**
     * @var Specificity
     */
    private $originalSpecificity;

    /**
     * Property constructor.
     * @param string           $name
     * @param string           $value
     * @param Specificity|null $specificity
     */
    public function __construct($name, $value, Specificity $specificity = null)
    {
        $this->name = $name;
        $this->value = $value;
        $this->originalSpecificity = $specificity;
    }

    /**
     * Get name
     *
     * @return string
     */
    public function getName()
    {
        return $this->name;
    }

    /**
     * Get value
     *
     * @return string
     */
    public function getValue()
    {
        return $this->value;
    }

    /**
     * Get originalSpecificity
     *
     * @return Specificity
     */
    public function getOriginalSpecificity()
    {
        return $this->originalSpecificity;
    }

    /**
     * Is this property important?
     *
     * @return bool
     */
    public function isImportant()
    {
        return (stripos($this->value, '!important') !== false);
    }

    /**
     * Get the textual representation of the property
     *
     * @return string
     */
    public function toString()
    {
        return sprintf(
            '%1$s: %2$s;',
            $this->name,
            $this->value
        );
    }
}
tijsverkoyen/css-to-inline-styles/src/Css/Property/Processor.php000064400000006177151330736600021157 0ustar00<?php

namespace TijsVerkoyen\CssToInlineStyles\Css\Property;

use Symfony\Component\CssSelector\Node\Specificity;

class Processor
{
    /**
     * Split a string into separate properties
     *
     * @param string $propertiesString
     *
     * @return string[]
     */
    public function splitIntoSeparateProperties($propertiesString)
    {
        $propertiesString = $this->cleanup($propertiesString);

        $properties = (array) explode(';', $propertiesString);
        $keysToRemove = array();
        $numberOfProperties = count($properties);

        for ($i = 0; $i < $numberOfProperties; $i++) {
            $properties[$i] = trim($properties[$i]);

            // if the new property begins with base64 it is part of the current property
            if (isset($properties[$i + 1]) && strpos(trim($properties[$i + 1]), 'base64,') === 0) {
                $properties[$i] .= ';' . trim($properties[$i + 1]);
                $keysToRemove[] = $i + 1;
            }
        }

        if (!empty($keysToRemove)) {
            foreach ($keysToRemove as $key) {
                unset($properties[$key]);
            }
        }

        return array_values($properties);
    }

    /**
     * @param string $string
     *
     * @return string
     */
    private function cleanup($string)
    {
        $string = str_replace(array("\r", "\n"), '', $string);
        $string = str_replace(array("\t"), ' ', $string);
        $string = str_replace('"', '\'', $string);
        $string = preg_replace('|/\*.*?\*/|', '', $string);
        $string = preg_replace('/\s\s+/', ' ', $string);

        $string = trim($string);
        $string = rtrim($string, ';');

        return $string;
    }

    /**
     * Converts a property-string into an object
     *
     * @param string $property
     *
     * @return Property|null
     */
    public function convertToObject($property, Specificity $specificity = null)
    {
        if (strpos($property, ':') === false) {
            return null;
        }

        list($name, $value) = explode(':', $property, 2);

        $name = trim($name);
        $value = trim($value);

        if ($value === '') {
            return null;
        }

        return new Property($name, $value, $specificity);
    }

    /**
     * Converts an array of property-strings into objects
     *
     * @param string[] $properties
     *
     * @return Property[]
     */
    public function convertArrayToObjects(array $properties, Specificity $specificity = null)
    {
        $objects = array();

        foreach ($properties as $property) {
            $object = $this->convertToObject($property, $specificity);
            if ($object === null) {
                continue;
            }

            $objects[] = $object;
        }

        return $objects;
    }

    /**
     * Build the property-string for multiple properties
     *
     * @param Property[] $properties
     *
     * @return string
     */
    public function buildPropertiesString(array $properties)
    {
        $chunks = array();

        foreach ($properties as $property) {
            $chunks[] = $property->toString();
        }

        return implode(' ', $chunks);
    }
}
tijsverkoyen/css-to-inline-styles/src/Css/Processor.php000064400000003517151330736600017326 0ustar00<?php

namespace TijsVerkoyen\CssToInlineStyles\Css;

use TijsVerkoyen\CssToInlineStyles\Css\Rule\Processor as RuleProcessor;
use TijsVerkoyen\CssToInlineStyles\Css\Rule\Rule;

class Processor
{
    /**
     * Get the rules from a given CSS-string
     *
     * @param string $css
     * @param Rule[] $existingRules
     *
     * @return Rule[]
     */
    public function getRules($css, $existingRules = array())
    {
        $css = $this->doCleanup($css);
        $rulesProcessor = new RuleProcessor();
        $rules = $rulesProcessor->splitIntoSeparateRules($css);

        return $rulesProcessor->convertArrayToObjects($rules, $existingRules);
    }

    /**
     * Get the CSS from the style-tags in the given HTML-string
     *
     * @param string $html
     *
     * @return string
     */
    public function getCssFromStyleTags($html)
    {
        $css = '';
        $matches = array();
        $htmlNoComments = preg_replace('|<!--.*?-->|s', '', $html);
        preg_match_all('|<style(?:\s.*)?>(.*)</style>|isU', $htmlNoComments, $matches);

        if (!empty($matches[1])) {
            foreach ($matches[1] as $match) {
                $css .= trim($match) . "\n";
            }
        }

        return $css;
    }

    /**
     * @param string $css
     *
     * @return string
     */
    private function doCleanup($css)
    {
        // remove charset
        $css = preg_replace('/@charset "[^"]++";/', '', $css);
        // remove media queries
        $css = preg_replace('/@media [^{]*+{([^{}]++|{[^{}]*+})*+}/', '', $css);

        $css = str_replace(array("\r", "\n"), '', $css);
        $css = str_replace(array("\t"), ' ', $css);
        $css = str_replace('"', '\'', $css);
        $css = preg_replace('|/\*.*?\*/|', '', $css);
        $css = preg_replace('/\s\s++/', ' ', $css);
        $css = trim($css);

        return $css;
    }
}
composer/InstalledVersions.php000064400000035217151330736600012570 0ustar00<?php

/*
 * This file is part of Composer.
 *
 * (c) Nils Adermann <naderman@naderman.de>
 *     Jordi Boggiano <j.boggiano@seld.be>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Composer;

use Composer\Autoload\ClassLoader;
use Composer\Semver\VersionParser;

/**
 * This class is copied in every Composer installed project and available to all
 *
 * See also https://getcomposer.org/doc/07-runtime.md#installed-versions
 *
 * To require its presence, you can require `composer-runtime-api ^2.0`
 */
class InstalledVersions
{
    /**
     * @var mixed[]|null
     * @psalm-var array{root: array{name: string, version: string, reference: string, pretty_version: string, aliases: string[], dev: bool, install_path: string, type: string}, versions: array<string, array{dev_requirement: bool, pretty_version?: string, version?: string, aliases?: string[], reference?: string, replaced?: string[], provided?: string[], install_path?: string, type?: string}>}|array{}|null
     */
    private static $installed;

    /**
     * @var bool|null
     */
    private static $canGetVendors;

    /**
     * @var array[]
     * @psalm-var array<string, array{root: array{name: string, version: string, reference: string, pretty_version: string, aliases: string[], dev: bool, install_path: string, type: string}, versions: array<string, array{dev_requirement: bool, pretty_version?: string, version?: string, aliases?: string[], reference?: string, replaced?: string[], provided?: string[], install_path?: string, type?: string}>}>
     */
    private static $installedByVendor = array();

    /**
     * Returns a list of all package names which are present, either by being installed, replaced or provided
     *
     * @return string[]
     * @psalm-return list<string>
     */
    public static function getInstalledPackages()
    {
        $packages = array();
        foreach (self::getInstalled() as $installed) {
            $packages[] = array_keys($installed['versions']);
        }

        if (1 === \count($packages)) {
            return $packages[0];
        }

        return array_keys(array_flip(\call_user_func_array('array_merge', $packages)));
    }

    /**
     * Returns a list of all package names with a specific type e.g. 'library'
     *
     * @param  string   $type
     * @return string[]
     * @psalm-return list<string>
     */
    public static function getInstalledPackagesByType($type)
    {
        $packagesByType = array();

        foreach (self::getInstalled() as $installed) {
            foreach ($installed['versions'] as $name => $package) {
                if (isset($package['type']) && $package['type'] === $type) {
                    $packagesByType[] = $name;
                }
            }
        }

        return $packagesByType;
    }

    /**
     * Checks whether the given package is installed
     *
     * This also returns true if the package name is provided or replaced by another package
     *
     * @param  string $packageName
     * @param  bool   $includeDevRequirements
     * @return bool
     */
    public static function isInstalled($packageName, $includeDevRequirements = true)
    {
        foreach (self::getInstalled() as $installed) {
            if (isset($installed['versions'][$packageName])) {
                return $includeDevRequirements || empty($installed['versions'][$packageName]['dev_requirement']);
            }
        }

        return false;
    }

    /**
     * Checks whether the given package satisfies a version constraint
     *
     * e.g. If you want to know whether version 2.3+ of package foo/bar is installed, you would call:
     *
     *   Composer\InstalledVersions::satisfies(new VersionParser, 'foo/bar', '^2.3')
     *
     * @param  VersionParser $parser      Install composer/semver to have access to this class and functionality
     * @param  string        $packageName
     * @param  string|null   $constraint  A version constraint to check for, if you pass one you have to make sure composer/semver is required by your package
     * @return bool
     */
    public static function satisfies(VersionParser $parser, $packageName, $constraint)
    {
        $constraint = $parser->parseConstraints($constraint);
        $provided = $parser->parseConstraints(self::getVersionRanges($packageName));

        return $provided->matches($constraint);
    }

    /**
     * Returns a version constraint representing all the range(s) which are installed for a given package
     *
     * It is easier to use this via isInstalled() with the $constraint argument if you need to check
     * whether a given version of a package is installed, and not just whether it exists
     *
     * @param  string $packageName
     * @return string Version constraint usable with composer/semver
     */
    public static function getVersionRanges($packageName)
    {
        foreach (self::getInstalled() as $installed) {
            if (!isset($installed['versions'][$packageName])) {
                continue;
            }

            $ranges = array();
            if (isset($installed['versions'][$packageName]['pretty_version'])) {
                $ranges[] = $installed['versions'][$packageName]['pretty_version'];
            }
            if (array_key_exists('aliases', $installed['versions'][$packageName])) {
                $ranges = array_merge($ranges, $installed['versions'][$packageName]['aliases']);
            }
            if (array_key_exists('replaced', $installed['versions'][$packageName])) {
                $ranges = array_merge($ranges, $installed['versions'][$packageName]['replaced']);
            }
            if (array_key_exists('provided', $installed['versions'][$packageName])) {
                $ranges = array_merge($ranges, $installed['versions'][$packageName]['provided']);
            }

            return implode(' || ', $ranges);
        }

        throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
    }

    /**
     * @param  string      $packageName
     * @return string|null If the package is being replaced or provided but is not really installed, null will be returned as version, use satisfies or getVersionRanges if you need to know if a given version is present
     */
    public static function getVersion($packageName)
    {
        foreach (self::getInstalled() as $installed) {
            if (!isset($installed['versions'][$packageName])) {
                continue;
            }

            if (!isset($installed['versions'][$packageName]['version'])) {
                return null;
            }

            return $installed['versions'][$packageName]['version'];
        }

        throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
    }

    /**
     * @param  string      $packageName
     * @return string|null If the package is being replaced or provided but is not really installed, null will be returned as version, use satisfies or getVersionRanges if you need to know if a given version is present
     */
    public static function getPrettyVersion($packageName)
    {
        foreach (self::getInstalled() as $installed) {
            if (!isset($installed['versions'][$packageName])) {
                continue;
            }

            if (!isset($installed['versions'][$packageName]['pretty_version'])) {
                return null;
            }

            return $installed['versions'][$packageName]['pretty_version'];
        }

        throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
    }

    /**
     * @param  string      $packageName
     * @return string|null If the package is being replaced or provided but is not really installed, null will be returned as reference
     */
    public static function getReference($packageName)
    {
        foreach (self::getInstalled() as $installed) {
            if (!isset($installed['versions'][$packageName])) {
                continue;
            }

            if (!isset($installed['versions'][$packageName]['reference'])) {
                return null;
            }

            return $installed['versions'][$packageName]['reference'];
        }

        throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
    }

    /**
     * @param  string      $packageName
     * @return string|null If the package is being replaced or provided but is not really installed, null will be returned as install path. Packages of type metapackages also have a null install path.
     */
    public static function getInstallPath($packageName)
    {
        foreach (self::getInstalled() as $installed) {
            if (!isset($installed['versions'][$packageName])) {
                continue;
            }

            return isset($installed['versions'][$packageName]['install_path']) ? $installed['versions'][$packageName]['install_path'] : null;
        }

        throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
    }

    /**
     * @return array
     * @psalm-return array{name: string, version: string, reference: string, pretty_version: string, aliases: string[], dev: bool, install_path: string, type: string}
     */
    public static function getRootPackage()
    {
        $installed = self::getInstalled();

        return $installed[0]['root'];
    }

    /**
     * Returns the raw installed.php data for custom implementations
     *
     * @deprecated Use getAllRawData() instead which returns all datasets for all autoloaders present in the process. getRawData only returns the first dataset loaded, which may not be what you expect.
     * @return array[]
     * @psalm-return array{root: array{name: string, version: string, reference: string, pretty_version: string, aliases: string[], dev: bool, install_path: string, type: string}, versions: array<string, array{dev_requirement: bool, pretty_version?: string, version?: string, aliases?: string[], reference?: string, replaced?: string[], provided?: string[], install_path?: string, type?: string}>}
     */
    public static function getRawData()
    {
        @trigger_error('getRawData only returns the first dataset loaded, which may not be what you expect. Use getAllRawData() instead which returns all datasets for all autoloaders present in the process.', E_USER_DEPRECATED);

        if (null === self::$installed) {
            // only require the installed.php file if this file is loaded from its dumped location,
            // and not from its source location in the composer/composer package, see https://github.com/composer/composer/issues/9937
            if (substr(__DIR__, -8, 1) !== 'C') {
                self::$installed = include __DIR__ . '/installed.php';
            } else {
                self::$installed = array();
            }
        }

        return self::$installed;
    }

    /**
     * Returns the raw data of all installed.php which are currently loaded for custom implementations
     *
     * @return array[]
     * @psalm-return list<array{root: array{name: string, version: string, reference: string, pretty_version: string, aliases: string[], dev: bool, install_path: string, type: string}, versions: array<string, array{dev_requirement: bool, pretty_version?: string, version?: string, aliases?: string[], reference?: string, replaced?: string[], provided?: string[], install_path?: string, type?: string}>}>
     */
    public static function getAllRawData()
    {
        return self::getInstalled();
    }

    /**
     * Lets you reload the static array from another file
     *
     * This is only useful for complex integrations in which a project needs to use
     * this class but then also needs to execute another project's autoloader in process,
     * and wants to ensure both projects have access to their version of installed.php.
     *
     * A typical case would be PHPUnit, where it would need to make sure it reads all
     * the data it needs from this class, then call reload() with
     * `require $CWD/vendor/composer/installed.php` (or similar) as input to make sure
     * the project in which it runs can then also use this class safely, without
     * interference between PHPUnit's dependencies and the project's dependencies.
     *
     * @param  array[] $data A vendor/composer/installed.php data set
     * @return void
     *
     * @psalm-param array{root: array{name: string, version: string, reference: string, pretty_version: string, aliases: string[], dev: bool, install_path: string, type: string}, versions: array<string, array{dev_requirement: bool, pretty_version?: string, version?: string, aliases?: string[], reference?: string, replaced?: string[], provided?: string[], install_path?: string, type?: string}>} $data
     */
    public static function reload($data)
    {
        self::$installed = $data;
        self::$installedByVendor = array();
    }

    /**
     * @return array[]
     * @psalm-return list<array{root: array{name: string, version: string, reference: string, pretty_version: string, aliases: string[], dev: bool, install_path: string, type: string}, versions: array<string, array{dev_requirement: bool, pretty_version?: string, version?: string, aliases?: string[], reference?: string, replaced?: string[], provided?: string[], install_path?: string, type?: string}>}>
     */
    private static function getInstalled()
    {
        if (null === self::$canGetVendors) {
            self::$canGetVendors = method_exists('Composer\Autoload\ClassLoader', 'getRegisteredLoaders');
        }

        $installed = array();

        if (self::$canGetVendors) {
            foreach (ClassLoader::getRegisteredLoaders() as $vendorDir => $loader) {
                if (isset(self::$installedByVendor[$vendorDir])) {
                    $installed[] = self::$installedByVendor[$vendorDir];
                } elseif (is_file($vendorDir.'/composer/installed.php')) {
                    $installed[] = self::$installedByVendor[$vendorDir] = require $vendorDir.'/composer/installed.php';
                    if (null === self::$installed && strtr($vendorDir.'/composer', '\\', '/') === strtr(__DIR__, '\\', '/')) {
                        self::$installed = $installed[count($installed) - 1];
                    }
                }
            }
        }

        if (null === self::$installed) {
            // only require the installed.php file if this file is loaded from its dumped location,
            // and not from its source location in the composer/composer package, see https://github.com/composer/composer/issues/9937
            if (substr(__DIR__, -8, 1) !== 'C') {
                self::$installed = require __DIR__ . '/installed.php';
            } else {
                self::$installed = array();
            }
        }
        $installed[] = self::$installed;

        return $installed;
    }
}
composer/autoload_classmap.php000064400000000232151330736600012600 0ustar00<?php

// autoload_classmap.php @generated by Composer

$vendorDir = dirname( dirname( __FILE__ ) );
$baseDir   = dirname( $vendorDir );

return array();
composer/autoload_psr4.php000064400000000305151330736600011666 0ustar00<?php

// autoload_psr4.php @generated by Composer

$vendorDir = dirname(dirname(__FILE__));
$baseDir = dirname($vendorDir);

return array(
    'ColibriWP\\Theme\\' => array($baseDir . '/src'),
);
composer/autoload_static.php000064400000001755151330736600012277 0ustar00<?php

// autoload_static.php @generated by Composer

namespace Composer\Autoload;

use Closure;

class ComposerStaticInit830b4242f52dcda28eda3141289ea4bf {
    public static $files = array(
        '7e6cca5b119770fe793b2f9ca0e657fd' => __DIR__ . '/../..' . '/template-functions.php',
    );

    public static $prefixLengthsPsr4 = array(
        'C' =>
            array(
                'ColibriWP\\Theme\\' => 16,
            ),
    );

    public static $prefixDirsPsr4 = array(
        'ColibriWP\\Theme\\' =>
            array(
                0 => __DIR__ . '/../..' . '/src',
            ),
    );

    public static function getInitializer( ClassLoader $loader ) {
        return Closure::bind( function () use ( $loader ) {
            $loader->prefixLengthsPsr4 = ComposerStaticInit830b4242f52dcda28eda3141289ea4bf::$prefixLengthsPsr4;
            $loader->prefixDirsPsr4    = ComposerStaticInit830b4242f52dcda28eda3141289ea4bf::$prefixDirsPsr4;

        }, null, ClassLoader::class );
    }
}
composer/autoload_real.php000064400000004765151330736600011737 0ustar00<?php

// autoload_real.php @generated by Composer

use Composer\Autoload\ClassLoader;
use Composer\Autoload\ComposerStaticInit830b4242f52dcda28eda3141289ea4bf;

class ComposerAutoloaderInit830b4242f52dcda28eda3141289ea4bf {
    private static $loader;

    public static function loadClassLoader( $class ) {
        if ( 'Composer\Autoload\ClassLoader' === $class ) {
            require __DIR__ . '/ClassLoader.php';
        }
    }

    public static function getLoader() {
        if ( null !== self::$loader ) {
            return self::$loader;
        }

        spl_autoload_register( array( 'ComposerAutoloaderInit830b4242f52dcda28eda3141289ea4bf', 'loadClassLoader' ),
            true, true );
        self::$loader = $loader = new ClassLoader();
        spl_autoload_unregister( array( 'ComposerAutoloaderInit830b4242f52dcda28eda3141289ea4bf', 'loadClassLoader' ) );

        $useStaticLoader = PHP_VERSION_ID >= 50600 && ! defined( 'HHVM_VERSION' ) && ( ! function_exists( 'zend_loader_file_encoded' ) || ! zend_loader_file_encoded() );
        if ( $useStaticLoader ) {
            require_once __DIR__ . '/autoload_static.php';

            call_user_func( ComposerStaticInit830b4242f52dcda28eda3141289ea4bf::getInitializer( $loader ) );
        } else {
            $map = require __DIR__ . '/autoload_namespaces.php';
            foreach ( $map as $namespace => $path ) {
                $loader->set( $namespace, $path );
            }

            $map = require __DIR__ . '/autoload_psr4.php';
            foreach ( $map as $namespace => $path ) {
                $loader->setPsr4( $namespace, $path );
            }

            $classMap = require __DIR__ . '/autoload_classmap.php';
            if ( $classMap ) {
                $loader->addClassMap( $classMap );
            }
        }

        $loader->register( true );

        if ( $useStaticLoader ) {
            $includeFiles = Composer\Autoload\ComposerStaticInit830b4242f52dcda28eda3141289ea4bf::$files;
        } else {
            $includeFiles = require __DIR__ . '/autoload_files.php';
        }
        foreach ( $includeFiles as $fileIdentifier => $file ) {
            composerRequire830b4242f52dcda28eda3141289ea4bf( $fileIdentifier, $file );
        }

        return $loader;
    }
}

function composerRequire830b4242f52dcda28eda3141289ea4bf( $fileIdentifier, $file ) {
    if ( empty( $GLOBALS['__composer_autoload_files'][ $fileIdentifier ] ) ) {
        require $file;

        $GLOBALS['__composer_autoload_files'][ $fileIdentifier ] = true;
    }
}
composer/LICENSE000064400000002056151330736600007407 0ustar00
Copyright (c) Nils Adermann, Jordi Boggiano

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.

composer/ClassLoader.php000064400000032572151330736600011315 0ustar00<?php

/*
 * This file is part of Composer.
 *
 * (c) Nils Adermann <naderman@naderman.de>
 *     Jordi Boggiano <j.boggiano@seld.be>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Composer\Autoload;

use InvalidArgumentException;

/**
 * ClassLoader implements a PSR-0, PSR-4 and classmap class loader.
 *
 *     $loader = new \Composer\Autoload\ClassLoader();
 *
 *     // register classes with namespaces
 *     $loader->add('Symfony\Component', __DIR__.'/component');
 *     $loader->add('Symfony',           __DIR__.'/framework');
 *
 *     // activate the autoloader
 *     $loader->register();
 *
 *     // to enable searching the include path (eg. for PEAR packages)
 *     $loader->setUseIncludePath(true);
 *
 * In this example, if you try to use a class in the Symfony\Component
 * namespace or one of its children (Symfony\Component\Console for instance),
 * the autoloader will first look for the class under the component/
 * directory, and it will then fallback to the framework/ directory if not
 * found before giving up.
 *
 * This class is loosely based on the Symfony UniversalClassLoader.
 *
 * @author Fabien Potencier <fabien@symfony.com>
 * @author Jordi Boggiano <j.boggiano@seld.be>
 * @see    http://www.php-fig.org/psr/psr-0/
 * @see    http://www.php-fig.org/psr/psr-4/
 */
class ClassLoader {
    // PSR-4
    private $prefixLengthsPsr4 = array();
    private $prefixDirsPsr4 = array();
    private $fallbackDirsPsr4 = array();

    // PSR-0
    private $prefixesPsr0 = array();
    private $fallbackDirsPsr0 = array();

    private $useIncludePath = false;
    private $classMap = array();
    private $classMapAuthoritative = false;
    private $missingClasses = array();
    private $apcuPrefix;

    public function getPrefixes() {
        if ( ! empty( $this->prefixesPsr0 ) ) {
            return call_user_func_array( 'array_merge', $this->prefixesPsr0 );
        }

        return array();
    }

    public function getPrefixesPsr4() {
        return $this->prefixDirsPsr4;
    }

    public function getFallbackDirs() {
        return $this->fallbackDirsPsr0;
    }

    public function getFallbackDirsPsr4() {
        return $this->fallbackDirsPsr4;
    }

    public function getClassMap() {
        return $this->classMap;
    }

    /**
     * @param array $classMap Class to filename map
     */
    public function addClassMap( array $classMap ) {
        if ( $this->classMap ) {
            $this->classMap = array_merge( $this->classMap, $classMap );
        } else {
            $this->classMap = $classMap;
        }
    }

    /**
     * Registers a set of PSR-0 directories for a given prefix, either
     * appending or prepending to the ones previously set for this prefix.
     *
     * @param string $prefix The prefix
     * @param array|string $paths The PSR-0 root directories
     * @param bool $prepend Whether to prepend the directories
     */
    public function add( $prefix, $paths, $prepend = false ) {
        if ( ! $prefix ) {
            if ( $prepend ) {
                $this->fallbackDirsPsr0 = array_merge(
                    (array) $paths,
                    $this->fallbackDirsPsr0
                );
            } else {
                $this->fallbackDirsPsr0 = array_merge(
                    $this->fallbackDirsPsr0,
                    (array) $paths
                );
            }

            return;
        }

        $first = $prefix[0];
        if ( ! isset( $this->prefixesPsr0[ $first ][ $prefix ] ) ) {
            $this->prefixesPsr0[ $first ][ $prefix ] = (array) $paths;

            return;
        }
        if ( $prepend ) {
            $this->prefixesPsr0[ $first ][ $prefix ] = array_merge(
                (array) $paths,
                $this->prefixesPsr0[ $first ][ $prefix ]
            );
        } else {
            $this->prefixesPsr0[ $first ][ $prefix ] = array_merge(
                $this->prefixesPsr0[ $first ][ $prefix ],
                (array) $paths
            );
        }
    }

    /**
     * Registers a set of PSR-4 directories for a given namespace, either
     * appending or prepending to the ones previously set for this namespace.
     *
     * @param string $prefix The prefix/namespace, with trailing '\\'
     * @param array|string $paths The PSR-4 base directories
     * @param bool $prepend Whether to prepend the directories
     *
     * @throws InvalidArgumentException
     */
    public function addPsr4( $prefix, $paths, $prepend = false ) {
        if ( ! $prefix ) {
            // Register directories for the root namespace.
            if ( $prepend ) {
                $this->fallbackDirsPsr4 = array_merge(
                    (array) $paths,
                    $this->fallbackDirsPsr4
                );
            } else {
                $this->fallbackDirsPsr4 = array_merge(
                    $this->fallbackDirsPsr4,
                    (array) $paths
                );
            }
        } elseif ( ! isset( $this->prefixDirsPsr4[ $prefix ] ) ) {
            // Register directories for a new namespace.
            $length = strlen( $prefix );
            if ( '\\' !== $prefix[ $length - 1 ] ) {
                throw new InvalidArgumentException( "A non-empty PSR-4 prefix must end with a namespace separator." );
            }
            $this->prefixLengthsPsr4[ $prefix[0] ][ $prefix ] = $length;
            $this->prefixDirsPsr4[ $prefix ]                  = (array) $paths;
        } elseif ( $prepend ) {
            // Prepend directories for an already registered namespace.
            $this->prefixDirsPsr4[ $prefix ] = array_merge(
                (array) $paths,
                $this->prefixDirsPsr4[ $prefix ]
            );
        } else {
            // Append directories for an already registered namespace.
            $this->prefixDirsPsr4[ $prefix ] = array_merge(
                $this->prefixDirsPsr4[ $prefix ],
                (array) $paths
            );
        }
    }

    /**
     * Registers a set of PSR-0 directories for a given prefix,
     * replacing any others previously set for this prefix.
     *
     * @param string $prefix The prefix
     * @param array|string $paths The PSR-0 base directories
     */
    public function set( $prefix, $paths ) {
        if ( ! $prefix ) {
            $this->fallbackDirsPsr0 = (array) $paths;
        } else {
            $this->prefixesPsr0[ $prefix[0] ][ $prefix ] = (array) $paths;
        }
    }

    /**
     * Registers a set of PSR-4 directories for a given namespace,
     * replacing any others previously set for this namespace.
     *
     * @param string $prefix The prefix/namespace, with trailing '\\'
     * @param array|string $paths The PSR-4 base directories
     *
     * @throws InvalidArgumentException
     */
    public function setPsr4( $prefix, $paths ) {
        if ( ! $prefix ) {
            $this->fallbackDirsPsr4 = (array) $paths;
        } else {
            $length = strlen( $prefix );
            if ( '\\' !== $prefix[ $length - 1 ] ) {
                throw new InvalidArgumentException( "A non-empty PSR-4 prefix must end with a namespace separator." );
            }
            $this->prefixLengthsPsr4[ $prefix[0] ][ $prefix ] = $length;
            $this->prefixDirsPsr4[ $prefix ]                  = (array) $paths;
        }
    }

    /**
     * Turns on searching the include path for class files.
     *
     * @param bool $useIncludePath
     */
    public function setUseIncludePath( $useIncludePath ) {
        $this->useIncludePath = $useIncludePath;
    }

    /**
     * Can be used to check if the autoloader uses the include path to check
     * for classes.
     *
     * @return bool
     */
    public function getUseIncludePath() {
        return $this->useIncludePath;
    }

    /**
     * Turns off searching the prefix and fallback directories for classes
     * that have not been registered with the class map.
     *
     * @param bool $classMapAuthoritative
     */
    public function setClassMapAuthoritative( $classMapAuthoritative ) {
        $this->classMapAuthoritative = $classMapAuthoritative;
    }

    /**
     * Should class lookup fail if not found in the current class map?
     *
     * @return bool
     */
    public function isClassMapAuthoritative() {
        return $this->classMapAuthoritative;
    }

    /**
     * APCu prefix to use to cache found/not-found classes, if the extension is enabled.
     *
     * @param string|null $apcuPrefix
     */
    public function setApcuPrefix( $apcuPrefix ) {
        $this->apcuPrefix = function_exists( 'apcu_fetch' ) && filter_var( ini_get( 'apc.enabled' ),
            FILTER_VALIDATE_BOOLEAN ) ? $apcuPrefix : null;
    }

    /**
     * The APCu prefix in use, or null if APCu caching is not enabled.
     *
     * @return string|null
     */
    public function getApcuPrefix() {
        return $this->apcuPrefix;
    }

    /**
     * Registers this instance as an autoloader.
     *
     * @param bool $prepend Whether to prepend the autoloader or not
     */
    public function register( $prepend = false ) {
        spl_autoload_register( array( $this, 'loadClass' ), true, $prepend );
    }

    /**
     * Unregisters this instance as an autoloader.
     */
    public function unregister() {
        spl_autoload_unregister( array( $this, 'loadClass' ) );
    }

    /**
     * Loads the given class or interface.
     *
     * @param string $class The name of the class
     *
     * @return bool|null True if loaded, null otherwise
     */
    public function loadClass( $class ) {
        if ( $file = $this->findFile( $class ) ) {
            includeFile( $file );

            return true;
        }
    }

    /**
     * Finds the path to the file where the class is defined.
     *
     * @param string $class The name of the class
     *
     * @return string|false The path if found, false otherwise
     */
    public function findFile( $class ) {
        // class map lookup
        if ( isset( $this->classMap[ $class ] ) ) {
            return $this->classMap[ $class ];
        }
        if ( $this->classMapAuthoritative || isset( $this->missingClasses[ $class ] ) ) {
            return false;
        }
        if ( null !== $this->apcuPrefix ) {
            $file = apcu_fetch( $this->apcuPrefix . $class, $hit );
            if ( $hit ) {
                return $file;
            }
        }

        $file = $this->findFileWithExtension( $class, '.php' );

        // Search for Hack files if we are running on HHVM
        if ( false === $file && defined( 'HHVM_VERSION' ) ) {
            $file = $this->findFileWithExtension( $class, '.hh' );
        }

        if ( null !== $this->apcuPrefix ) {
            apcu_add( $this->apcuPrefix . $class, $file );
        }

        if ( false === $file ) {
            // Remember that this class does not exist.
            $this->missingClasses[ $class ] = true;
        }

        return $file;
    }

    private function findFileWithExtension( $class, $ext ) {
        // PSR-4 lookup
        $logicalPathPsr4 = strtr( $class, '\\', DIRECTORY_SEPARATOR ) . $ext;

        $first = $class[0];
        if ( isset( $this->prefixLengthsPsr4[ $first ] ) ) {
            $subPath = $class;
            while ( false !== $lastPos = strrpos( $subPath, '\\' ) ) {
                $subPath = substr( $subPath, 0, $lastPos );
                $search  = $subPath . '\\';
                if ( isset( $this->prefixDirsPsr4[ $search ] ) ) {
                    $pathEnd = DIRECTORY_SEPARATOR . substr( $logicalPathPsr4, $lastPos + 1 );
                    foreach ( $this->prefixDirsPsr4[ $search ] as $dir ) {
                        if ( file_exists( $file = $dir . $pathEnd ) ) {
                            return $file;
                        }
                    }
                }
            }
        }

        // PSR-4 fallback dirs
        foreach ( $this->fallbackDirsPsr4 as $dir ) {
            if ( file_exists( $file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr4 ) ) {
                return $file;
            }
        }

        // PSR-0 lookup
        if ( false !== $pos = strrpos( $class, '\\' ) ) {
            // namespaced class name
            $logicalPathPsr0 = substr( $logicalPathPsr4, 0, $pos + 1 )
                               . strtr( substr( $logicalPathPsr4, $pos + 1 ), '_', DIRECTORY_SEPARATOR );
        } else {
            // PEAR-like class name
            $logicalPathPsr0 = strtr( $class, '_', DIRECTORY_SEPARATOR ) . $ext;
        }

        if ( isset( $this->prefixesPsr0[ $first ] ) ) {
            foreach ( $this->prefixesPsr0[ $first ] as $prefix => $dirs ) {
                if ( 0 === strpos( $class, $prefix ) ) {
                    foreach ( $dirs as $dir ) {
                        if ( file_exists( $file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr0 ) ) {
                            return $file;
                        }
                    }
                }
            }
        }

        // PSR-0 fallback dirs
        foreach ( $this->fallbackDirsPsr0 as $dir ) {
            if ( file_exists( $file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr0 ) ) {
                return $file;
            }
        }

        // PSR-0 include paths.
        if ( $this->useIncludePath && $file = stream_resolve_include_path( $logicalPathPsr0 ) ) {
            return $file;
        }

        return false;
    }
}

/**
 * Scope isolated include.
 *
 * Prevents access to $this/self from included files.
 */
function includeFile( $file ) {
    include $file;
}
composer/autoload_namespaces.php000064400000000234151330736600013116 0ustar00<?php

// autoload_namespaces.php @generated by Composer

$vendorDir = dirname( dirname( __FILE__ ) );
$baseDir   = dirname( $vendorDir );

return array();
composer/autoload_files.php000064400000000340151330736600012077 0ustar00<?php

// autoload_files.php @generated by Composer

$vendorDir = dirname(dirname(__FILE__));
$baseDir = dirname($vendorDir);

return array(
    '7e6cca5b119770fe793b2f9ca0e657fd' => $baseDir . '/template-functions.php',
);
composer/installed.php000064400000007426151330736600011100 0ustar00<?php return array(
    'root' => array(
        'pretty_version' => 'dev-develop',
        'version' => 'dev-develop',
        'type' => 'library',
        'install_path' => __DIR__ . '/../../',
        'aliases' => array(),
        'reference' => 'c7659f498247c597fc97311ae340446eadcc023e',
        'name' => 'awesomemotive/wpforms',
        'dev' => true,
    ),
    'versions' => array(
        'awesomemotive/wpforms' => array(
            'pretty_version' => 'dev-develop',
            'version' => 'dev-develop',
            'type' => 'library',
            'install_path' => __DIR__ . '/../../',
            'aliases' => array(),
            'reference' => 'c7659f498247c597fc97311ae340446eadcc023e',
            'dev_requirement' => false,
        ),
        'mk-j/php_xlsxwriter' => array(
            'pretty_version' => '0.38',
            'version' => '0.38.0.0',
            'type' => 'project',
            'install_path' => __DIR__ . '/../mk-j/php_xlsxwriter',
            'aliases' => array(),
            'reference' => '00579529fea072851789505b2dec0d14cdfffe60',
            'dev_requirement' => false,
        ),
        'roave/security-advisories' => array(
            'pretty_version' => 'dev-latest',
            'version' => 'dev-latest',
            'type' => 'metapackage',
            'install_path' => NULL,
            'aliases' => array(
                0 => '9999999-dev',
            ),
            'reference' => '0c86f70adfb4d976d59e222d2c36590919158039',
            'dev_requirement' => true,
        ),
        'symfony/css-selector' => array(
            'pretty_version' => 'v2.8.52',
            'version' => '2.8.52.0',
            'type' => 'library',
            'install_path' => __DIR__ . '/../symfony/css-selector',
            'aliases' => array(),
            'reference' => '7b1692e418d7ccac24c373528453bc90e42797de',
            'dev_requirement' => false,
        ),
        'symfony/polyfill-iconv' => array(
            'pretty_version' => 'v1.18.1',
            'version' => '1.18.1.0',
            'type' => 'library',
            'install_path' => __DIR__ . '/../symfony/polyfill-iconv',
            'aliases' => array(),
            'reference' => '6c2f78eb8f5ab8eaea98f6d414a5915f2e0fce36',
            'dev_requirement' => false,
        ),
        'symfony/polyfill-mbstring' => array(
            'pretty_version' => 'v1.18.1',
            'version' => '1.18.1.0',
            'type' => 'library',
            'install_path' => __DIR__ . '/../symfony/polyfill-mbstring',
            'aliases' => array(),
            'reference' => 'a6977d63bf9a0ad4c65cd352709e230876f9904a',
            'dev_requirement' => false,
        ),
        'tijsverkoyen/css-to-inline-styles' => array(
            'pretty_version' => '2.2.3',
            'version' => '2.2.3.0',
            'type' => 'library',
            'install_path' => __DIR__ . '/../tijsverkoyen/css-to-inline-styles',
            'aliases' => array(),
            'reference' => 'b43b05cf43c1b6d849478965062b6ef73e223bb5',
            'dev_requirement' => false,
        ),
        'true/punycode' => array(
            'pretty_version' => 'v2.1.1',
            'version' => '2.1.1.0',
            'type' => 'library',
            'install_path' => __DIR__ . '/../true/punycode',
            'aliases' => array(),
            'reference' => 'a4d0c11a36dd7f4e7cd7096076cab6d3378a071e',
            'dev_requirement' => false,
        ),
        'woocommerce/action-scheduler' => array(
            'pretty_version' => '3.4.2',
            'version' => '3.4.2.0',
            'type' => 'wordpress-plugin',
            'install_path' => __DIR__ . '/../woocommerce/action-scheduler',
            'aliases' => array(),
            'reference' => '7d8e830b6387410ccf11708194d3836f01cb2942',
            'dev_requirement' => false,
        ),
    ),
);
composer/platform_check.php000064400000001635151330736600012076 0ustar00<?php

// platform_check.php @generated by Composer

$issues = array();

if (!(PHP_VERSION_ID >= 50500)) {
    $issues[] = 'Your Composer dependencies require a PHP version ">= 5.5.0". You are running ' . PHP_VERSION . '.';
}

if ($issues) {
    if (!headers_sent()) {
        header('HTTP/1.1 500 Internal Server Error');
    }
    if (!ini_get('display_errors')) {
        if (PHP_SAPI === 'cli' || PHP_SAPI === 'phpdbg') {
            fwrite(STDERR, 'Composer detected issues in your platform:' . PHP_EOL.PHP_EOL . implode(PHP_EOL, $issues) . PHP_EOL.PHP_EOL);
        } elseif (!headers_sent()) {
            echo 'Composer detected issues in your platform:' . PHP_EOL.PHP_EOL . str_replace('You are running '.PHP_VERSION.'.', '', implode(PHP_EOL, $issues)) . PHP_EOL.PHP_EOL;
        }
    }
    trigger_error(
        'Composer detected issues in your platform: ' . implode(' ', $issues),
        E_USER_ERROR
    );
}
woocommerce/action-scheduler/classes/ActionScheduler_DataController.php000064400000012245151330736600022543 0ustar00<?php

use Action_Scheduler\Migration\Controller;

/**
 * Class ActionScheduler_DataController
 *
 * The main plugin/initialization class for the data stores.
 *
 * Responsible for hooking everything up with WordPress.
 *
 * @package Action_Scheduler
 *
 * @since 3.0.0
 */
class ActionScheduler_DataController {
	/** Action data store class name. */
	const DATASTORE_CLASS = 'ActionScheduler_DBStore';

	/** Logger data store class name. */
	const LOGGER_CLASS    = 'ActionScheduler_DBLogger';

	/** Migration status option name. */
	const STATUS_FLAG     = 'action_scheduler_migration_status';

	/** Migration status option value. */
	const STATUS_COMPLETE = 'complete';

	/** Migration minimum required PHP version. */
	const MIN_PHP_VERSION = '5.5';

	/** @var ActionScheduler_DataController */
	private static $instance;

	/** @var int */
	private static $sleep_time = 0;

	/** @var int */
	private static $free_ticks = 50;

	/**
	 * Get a flag indicating whether the migration environment dependencies are met.
	 *
	 * @return bool
	 */
	public static function dependencies_met() {
		$php_support = version_compare( PHP_VERSION, self::MIN_PHP_VERSION, '>=' );
		return $php_support && apply_filters( 'action_scheduler_migration_dependencies_met', true );
	}

	/**
	 * Get a flag indicating whether the migration is complete.
	 *
	 * @return bool Whether the flag has been set marking the migration as complete
	 */
	public static function is_migration_complete() {
		return get_option( self::STATUS_FLAG ) === self::STATUS_COMPLETE;
	}

	/**
	 * Mark the migration as complete.
	 */
	public static function mark_migration_complete() {
		update_option( self::STATUS_FLAG, self::STATUS_COMPLETE );
	}

	/**
	 * Unmark migration when a plugin is de-activated. Will not work in case of silent activation, for example in an update.
	 * We do this to mitigate the bug of lost actions which happens if there was an AS 2.x to AS 3.x migration in the past, but that plugin is now
	 * deactivated and the site was running on AS 2.x again.
	 */
	public static function mark_migration_incomplete() {
		delete_option( self::STATUS_FLAG );
	}

	/**
	 * Set the action store class name.
	 *
	 * @param string $class Classname of the store class.
	 *
	 * @return string
	 */
	public static function set_store_class( $class ) {
		return self::DATASTORE_CLASS;
	}

	/**
	 * Set the action logger class name.
	 *
	 * @param string $class Classname of the logger class.
	 *
	 * @return string
	 */
	public static function set_logger_class( $class ) {
		return self::LOGGER_CLASS;
	}

	/**
	 * Set the sleep time in seconds.
	 *
	 * @param integer $sleep_time The number of seconds to pause before resuming operation.
	 */
	public static function set_sleep_time( $sleep_time ) {
		self::$sleep_time = (int) $sleep_time;
	}

	/**
	 * Set the tick count required for freeing memory.
	 *
	 * @param integer $free_ticks The number of ticks to free memory on.
	 */
	public static function set_free_ticks( $free_ticks ) {
		self::$free_ticks = (int) $free_ticks;
	}

	/**
	 * Free memory if conditions are met.
	 *
	 * @param int $ticks Current tick count.
	 */
	public static function maybe_free_memory( $ticks ) {
		if ( self::$free_ticks && 0 === $ticks % self::$free_ticks ) {
			self::free_memory();
		}
	}

	/**
	 * Reduce memory footprint by clearing the database query and object caches.
	 */
	public static function free_memory() {
		if ( 0 < self::$sleep_time ) {
			/* translators: %d: amount of time */
			\WP_CLI::warning( sprintf( _n( 'Stopped the insanity for %d second', 'Stopped the insanity for %d seconds', self::$sleep_time, 'action-scheduler' ), self::$sleep_time ) );
			sleep( self::$sleep_time );
		}

		\WP_CLI::warning( __( 'Attempting to reduce used memory...', 'action-scheduler' ) );

		/**
		 * @var $wpdb            \wpdb
		 * @var $wp_object_cache \WP_Object_Cache
		 */
		global $wpdb, $wp_object_cache;

		$wpdb->queries = array();

		if ( ! is_a( $wp_object_cache, 'WP_Object_Cache' ) ) {
			return;
		}

		$wp_object_cache->group_ops      = array();
		$wp_object_cache->stats          = array();
		$wp_object_cache->memcache_debug = array();
		$wp_object_cache->cache          = array();

		if ( is_callable( array( $wp_object_cache, '__remoteset' ) ) ) {
			call_user_func( array( $wp_object_cache, '__remoteset' ) ); // important
		}
	}

	/**
	 * Connect to table datastores if migration is complete.
	 * Otherwise, proceed with the migration if the dependencies have been met.
	 */
	public static function init() {
		if ( self::is_migration_complete() ) {
			add_filter( 'action_scheduler_store_class', array( 'ActionScheduler_DataController', 'set_store_class' ), 100 );
			add_filter( 'action_scheduler_logger_class', array( 'ActionScheduler_DataController', 'set_logger_class' ), 100 );
			add_action( 'deactivate_plugin', array( 'ActionScheduler_DataController', 'mark_migration_incomplete' ) );
		} elseif ( self::dependencies_met() ) {
			Controller::init();
		}

		add_action( 'action_scheduler/progress_tick', array( 'ActionScheduler_DataController', 'maybe_free_memory' ) );
	}

	/**
	 * Singleton factory.
	 */
	public static function instance() {
		if ( ! isset( self::$instance ) ) {
			self::$instance = new static();
		}

		return self::$instance;
	}
}
woocommerce/action-scheduler/classes/schema/ActionScheduler_StoreSchema.php000064400000011033151330736600023275 0ustar00<?php

/**
 * Class ActionScheduler_StoreSchema
 *
 * @codeCoverageIgnore
 *
 * Creates custom tables for storing scheduled actions
 */
class ActionScheduler_StoreSchema extends ActionScheduler_Abstract_Schema {
	const ACTIONS_TABLE = 'actionscheduler_actions';
	const CLAIMS_TABLE  = 'actionscheduler_claims';
	const GROUPS_TABLE  = 'actionscheduler_groups';
	const DEFAULT_DATE  = '0000-00-00 00:00:00';

	/**
	 * @var int Increment this value to trigger a schema update.
	 */
	protected $schema_version = 6;

	public function __construct() {
		$this->tables = [
			self::ACTIONS_TABLE,
			self::CLAIMS_TABLE,
			self::GROUPS_TABLE,
		];
	}

	/**
	 * Performs additional setup work required to support this schema.
	 */
	public function init() {
		add_action( 'action_scheduler_before_schema_update', array( $this, 'update_schema_5_0' ), 10, 2 );
	}

	protected function get_table_definition( $table ) {
		global $wpdb;
		$table_name       = $wpdb->$table;
		$charset_collate  = $wpdb->get_charset_collate();
		$max_index_length = 191; // @see wp_get_db_schema()
		$default_date     = self::DEFAULT_DATE;
		switch ( $table ) {

			case self::ACTIONS_TABLE:

				return "CREATE TABLE {$table_name} (
				        action_id bigint(20) unsigned NOT NULL auto_increment,
				        hook varchar(191) NOT NULL,
				        status varchar(20) NOT NULL,
				        scheduled_date_gmt datetime NULL default '${default_date}',
				        scheduled_date_local datetime NULL default '${default_date}',
				        args varchar($max_index_length),
				        schedule longtext,
				        group_id bigint(20) unsigned NOT NULL default '0',
				        attempts int(11) NOT NULL default '0',
				        last_attempt_gmt datetime NULL default '${default_date}',
				        last_attempt_local datetime NULL default '${default_date}',
				        claim_id bigint(20) unsigned NOT NULL default '0',
				        extended_args varchar(8000) DEFAULT NULL,
				        PRIMARY KEY  (action_id),
				        KEY hook (hook($max_index_length)),
				        KEY status (status),
				        KEY scheduled_date_gmt (scheduled_date_gmt),
				        KEY args (args($max_index_length)),
				        KEY group_id (group_id),
				        KEY last_attempt_gmt (last_attempt_gmt),
				        KEY `claim_id_status_scheduled_date_gmt` (`claim_id`, `status`, `scheduled_date_gmt`)
				        ) $charset_collate";

			case self::CLAIMS_TABLE:

				return "CREATE TABLE {$table_name} (
				        claim_id bigint(20) unsigned NOT NULL auto_increment,
				        date_created_gmt datetime NULL default '${default_date}',
				        PRIMARY KEY  (claim_id),
				        KEY date_created_gmt (date_created_gmt)
				        ) $charset_collate";

			case self::GROUPS_TABLE:

				return "CREATE TABLE {$table_name} (
				        group_id bigint(20) unsigned NOT NULL auto_increment,
				        slug varchar(255) NOT NULL,
				        PRIMARY KEY  (group_id),
				        KEY slug (slug($max_index_length))
				        ) $charset_collate";

			default:
				return '';
		}
	}

	/**
	 * Update the actions table schema, allowing datetime fields to be NULL.
	 *
	 * This is needed because the NOT NULL constraint causes a conflict with some versions of MySQL
	 * configured with sql_mode=NO_ZERO_DATE, which can for instance lead to tables not being created.
	 *
	 * Most other schema updates happen via ActionScheduler_Abstract_Schema::update_table(), however
	 * that method relies on dbDelta() and this change is not possible when using that function.
	 *
	 * @param string $table Name of table being updated.
	 * @param string $db_version The existing schema version of the table.
	 */
	public function update_schema_5_0( $table, $db_version ) {
		global $wpdb;

		if ( 'actionscheduler_actions' !== $table || version_compare( $db_version, '5', '>=' ) ) {
			return;
		}

		// phpcs:disable WordPress.DB.PreparedSQL.InterpolatedNotPrepared
		$table_name   = $wpdb->prefix . 'actionscheduler_actions';
		$table_list   = $wpdb->get_col( "SHOW TABLES LIKE '${table_name}'" );
		$default_date = self::DEFAULT_DATE;

		if ( ! empty( $table_list ) ) {
			$query = "
				ALTER TABLE ${table_name}
				MODIFY COLUMN scheduled_date_gmt datetime NULL default '${default_date}',
				MODIFY COLUMN scheduled_date_local datetime NULL default '${default_date}',
				MODIFY COLUMN last_attempt_gmt datetime NULL default '${default_date}',
				MODIFY COLUMN last_attempt_local datetime NULL default '${default_date}'
		";
			$wpdb->query( $query ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
		}
		// phpcs:enable WordPress.DB.PreparedSQL.InterpolatedNotPrepared
	}
}
woocommerce/action-scheduler/classes/schema/ActionScheduler_LoggerSchema.php000064400000005464151330736600023433 0ustar00<?php

/**
 * Class ActionScheduler_LoggerSchema
 *
 * @codeCoverageIgnore
 *
 * Creates a custom table for storing action logs
 */
class ActionScheduler_LoggerSchema extends ActionScheduler_Abstract_Schema {
	const LOG_TABLE = 'actionscheduler_logs';

	/**
	 * @var int Increment this value to trigger a schema update.
	 */
	protected $schema_version = 3;

	public function __construct() {
		$this->tables = [
			self::LOG_TABLE,
		];
	}

	/**
	 * Performs additional setup work required to support this schema.
	 */
	public function init() {
		add_action( 'action_scheduler_before_schema_update', array( $this, 'update_schema_3_0' ), 10, 2 );
	}

	protected function get_table_definition( $table ) {
		global $wpdb;
		$table_name       = $wpdb->$table;
		$charset_collate  = $wpdb->get_charset_collate();
		switch ( $table ) {

			case self::LOG_TABLE:

				$default_date = ActionScheduler_StoreSchema::DEFAULT_DATE;
				return "CREATE TABLE {$table_name} (
				        log_id bigint(20) unsigned NOT NULL auto_increment,
				        action_id bigint(20) unsigned NOT NULL,
				        message text NOT NULL,
				        log_date_gmt datetime NULL default '${default_date}',
				        log_date_local datetime NULL default '${default_date}',
				        PRIMARY KEY  (log_id),
				        KEY action_id (action_id),
				        KEY log_date_gmt (log_date_gmt)
				        ) $charset_collate";

			default:
				return '';
		}
	}

	/**
	 * Update the logs table schema, allowing datetime fields to be NULL.
	 *
	 * This is needed because the NOT NULL constraint causes a conflict with some versions of MySQL
	 * configured with sql_mode=NO_ZERO_DATE, which can for instance lead to tables not being created.
	 *
	 * Most other schema updates happen via ActionScheduler_Abstract_Schema::update_table(), however
	 * that method relies on dbDelta() and this change is not possible when using that function.
	 *
	 * @param string $table Name of table being updated.
	 * @param string $db_version The existing schema version of the table.
	 */
	public function update_schema_3_0( $table, $db_version ) {
		global $wpdb;

		if ( 'actionscheduler_logs' !== $table || version_compare( $db_version, '3', '>=' ) ) {
			return;
		}

		// phpcs:disable WordPress.DB.PreparedSQL.InterpolatedNotPrepared
		$table_name   = $wpdb->prefix . 'actionscheduler_logs';
		$table_list   = $wpdb->get_col( "SHOW TABLES LIKE '${table_name}'" );
		$default_date = ActionScheduler_StoreSchema::DEFAULT_DATE;

		if ( ! empty( $table_list ) ) {
			$query = "
				ALTER TABLE ${table_name}
				MODIFY COLUMN log_date_gmt datetime NULL default '${default_date}',
				MODIFY COLUMN log_date_local datetime NULL default '${default_date}'
			";
			$wpdb->query( $query ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
		}
		// phpcs:enable WordPress.DB.PreparedSQL.InterpolatedNotPrepared
	}
}
woocommerce/action-scheduler/classes/WP_CLI/ActionScheduler_WPCLI_QueueRunner.php000064400000014245151330736600024061 0ustar00<?php

use Action_Scheduler\WP_CLI\ProgressBar;

/**
 * WP CLI Queue runner.
 *
 * This class can only be called from within a WP CLI instance.
 */
class ActionScheduler_WPCLI_QueueRunner extends ActionScheduler_Abstract_QueueRunner {

	/** @var array */
	protected $actions;

	/** @var  ActionScheduler_ActionClaim */
	protected $claim;

	/** @var \cli\progress\Bar */
	protected $progress_bar;

	/**
	 * ActionScheduler_WPCLI_QueueRunner constructor.
	 *
	 * @param ActionScheduler_Store             $store
	 * @param ActionScheduler_FatalErrorMonitor $monitor
	 * @param ActionScheduler_QueueCleaner      $cleaner
	 *
	 * @throws Exception When this is not run within WP CLI
	 */
	public function __construct( ActionScheduler_Store $store = null, ActionScheduler_FatalErrorMonitor $monitor = null, ActionScheduler_QueueCleaner $cleaner = null ) {
		if ( ! ( defined( 'WP_CLI' ) && WP_CLI ) ) {
			/* translators: %s php class name */
			throw new Exception( sprintf( __( 'The %s class can only be run within WP CLI.', 'action-scheduler' ), __CLASS__ ) );
		}

		parent::__construct( $store, $monitor, $cleaner );
	}

	/**
	 * Set up the Queue before processing.
	 *
	 * @author Jeremy Pry
	 *
	 * @param int    $batch_size The batch size to process.
	 * @param array  $hooks      The hooks being used to filter the actions claimed in this batch.
	 * @param string $group      The group of actions to claim with this batch.
	 * @param bool   $force      Whether to force running even with too many concurrent processes.
	 *
	 * @return int The number of actions that will be run.
	 * @throws \WP_CLI\ExitException When there are too many concurrent batches.
	 */
	public function setup( $batch_size, $hooks = array(), $group = '', $force = false ) {
		$this->run_cleanup();
		$this->add_hooks();

		// Check to make sure there aren't too many concurrent processes running.
		if ( $this->has_maximum_concurrent_batches() ) {
			if ( $force ) {
				WP_CLI::warning( __( 'There are too many concurrent batches, but the run is forced to continue.', 'action-scheduler' ) );
			} else {
				WP_CLI::error( __( 'There are too many concurrent batches.', 'action-scheduler' ) );
			}
		}

		// Stake a claim and store it.
		$this->claim = $this->store->stake_claim( $batch_size, null, $hooks, $group );
		$this->monitor->attach( $this->claim );
		$this->actions = $this->claim->get_actions();

		return count( $this->actions );
	}

	/**
	 * Add our hooks to the appropriate actions.
	 *
	 * @author Jeremy Pry
	 */
	protected function add_hooks() {
		add_action( 'action_scheduler_before_execute', array( $this, 'before_execute' ) );
		add_action( 'action_scheduler_after_execute', array( $this, 'after_execute' ), 10, 2 );
		add_action( 'action_scheduler_failed_execution', array( $this, 'action_failed' ), 10, 2 );
	}

	/**
	 * Set up the WP CLI progress bar.
	 *
	 * @author Jeremy Pry
	 */
	protected function setup_progress_bar() {
		$count              = count( $this->actions );
		$this->progress_bar = new ProgressBar(
			/* translators: %d: amount of actions */
			sprintf( _n( 'Running %d action', 'Running %d actions', $count, 'action-scheduler' ), number_format_i18n( $count ) ),
			$count
		);
	}

	/**
	 * Process actions in the queue.
	 *
	 * @author Jeremy Pry
	 *
	 * @param string $context Optional runner context. Default 'WP CLI'.
	 *
	 * @return int The number of actions processed.
	 */
	public function run( $context = 'WP CLI' ) {
		do_action( 'action_scheduler_before_process_queue' );
		$this->setup_progress_bar();
		foreach ( $this->actions as $action_id ) {
			// Error if we lost the claim.
			if ( ! in_array( $action_id, $this->store->find_actions_by_claim_id( $this->claim->get_id() ) ) ) {
				WP_CLI::warning( __( 'The claim has been lost. Aborting current batch.', 'action-scheduler' ) );
				break;
			}

			$this->process_action( $action_id, $context );
			$this->progress_bar->tick();
		}

		$completed = $this->progress_bar->current();
		$this->progress_bar->finish();
		$this->store->release_claim( $this->claim );
		do_action( 'action_scheduler_after_process_queue' );

		return $completed;
	}

	/**
	 * Handle WP CLI message when the action is starting.
	 *
	 * @author Jeremy Pry
	 *
	 * @param $action_id
	 */
	public function before_execute( $action_id ) {
		/* translators: %s refers to the action ID */
		WP_CLI::log( sprintf( __( 'Started processing action %s', 'action-scheduler' ), $action_id ) );
	}

	/**
	 * Handle WP CLI message when the action has completed.
	 *
	 * @author Jeremy Pry
	 *
	 * @param int $action_id
	 * @param null|ActionScheduler_Action $action The instance of the action. Default to null for backward compatibility.
	 */
	public function after_execute( $action_id, $action = null ) {
		// backward compatibility
		if ( null === $action ) {
			$action = $this->store->fetch_action( $action_id );
		}
		/* translators: 1: action ID 2: hook name */
		WP_CLI::log( sprintf( __( 'Completed processing action %1$s with hook: %2$s', 'action-scheduler' ), $action_id, $action->get_hook() ) );
	}

	/**
	 * Handle WP CLI message when the action has failed.
	 *
	 * @author Jeremy Pry
	 *
	 * @param int       $action_id
	 * @param Exception $exception
	 * @throws \WP_CLI\ExitException With failure message.
	 */
	public function action_failed( $action_id, $exception ) {
		WP_CLI::error(
			/* translators: 1: action ID 2: exception message */
			sprintf( __( 'Error processing action %1$s: %2$s', 'action-scheduler' ), $action_id, $exception->getMessage() ),
			false
		);
	}

	/**
	 * Sleep and help avoid hitting memory limit
	 *
	 * @param int $sleep_time Amount of seconds to sleep
	 * @deprecated 3.0.0
	 */
	protected function stop_the_insanity( $sleep_time = 0 ) {
		_deprecated_function( 'ActionScheduler_WPCLI_QueueRunner::stop_the_insanity', '3.0.0', 'ActionScheduler_DataController::free_memory' );

		ActionScheduler_DataController::free_memory();
	}

	/**
	 * Maybe trigger the stop_the_insanity() method to free up memory.
	 */
	protected function maybe_stop_the_insanity() {
		// The value returned by progress_bar->current() might be padded. Remove padding, and convert to int.
		$current_iteration = intval( trim( $this->progress_bar->current() ) );
		if ( 0 === $current_iteration % 50 ) {
			$this->stop_the_insanity();
		}
	}
}
woocommerce/action-scheduler/classes/WP_CLI/Migration_Command.php000064400000011304151330736600021071 0ustar00<?php


namespace Action_Scheduler\WP_CLI;

use Action_Scheduler\Migration\Config;
use Action_Scheduler\Migration\Runner;
use Action_Scheduler\Migration\Scheduler;
use Action_Scheduler\Migration\Controller;
use WP_CLI;
use WP_CLI_Command;

/**
 * Class Migration_Command
 *
 * @package Action_Scheduler\WP_CLI
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class Migration_Command extends WP_CLI_Command {

	/** @var int */
	private $total_processed = 0;

	/**
	 * Register the command with WP-CLI
	 */
	public function register() {
		if ( ! defined( 'WP_CLI' ) || ! WP_CLI ) {
			return;
		}

		WP_CLI::add_command( 'action-scheduler migrate', [ $this, 'migrate' ], [
			'shortdesc' => 'Migrates actions to the DB tables store',
			'synopsis'  => [
				[
					'type'        => 'assoc',
					'name'        => 'batch-size',
					'optional'    => true,
					'default'     => 100,
					'description' => 'The number of actions to process in each batch',
				],
				[
					'type'        => 'assoc',
					'name'        => 'free-memory-on',
					'optional'    => true,
					'default'     => 50,
					'description' => 'The number of actions to process between freeing memory. 0 disables freeing memory',
				],
				[
					'type'        => 'assoc',
					'name'        => 'pause',
					'optional'    => true,
					'default'     => 0,
					'description' => 'The number of seconds to pause when freeing memory',
				],
				[
					'type'        => 'flag',
					'name'        => 'dry-run',
					'optional'    => true,
					'description' => 'Reports on the actions that would have been migrated, but does not change any data',
				],
			],
		] );
	}

	/**
	 * Process the data migration.
	 *
	 * @param array $positional_args Required for WP CLI. Not used in migration.
	 * @param array $assoc_args Optional arguments.
	 *
	 * @return void
	 */
	public function migrate( $positional_args, $assoc_args ) {
		$this->init_logging();

		$config = $this->get_migration_config( $assoc_args );
		$runner = new Runner( $config );
		$runner->init_destination();

		$batch_size = isset( $assoc_args[ 'batch-size' ] ) ? (int) $assoc_args[ 'batch-size' ] : 100;
		$free_on    = isset( $assoc_args[ 'free-memory-on' ] ) ? (int) $assoc_args[ 'free-memory-on' ] : 50;
		$sleep      = isset( $assoc_args[ 'pause' ] ) ? (int) $assoc_args[ 'pause' ] : 0;
		\ActionScheduler_DataController::set_free_ticks( $free_on );
		\ActionScheduler_DataController::set_sleep_time( $sleep );

		do {
			$actions_processed     = $runner->run( $batch_size );
			$this->total_processed += $actions_processed;
		} while ( $actions_processed > 0 );

		if ( ! $config->get_dry_run() ) {
			// let the scheduler know that there's nothing left to do
			$scheduler = new Scheduler();
			$scheduler->mark_complete();
		}

		WP_CLI::success( sprintf( '%s complete. %d actions processed.', $config->get_dry_run() ? 'Dry run' : 'Migration', $this->total_processed ) );
	}

	/**
	 * Build the config object used to create the Runner
	 *
	 * @param array $args Optional arguments.
	 *
	 * @return ActionScheduler\Migration\Config
	 */
	private function get_migration_config( $args ) {
		$args = wp_parse_args( $args, [
			'dry-run' => false,
		] );

		$config = Controller::instance()->get_migration_config_object();
		$config->set_dry_run( ! empty( $args[ 'dry-run' ] ) );

		return $config;
	}

	/**
	 * Hook command line logging into migration actions.
	 */
	private function init_logging() {
		add_action( 'action_scheduler/migrate_action_dry_run', function ( $action_id ) {
			WP_CLI::debug( sprintf( 'Dry-run: migrated action %d', $action_id ) );
		}, 10, 1 );
		add_action( 'action_scheduler/no_action_to_migrate', function ( $action_id ) {
			WP_CLI::debug( sprintf( 'No action found to migrate for ID %d', $action_id ) );
		}, 10, 1 );
		add_action( 'action_scheduler/migrate_action_failed', function ( $action_id ) {
			WP_CLI::warning( sprintf( 'Failed migrating action with ID %d', $action_id ) );
		}, 10, 1 );
		add_action( 'action_scheduler/migrate_action_incomplete', function ( $source_id, $destination_id ) {
			WP_CLI::warning( sprintf( 'Unable to remove source action with ID %d after migrating to new ID %d', $source_id, $destination_id ) );
		}, 10, 2 );
		add_action( 'action_scheduler/migrated_action', function ( $source_id, $destination_id ) {
			WP_CLI::debug( sprintf( 'Migrated source action with ID %d to new store with ID %d', $source_id, $destination_id ) );
		}, 10, 2 );
		add_action( 'action_scheduler/migration_batch_starting', function ( $batch ) {
			WP_CLI::debug( 'Beginning migration of batch: ' . print_r( $batch, true ) );
		}, 10, 1 );
		add_action( 'action_scheduler/migration_batch_complete', function ( $batch ) {
			WP_CLI::log( sprintf( 'Completed migration of %d actions', count( $batch ) ) );
		}, 10, 1 );
	}
}
woocommerce/action-scheduler/classes/WP_CLI/ProgressBar.php000064400000004720151330736600017737 0ustar00<?php

namespace Action_Scheduler\WP_CLI;

/**
 * WP_CLI progress bar for Action Scheduler.
 */

/**
 * Class ProgressBar
 *
 * @package Action_Scheduler\WP_CLI
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class ProgressBar {

	/** @var integer */
	protected $total_ticks;

	/** @var integer */
	protected $count;

	/** @var integer */
	protected $interval;

	/** @var string */
	protected $message;

	/** @var \cli\progress\Bar */
	protected $progress_bar;

	/**
	 * ProgressBar constructor.
	 *
	 * @param string  $message    Text to display before the progress bar.
	 * @param integer $count      Total number of ticks to be performed.
	 * @param integer $interval   Optional. The interval in milliseconds between updates. Default 100.
 	 *
	 * @throws Exception When this is not run within WP CLI
	 */
	public function __construct( $message, $count, $interval = 100 ) {
		if ( ! ( defined( 'WP_CLI' ) && WP_CLI ) ) {
			/* translators: %s php class name */
			throw new \Exception( sprintf( __( 'The %s class can only be run within WP CLI.', 'action-scheduler' ), __CLASS__ ) );
		}

		$this->total_ticks = 0;
		$this->message     = $message;
		$this->count       = $count;
		$this->interval    = $interval;
	}

	/**
	 * Increment the progress bar ticks.
	 */
	public function tick() {
		if ( null === $this->progress_bar ) {
			$this->setup_progress_bar();
		}

		$this->progress_bar->tick();
		$this->total_ticks++;

		do_action( 'action_scheduler/progress_tick', $this->total_ticks );
	}

	/**
	 * Get the progress bar tick count.
	 *
	 * @return int
	 */
	public function current() {
		return $this->progress_bar ? $this->progress_bar->current() : 0;
	}

	/**
	 * Finish the current progress bar.
	 */
	public function finish() {
		if ( null !== $this->progress_bar ) {
			$this->progress_bar->finish();
		}

		$this->progress_bar = null;
	}

	/**
	 * Set the message used when creating the progress bar.
	 *
	 * @param string $message The message to be used when the next progress bar is created.
	 */
	public function set_message( $message ) {
		$this->message = $message;
	}

	/**
	 * Set the count for a new progress bar.
	 *
	 * @param integer $count The total number of ticks expected to complete.
	 */
	public function set_count( $count ) {
		$this->count = $count;
		$this->finish();
	}

	/**
	 * Set up the progress bar.
	 */
	protected function setup_progress_bar() {
		$this->progress_bar = \WP_CLI\Utils\make_progress_bar(
			$this->message,
			$this->count,
			$this->interval
		);
	}
}
woocommerce/action-scheduler/classes/WP_CLI/ActionScheduler_WPCLI_Scheduler_command.php000064400000013405151330736600025214 0ustar00<?php

/**
 * Commands for Action Scheduler.
 */
class ActionScheduler_WPCLI_Scheduler_command extends WP_CLI_Command {

	/**
	 * Force tables schema creation for Action Scheduler
	 *
	 * ## OPTIONS
	 *
	 * @param array $args Positional arguments.
	 * @param array $assoc_args Keyed arguments.
	 *
	 * @subcommand fix-schema
	 */
	public function fix_schema( $args, $assoc_args ) {
		$schema_classes = array( ActionScheduler_LoggerSchema::class, ActionScheduler_StoreSchema::class );

		foreach ( $schema_classes as $classname ) {
			if ( is_subclass_of( $classname, ActionScheduler_Abstract_Schema::class ) ) {
				$obj = new $classname();
				$obj->init();
				$obj->register_tables( true );

				WP_CLI::success(
					sprintf(
						/* translators: %s refers to the schema name*/
						__( 'Registered schema for %s', 'action-scheduler' ),
						$classname
					)
				);
			}
		}
	}

	/**
	 * Run the Action Scheduler
	 *
	 * ## OPTIONS
	 *
	 * [--batch-size=<size>]
	 * : The maximum number of actions to run. Defaults to 100.
	 *
	 * [--batches=<size>]
	 * : Limit execution to a number of batches. Defaults to 0, meaning batches will continue being executed until all actions are complete.
	 *
	 * [--cleanup-batch-size=<size>]
	 * : The maximum number of actions to clean up. Defaults to the value of --batch-size.
	 *
	 * [--hooks=<hooks>]
	 * : Only run actions with the specified hook. Omitting this option runs actions with any hook. Define multiple hooks as a comma separated string (without spaces), e.g. `--hooks=hook_one,hook_two,hook_three`
	 *
	 * [--group=<group>]
	 * : Only run actions from the specified group. Omitting this option runs actions from all groups.
	 *
	 * [--free-memory-on=<count>]
	 * : The number of actions to process between freeing memory. 0 disables freeing memory. Default 50.
	 *
	 * [--pause=<seconds>]
	 * : The number of seconds to pause when freeing memory. Default no pause.
	 *
	 * [--force]
	 * : Whether to force execution despite the maximum number of concurrent processes being exceeded.
	 *
	 * @param array $args Positional arguments.
	 * @param array $assoc_args Keyed arguments.
	 * @throws \WP_CLI\ExitException When an error occurs.
	 *
	 * @subcommand run
	 */
	public function run( $args, $assoc_args ) {
		// Handle passed arguments.
		$batch   = absint( \WP_CLI\Utils\get_flag_value( $assoc_args, 'batch-size', 100 ) );
		$batches = absint( \WP_CLI\Utils\get_flag_value( $assoc_args, 'batches', 0 ) );
		$clean   = absint( \WP_CLI\Utils\get_flag_value( $assoc_args, 'cleanup-batch-size', $batch ) );
		$hooks   = explode( ',', WP_CLI\Utils\get_flag_value( $assoc_args, 'hooks', '' ) );
		$hooks   = array_filter( array_map( 'trim', $hooks ) );
		$group   = \WP_CLI\Utils\get_flag_value( $assoc_args, 'group', '' );
		$free_on = \WP_CLI\Utils\get_flag_value( $assoc_args, 'free-memory-on', 50 );
		$sleep   = \WP_CLI\Utils\get_flag_value( $assoc_args, 'pause', 0 );
		$force   = \WP_CLI\Utils\get_flag_value( $assoc_args, 'force', false );

		ActionScheduler_DataController::set_free_ticks( $free_on );
		ActionScheduler_DataController::set_sleep_time( $sleep );

		$batches_completed = 0;
		$actions_completed = 0;
		$unlimited         = $batches === 0;

		try {
			// Custom queue cleaner instance.
			$cleaner = new ActionScheduler_QueueCleaner( null, $clean );

			// Get the queue runner instance
			$runner = new ActionScheduler_WPCLI_QueueRunner( null, null, $cleaner );

			// Determine how many tasks will be run in the first batch.
			$total = $runner->setup( $batch, $hooks, $group, $force );

			// Run actions for as long as possible.
			while ( $total > 0 ) {
				$this->print_total_actions( $total );
				$actions_completed += $runner->run();
				$batches_completed++;

				// Maybe set up tasks for the next batch.
				$total = ( $unlimited || $batches_completed < $batches ) ? $runner->setup( $batch, $hooks, $group, $force ) : 0;
			}
		} catch ( Exception $e ) {
			$this->print_error( $e );
		}

		$this->print_total_batches( $batches_completed );
		$this->print_success( $actions_completed );
	}

	/**
	 * Print WP CLI message about how many actions are about to be processed.
	 *
	 * @author Jeremy Pry
	 *
	 * @param int $total
	 */
	protected function print_total_actions( $total ) {
		WP_CLI::log(
			sprintf(
				/* translators: %d refers to how many scheduled taks were found to run */
				_n( 'Found %d scheduled task', 'Found %d scheduled tasks', $total, 'action-scheduler' ),
				number_format_i18n( $total )
			)
		);
	}

	/**
	 * Print WP CLI message about how many batches of actions were processed.
	 *
	 * @author Jeremy Pry
	 *
	 * @param int $batches_completed
	 */
	protected function print_total_batches( $batches_completed ) {
		WP_CLI::log(
			sprintf(
				/* translators: %d refers to the total number of batches executed */
				_n( '%d batch executed.', '%d batches executed.', $batches_completed, 'action-scheduler' ),
				number_format_i18n( $batches_completed )
			)
		);
	}

	/**
	 * Convert an exception into a WP CLI error.
	 *
	 * @author Jeremy Pry
	 *
	 * @param Exception $e The error object.
	 *
	 * @throws \WP_CLI\ExitException
	 */
	protected function print_error( Exception $e ) {
		WP_CLI::error(
			sprintf(
				/* translators: %s refers to the exception error message */
				__( 'There was an error running the action scheduler: %s', 'action-scheduler' ),
				$e->getMessage()
			)
		);
	}

	/**
	 * Print a success message with the number of completed actions.
	 *
	 * @author Jeremy Pry
	 *
	 * @param int $actions_completed
	 */
	protected function print_success( $actions_completed ) {
		WP_CLI::success(
			sprintf(
				/* translators: %d refers to the total number of taskes completed */
				_n( '%d scheduled task completed.', '%d scheduled tasks completed.', $actions_completed, 'action-scheduler' ),
				number_format_i18n( $actions_completed )
			)
		);
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_Versions.php000064400000002357151330736600021441 0ustar00<?php

/**
 * Class ActionScheduler_Versions
 */
class ActionScheduler_Versions {
	/**
	 * @var ActionScheduler_Versions
	 */
	private static $instance = NULL;

	private $versions = array();

	public function register( $version_string, $initialization_callback ) {
		if ( isset($this->versions[$version_string]) ) {
			return FALSE;
		}
		$this->versions[$version_string] = $initialization_callback;
		return TRUE;
	}

	public function get_versions() {
		return $this->versions;
	}

	public function latest_version() {
		$keys = array_keys($this->versions);
		if ( empty($keys) ) {
			return false;
		}
		uasort( $keys, 'version_compare' );
		return end($keys);
	}

	public function latest_version_callback() {
		$latest = $this->latest_version();
		if ( empty($latest) || !isset($this->versions[$latest]) ) {
			return '__return_null';
		}
		return $this->versions[$latest];
	}

	/**
	 * @return ActionScheduler_Versions
	 * @codeCoverageIgnore
	 */
	public static function instance() {
		if ( empty(self::$instance) ) {
			self::$instance = new self();
		}
		return self::$instance;
	}

	/**
	 * @codeCoverageIgnore
	 */
	public static function initialize_latest_version() {
		$self = self::instance();
		call_user_func($self->latest_version_callback());
	}
}
 woocommerce/action-scheduler/classes/ActionScheduler_Compatibility.php000064400000007065151330736600022443 0ustar00<?php

/**
 * Class ActionScheduler_Compatibility
 */
class ActionScheduler_Compatibility {

	/**
	 * Converts a shorthand byte value to an integer byte value.
	 *
	 * Wrapper for wp_convert_hr_to_bytes(), moved to load.php in WordPress 4.6 from media.php
	 *
	 * @link https://secure.php.net/manual/en/function.ini-get.php
	 * @link https://secure.php.net/manual/en/faq.using.php#faq.using.shorthandbytes
	 *
	 * @param string $value A (PHP ini) byte value, either shorthand or ordinary.
	 * @return int An integer byte value.
	 */
	public static function convert_hr_to_bytes( $value ) {
		if ( function_exists( 'wp_convert_hr_to_bytes' ) ) {
			return wp_convert_hr_to_bytes( $value );
		}

		$value = strtolower( trim( $value ) );
		$bytes = (int) $value;

		if ( false !== strpos( $value, 'g' ) ) {
			$bytes *= GB_IN_BYTES;
		} elseif ( false !== strpos( $value, 'm' ) ) {
			$bytes *= MB_IN_BYTES;
		} elseif ( false !== strpos( $value, 'k' ) ) {
			$bytes *= KB_IN_BYTES;
		}

		// Deal with large (float) values which run into the maximum integer size.
		return min( $bytes, PHP_INT_MAX );
	}

	/**
	 * Attempts to raise the PHP memory limit for memory intensive processes.
	 *
	 * Only allows raising the existing limit and prevents lowering it.
	 *
	 * Wrapper for wp_raise_memory_limit(), added in WordPress v4.6.0
	 *
	 * @return bool|int|string The limit that was set or false on failure.
	 */
	public static function raise_memory_limit() {
		if ( function_exists( 'wp_raise_memory_limit' ) ) {
			return wp_raise_memory_limit( 'admin' );
		}

		$current_limit     = @ini_get( 'memory_limit' );
		$current_limit_int = self::convert_hr_to_bytes( $current_limit );

		if ( -1 === $current_limit_int ) {
			return false;
		}

		$wp_max_limit       = WP_MAX_MEMORY_LIMIT;
		$wp_max_limit_int   = self::convert_hr_to_bytes( $wp_max_limit );
		$filtered_limit     = apply_filters( 'admin_memory_limit', $wp_max_limit );
		$filtered_limit_int = self::convert_hr_to_bytes( $filtered_limit );

		if ( -1 === $filtered_limit_int || ( $filtered_limit_int > $wp_max_limit_int && $filtered_limit_int > $current_limit_int ) ) {
			if ( false !== @ini_set( 'memory_limit', $filtered_limit ) ) {
				return $filtered_limit;
			} else {
				return false;
			}
		} elseif ( -1 === $wp_max_limit_int || $wp_max_limit_int > $current_limit_int ) {
			if ( false !== @ini_set( 'memory_limit', $wp_max_limit ) ) {
				return $wp_max_limit;
			} else {
				return false;
			}
		}
		return false;
	}

	/**
	 * Attempts to raise the PHP timeout for time intensive processes.
	 *
	 * Only allows raising the existing limit and prevents lowering it. Wrapper for wc_set_time_limit(), when available.
	 *
	 * @param int $limit The time limit in seconds.
	 */
	public static function raise_time_limit( $limit = 0 ) {
		$limit = (int) $limit;
		$max_execution_time = (int) ini_get( 'max_execution_time' );

		/*
		 * If the max execution time is already unlimited (zero), or if it exceeds or is equal to the proposed
		 * limit, there is no reason for us to make further changes (we never want to lower it).
		 */
		if (
			0 === $max_execution_time
			|| ( $max_execution_time >= $limit && $limit !== 0 )
		) {
			return;
		}

		if ( function_exists( 'wc_set_time_limit' ) ) {
			wc_set_time_limit( $limit );
		} elseif ( function_exists( 'set_time_limit' ) && false === strpos( ini_get( 'disable_functions' ), 'set_time_limit' ) && ! ini_get( 'safe_mode' ) ) { // phpcs:ignore PHPCompatibility.IniDirectives.RemovedIniDirectives.safe_modeDeprecatedRemoved
			@set_time_limit( $limit ); // phpcs:ignore WordPress.PHP.NoSilencedErrors.Discouraged
		}
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_LogEntry.php000064400000003344151330736600021371 0ustar00<?php

/**
 * Class ActionScheduler_LogEntry
 */
class ActionScheduler_LogEntry {

	/**
	 * @var int $action_id
	 */
	protected $action_id =  '';

	/**
	 * @var string $message
	 */
	protected $message =  '';

	/**
	 * @var Datetime $date
	 */
	protected $date;

	/**
	 * Constructor
	 *
	 * @param mixed  $action_id Action ID
	 * @param string $message   Message
	 * @param Datetime $date    Datetime object with the time when this log entry was created. If this parameter is
	 *                          not provided a new Datetime object (with current time) will be created.
	 */
	public function __construct( $action_id, $message, $date = null ) {

		/*
		 * ActionScheduler_wpCommentLogger::get_entry() previously passed a 3rd param of $comment->comment_type
		 * to ActionScheduler_LogEntry::__construct(), goodness knows why, and the Follow-up Emails plugin
		 * hard-codes loading its own version of ActionScheduler_wpCommentLogger with that out-dated method,
		 * goodness knows why, so we need to guard against that here instead of using a DateTime type declaration
		 * for the constructor's 3rd param of $date and causing a fatal error with older versions of FUE.
		 */
		if ( null !== $date && ! is_a( $date, 'DateTime' ) ) {
			_doing_it_wrong( __METHOD__, 'The third parameter must be a valid DateTime instance, or null.', '2.0.0' );
			$date = null;
		}

		$this->action_id = $action_id;
		$this->message   = $message;
		$this->date      = $date ? $date : new Datetime;
	}

	/**
	 * Returns the date when this log entry was created
	 *
	 * @return Datetime
	 */
	public function get_date() {
		return $this->date;
	}

	public function get_action_id() {
		return $this->action_id;
	}

	public function get_message() {
		return $this->message;
	}
}

woocommerce/action-scheduler/classes/ActionScheduler_AdminView.php000064400000012505151330736600021510 0ustar00<?php

/**
 * Class ActionScheduler_AdminView
 * @codeCoverageIgnore
 */
class ActionScheduler_AdminView extends ActionScheduler_AdminView_Deprecated {

	private static $admin_view = NULL;

	private static $screen_id = 'tools_page_action-scheduler';

	/** @var ActionScheduler_ListTable */
	protected $list_table;

	/**
	 * @return ActionScheduler_AdminView
	 * @codeCoverageIgnore
	 */
	public static function instance() {

		if ( empty( self::$admin_view ) ) {
			$class = apply_filters('action_scheduler_admin_view_class', 'ActionScheduler_AdminView');
			self::$admin_view = new $class();
		}

		return self::$admin_view;
	}

	/**
	 * @codeCoverageIgnore
	 */
	public function init() {
		if ( is_admin() && ( ! defined( 'DOING_AJAX' ) || false == DOING_AJAX ) ) {

			if ( class_exists( 'WooCommerce' ) ) {
				add_action( 'woocommerce_admin_status_content_action-scheduler', array( $this, 'render_admin_ui' ) );
				add_action( 'woocommerce_system_status_report', array( $this, 'system_status_report' ) );
				add_filter( 'woocommerce_admin_status_tabs', array( $this, 'register_system_status_tab' ) );
			}

			add_action( 'admin_menu', array( $this, 'register_menu' ) );

			add_action( 'current_screen', array( $this, 'add_help_tabs' ) );
		}
	}

	public function system_status_report() {
		$table = new ActionScheduler_wcSystemStatus( ActionScheduler::store() );
		$table->render();
	}

	/**
	 * Registers action-scheduler into WooCommerce > System status.
	 *
	 * @param array $tabs An associative array of tab key => label.
	 * @return array $tabs An associative array of tab key => label, including Action Scheduler's tabs
	 */
	public function register_system_status_tab( array $tabs ) {
		$tabs['action-scheduler'] = __( 'Scheduled Actions', 'action-scheduler' );

		return $tabs;
	}

	/**
	 * Include Action Scheduler's administration under the Tools menu.
	 *
	 * A menu under the Tools menu is important for backward compatibility (as that's
	 * where it started), and also provides more convenient access than the WooCommerce
	 * System Status page, and for sites where WooCommerce isn't active.
	 */
	public function register_menu() {
		$hook_suffix = add_submenu_page(
			'tools.php',
			__( 'Scheduled Actions', 'action-scheduler' ),
			__( 'Scheduled Actions', 'action-scheduler' ),
			'manage_options',
			'action-scheduler',
			array( $this, 'render_admin_ui' )
		);
		add_action( 'load-' . $hook_suffix , array( $this, 'process_admin_ui' ) );
	}

	/**
	 * Triggers processing of any pending actions.
	 */
	public function process_admin_ui() {
		$this->get_list_table();
	}

	/**
	 * Renders the Admin UI
	 */
	public function render_admin_ui() {
		$table = $this->get_list_table();
		$table->display_page();
	}

	/**
	 * Get the admin UI object and process any requested actions.
	 *
	 * @return ActionScheduler_ListTable
	 */
	protected function get_list_table() {
		if ( null === $this->list_table ) {
			$this->list_table = new ActionScheduler_ListTable( ActionScheduler::store(), ActionScheduler::logger(), ActionScheduler::runner() );
			$this->list_table->process_actions();
		}

		return $this->list_table;
	}

	/**
	 * Provide more information about the screen and its data in the help tab.
	 */
	public function add_help_tabs() {
		$screen = get_current_screen();

		if ( ! $screen || self::$screen_id != $screen->id ) {
			return;
		}

		$as_version = ActionScheduler_Versions::instance()->latest_version();
		$screen->add_help_tab(
			array(
				'id'      => 'action_scheduler_about',
				'title'   => __( 'About', 'action-scheduler' ),
				'content' =>
					'<h2>' . sprintf( __( 'About Action Scheduler %s', 'action-scheduler' ), $as_version ) . '</h2>' .
					'<p>' .
						__( 'Action Scheduler is a scalable, traceable job queue for background processing large sets of actions. Action Scheduler works by triggering an action hook to run at some time in the future. Scheduled actions can also be scheduled to run on a recurring schedule.', 'action-scheduler' ) .
					'</p>',
			)
		);

		$screen->add_help_tab(
			array(
				'id'      => 'action_scheduler_columns',
				'title'   => __( 'Columns', 'action-scheduler' ),
				'content' =>
					'<h2>' . __( 'Scheduled Action Columns', 'action-scheduler' ) . '</h2>' .
					'<ul>' .
					sprintf( '<li><strong>%1$s</strong>: %2$s</li>', __( 'Hook', 'action-scheduler' ), __( 'Name of the action hook that will be triggered.', 'action-scheduler' ) ) .
					sprintf( '<li><strong>%1$s</strong>: %2$s</li>', __( 'Status', 'action-scheduler' ), __( 'Action statuses are Pending, Complete, Canceled, Failed', 'action-scheduler' ) ) .
					sprintf( '<li><strong>%1$s</strong>: %2$s</li>', __( 'Arguments', 'action-scheduler' ), __( 'Optional data array passed to the action hook.', 'action-scheduler' ) ) .
					sprintf( '<li><strong>%1$s</strong>: %2$s</li>', __( 'Group', 'action-scheduler' ), __( 'Optional action group.', 'action-scheduler' ) ) .
					sprintf( '<li><strong>%1$s</strong>: %2$s</li>', __( 'Recurrence', 'action-scheduler' ), __( 'The action\'s schedule frequency.', 'action-scheduler' ) ) .
					sprintf( '<li><strong>%1$s</strong>: %2$s</li>', __( 'Scheduled', 'action-scheduler' ), __( 'The date/time the action is/was scheduled to run.', 'action-scheduler' ) ) .
					sprintf( '<li><strong>%1$s</strong>: %2$s</li>', __( 'Log', 'action-scheduler' ), __( 'Activity log for the action.', 'action-scheduler' ) ) .
					'</ul>',
			)
		);
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_WPCommentCleaner.php000064400000010470151330736600022767 0ustar00<?php

/**
 * Class ActionScheduler_WPCommentCleaner
 *
 * @since 3.0.0
 */
class ActionScheduler_WPCommentCleaner {

	/**
	 * Post migration hook used to cleanup the WP comment table.
	 *
	 * @var string
	 */
	protected static $cleanup_hook = 'action_scheduler/cleanup_wp_comment_logs';

	/**
	 * An instance of the ActionScheduler_wpCommentLogger class to interact with the comments table.
	 *
	 * This instance should only be used as an interface. It should not be initialized.
	 *
	 * @var ActionScheduler_wpCommentLogger
	 */
	protected static $wp_comment_logger = null;

	/**
	 * The key used to store the cached value of whether there are logs in the WP comment table.
	 *
	 * @var string
	 */
	protected static $has_logs_option_key = 'as_has_wp_comment_logs';

	/**
	 * Initialize the class and attach callbacks.
	 */
	public static function init() {
		if ( empty( self::$wp_comment_logger ) ) {
			self::$wp_comment_logger = new ActionScheduler_wpCommentLogger();
		}

		add_action( self::$cleanup_hook, array( __CLASS__, 'delete_all_action_comments' ) );

		// While there are orphaned logs left in the comments table, we need to attach the callbacks which filter comment counts.
		add_action( 'pre_get_comments', array( self::$wp_comment_logger, 'filter_comment_queries' ), 10, 1 );
		add_action( 'wp_count_comments', array( self::$wp_comment_logger, 'filter_comment_count' ), 20, 2 ); // run after WC_Comments::wp_count_comments() to make sure we exclude order notes and action logs
		add_action( 'comment_feed_where', array( self::$wp_comment_logger, 'filter_comment_feed' ), 10, 2 );

		// Action Scheduler may be displayed as a Tools screen or WooCommerce > Status administration screen
		add_action( 'load-tools_page_action-scheduler', array( __CLASS__, 'register_admin_notice' ) );
		add_action( 'load-woocommerce_page_wc-status', array( __CLASS__, 'register_admin_notice' ) );
	}

	/**
	 * Determines if there are log entries in the wp comments table.
	 *
	 * Uses the flag set on migration completion set by @see self::maybe_schedule_cleanup().
	 *
	 * @return boolean Whether there are scheduled action comments in the comments table.
	 */
	public static function has_logs() {
		return 'yes' === get_option( self::$has_logs_option_key );
	}

	/**
	 * Schedules the WP Post comment table cleanup to run in 6 months if it's not already scheduled.
	 * Attached to the migration complete hook 'action_scheduler/migration_complete'.
	 */
	public static function maybe_schedule_cleanup() {
		if ( (bool) get_comments( array( 'type' => ActionScheduler_wpCommentLogger::TYPE, 'number' => 1, 'fields' => 'ids' ) ) ) {
			update_option( self::$has_logs_option_key, 'yes' );

			if ( ! as_next_scheduled_action( self::$cleanup_hook ) ) {
				as_schedule_single_action( gmdate( 'U' ) + ( 6 * MONTH_IN_SECONDS ), self::$cleanup_hook );
			}
		}
	}

	/**
	 * Delete all action comments from the WP Comments table.
	 */
	public static function delete_all_action_comments() {
		global $wpdb;
		$wpdb->delete( $wpdb->comments, array( 'comment_type' => ActionScheduler_wpCommentLogger::TYPE, 'comment_agent' => ActionScheduler_wpCommentLogger::AGENT ) );
		delete_option( self::$has_logs_option_key );
	}

	/**
	 * Registers admin notices about the orphaned action logs.
	 */
	public static function register_admin_notice() {
		add_action( 'admin_notices', array( __CLASS__, 'print_admin_notice' ) );
	}
	
	/**
	 * Prints details about the orphaned action logs and includes information on where to learn more.
	 */
	public static function print_admin_notice() {
		$next_cleanup_message        = '';
		$next_scheduled_cleanup_hook = as_next_scheduled_action( self::$cleanup_hook );

		if ( $next_scheduled_cleanup_hook ) {
			/* translators: %s: date interval */
			$next_cleanup_message = sprintf( __( 'This data will be deleted in %s.', 'action-scheduler' ), human_time_diff( gmdate( 'U' ), $next_scheduled_cleanup_hook ) );
		}

		$notice = sprintf(
			/* translators: 1: next cleanup message 2: github issue URL */
			__( 'Action Scheduler has migrated data to custom tables; however, orphaned log entries exist in the WordPress Comments table. %1$s <a href="%2$s">Learn more &raquo;</a>', 'action-scheduler' ),
			$next_cleanup_message,
			'https://github.com/woocommerce/action-scheduler/issues/368'
		);

		echo '<div class="notice notice-warning"><p>' . wp_kses_post( $notice ) . '</p></div>';
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_Exception.php000064400000000323151330736600021556 0ustar00<?php

/**
 * ActionScheduler Exception Interface.
 *
 * Facilitates catching Exceptions unique to Action Scheduler.
 *
 * @package ActionScheduler
 * @since %VERSION%
 */
interface ActionScheduler_Exception {}
woocommerce/action-scheduler/classes/ActionScheduler_ActionClaim.php000064400000000566151330736600022014 0ustar00<?php

/**
 * Class ActionScheduler_ActionClaim
 */
class ActionScheduler_ActionClaim {
	private $id = '';
	private $action_ids = array();

	public function __construct( $id, array $action_ids ) {
		$this->id = $id;
		$this->action_ids = $action_ids;
	}

	public function get_id() {
		return $this->id;
	}

	public function get_actions() {
		return $this->action_ids;
	}
}
 woocommerce/action-scheduler/classes/ActionScheduler_InvalidActionException.php000064400000002375151330736600024234 0ustar00<?php

/**
 * InvalidAction Exception.
 *
 * Used for identifying actions that are invalid in some way.
 *
 * @package ActionScheduler
 */
class ActionScheduler_InvalidActionException extends \InvalidArgumentException implements ActionScheduler_Exception {

	/**
	 * Create a new exception when the action's schedule cannot be fetched.
	 *
	 * @param string $action_id The action ID with bad args.
	 * @return static
	 */
	public static function from_schedule( $action_id, $schedule ) {
		$message = sprintf(
			/* translators: 1: action ID 2: schedule */
			__( 'Action [%1$s] has an invalid schedule: %2$s', 'action-scheduler' ),
			$action_id,
			var_export( $schedule, true )
		);

		return new static( $message );
	}

	/**
	 * Create a new exception when the action's args cannot be decoded to an array.
	 *
	 * @author Jeremy Pry
	 *
	 * @param string $action_id The action ID with bad args.
	 * @return static
	 */
	public static function from_decoding_args( $action_id, $args = array() ) {
		$message = sprintf(
			/* translators: 1: action ID 2: arguments */
			__( 'Action [%1$s] has invalid arguments. It cannot be JSON decoded to an array. $args = %2$s', 'action-scheduler' ),
			$action_id,
			var_export( $args, true )
		);

		return new static( $message );
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_FatalErrorMonitor.php000064400000003747151330736600023246 0ustar00<?php

/**
 * Class ActionScheduler_FatalErrorMonitor
 */
class ActionScheduler_FatalErrorMonitor {
	/** @var ActionScheduler_ActionClaim */
	private $claim = NULL;
	/** @var ActionScheduler_Store */
	private $store = NULL;
	private $action_id = 0;

	public function __construct( ActionScheduler_Store $store ) {
		$this->store = $store;
	}

	public function attach( ActionScheduler_ActionClaim $claim ) {
		$this->claim = $claim;
		add_action( 'shutdown', array( $this, 'handle_unexpected_shutdown' ) );
		add_action( 'action_scheduler_before_execute', array( $this, 'track_current_action' ), 0, 1 );
		add_action( 'action_scheduler_after_execute',  array( $this, 'untrack_action' ), 0, 0 );
		add_action( 'action_scheduler_execution_ignored',  array( $this, 'untrack_action' ), 0, 0 );
		add_action( 'action_scheduler_failed_execution',  array( $this, 'untrack_action' ), 0, 0 );
	}

	public function detach() {
		$this->claim = NULL;
		$this->untrack_action();
		remove_action( 'shutdown', array( $this, 'handle_unexpected_shutdown' ) );
		remove_action( 'action_scheduler_before_execute', array( $this, 'track_current_action' ), 0 );
		remove_action( 'action_scheduler_after_execute',  array( $this, 'untrack_action' ), 0 );
		remove_action( 'action_scheduler_execution_ignored',  array( $this, 'untrack_action' ), 0 );
		remove_action( 'action_scheduler_failed_execution',  array( $this, 'untrack_action' ), 0 );
	}

	public function track_current_action( $action_id ) {
		$this->action_id = $action_id;
	}

	public function untrack_action() {
		$this->action_id = 0;
	}

	public function handle_unexpected_shutdown() {
		if ( $error = error_get_last() ) {
			if ( in_array( $error['type'], array( E_ERROR, E_PARSE, E_COMPILE_ERROR, E_USER_ERROR, E_RECOVERABLE_ERROR ) ) ) {
				if ( !empty($this->action_id) ) {
					$this->store->mark_failure( $this->action_id );
					do_action( 'action_scheduler_unexpected_shutdown', $this->action_id, $error );
				}
			}
			$this->store->release_claim( $this->claim );
		}
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_ListTable.php000064400000047324151330736600021517 0ustar00<?php

/**
 * Implements the admin view of the actions.
 * @codeCoverageIgnore
 */
class ActionScheduler_ListTable extends ActionScheduler_Abstract_ListTable {

	/**
	 * The package name.
	 *
	 * @var string
	 */
	protected $package = 'action-scheduler';

	/**
	 * Columns to show (name => label).
	 *
	 * @var array
	 */
	protected $columns = array();

	/**
	 * Actions (name => label).
	 *
	 * @var array
	 */
	protected $row_actions = array();

	/**
	 * The active data stores
	 *
	 * @var ActionScheduler_Store
	 */
	protected $store;

	/**
	 * A logger to use for getting action logs to display
	 *
	 * @var ActionScheduler_Logger
	 */
	protected $logger;

	/**
	 * A ActionScheduler_QueueRunner runner instance (or child class)
	 *
	 * @var ActionScheduler_QueueRunner
	 */
	protected $runner;

	/**
	 * Bulk actions. The key of the array is the method name of the implementation:
	 *
	 *     bulk_<key>(array $ids, string $sql_in).
	 *
	 * See the comments in the parent class for further details
	 *
	 * @var array
	 */
	protected $bulk_actions = array();

	/**
	 * Flag variable to render our notifications, if any, once.
	 *
	 * @var bool
	 */
	protected static $did_notification = false;

	/**
	 * Array of seconds for common time periods, like week or month, alongside an internationalised string representation, i.e. "Day" or "Days"
	 *
	 * @var array
	 */
	private static $time_periods;

	/**
	 * Sets the current data store object into `store->action` and initialises the object.
	 *
	 * @param ActionScheduler_Store $store
	 * @param ActionScheduler_Logger $logger
	 * @param ActionScheduler_QueueRunner $runner
	 */
	public function __construct( ActionScheduler_Store $store, ActionScheduler_Logger $logger, ActionScheduler_QueueRunner $runner ) {

		$this->store  = $store;
		$this->logger = $logger;
		$this->runner = $runner;

		$this->table_header = __( 'Scheduled Actions', 'action-scheduler' );

		$this->bulk_actions = array(
			'delete' => __( 'Delete', 'action-scheduler' ),
		);

		$this->columns = array(
			'hook'        => __( 'Hook', 'action-scheduler' ),
			'status'      => __( 'Status', 'action-scheduler' ),
			'args'        => __( 'Arguments', 'action-scheduler' ),
			'group'       => __( 'Group', 'action-scheduler' ),
			'recurrence'  => __( 'Recurrence', 'action-scheduler' ),
			'schedule'    => __( 'Scheduled Date', 'action-scheduler' ),
			'log_entries' => __( 'Log', 'action-scheduler' ),
		);

		$this->sort_by = array(
			'schedule',
			'hook',
			'group',
		);

		$this->search_by = array(
			'hook',
			'args',
			'claim_id',
		);

		$request_status = $this->get_request_status();

		if ( empty( $request_status ) ) {
			$this->sort_by[] = 'status';
		} elseif ( in_array( $request_status, array( 'in-progress', 'failed' ) ) ) {
			$this->columns  += array( 'claim_id' => __( 'Claim ID', 'action-scheduler' ) );
			$this->sort_by[] = 'claim_id';
		}

		$this->row_actions = array(
			'hook' => array(
				'run' => array(
					'name'  => __( 'Run', 'action-scheduler' ),
					'desc'  => __( 'Process the action now as if it were run as part of a queue', 'action-scheduler' ),
				),
				'cancel' => array(
					'name'  => __( 'Cancel', 'action-scheduler' ),
					'desc'  => __( 'Cancel the action now to avoid it being run in future', 'action-scheduler' ),
					'class' => 'cancel trash',
				),
			),
		);

		self::$time_periods = array(
			array(
				'seconds' => YEAR_IN_SECONDS,
				/* translators: %s: amount of time */
				'names'   => _n_noop( '%s year', '%s years', 'action-scheduler' ),
			),
			array(
				'seconds' => MONTH_IN_SECONDS,
				/* translators: %s: amount of time */
				'names'   => _n_noop( '%s month', '%s months', 'action-scheduler' ),
			),
			array(
				'seconds' => WEEK_IN_SECONDS,
				/* translators: %s: amount of time */
				'names'   => _n_noop( '%s week', '%s weeks', 'action-scheduler' ),
			),
			array(
				'seconds' => DAY_IN_SECONDS,
				/* translators: %s: amount of time */
				'names'   => _n_noop( '%s day', '%s days', 'action-scheduler' ),
			),
			array(
				'seconds' => HOUR_IN_SECONDS,
				/* translators: %s: amount of time */
				'names'   => _n_noop( '%s hour', '%s hours', 'action-scheduler' ),
			),
			array(
				'seconds' => MINUTE_IN_SECONDS,
				/* translators: %s: amount of time */
				'names'   => _n_noop( '%s minute', '%s minutes', 'action-scheduler' ),
			),
			array(
				'seconds' => 1,
				/* translators: %s: amount of time */
				'names'   => _n_noop( '%s second', '%s seconds', 'action-scheduler' ),
			),
		);

		parent::__construct(
			array(
				'singular' => 'action-scheduler',
				'plural'   => 'action-scheduler',
				'ajax'     => false,
			)
		);

		add_screen_option(
			'per_page',
			array(
				'default' => $this->items_per_page,
			)
		);

		add_filter( 'set_screen_option_' . $this->get_per_page_option_name(), array( $this, 'set_items_per_page_option' ), 10, 3 );
		set_screen_options();
	}

	/**
	 * Handles setting the items_per_page option for this screen.
	 *
	 * @param mixed  $status Default false (to skip saving the current option).
	 * @param string $option Screen option name.
	 * @param int    $value  Screen option value.
	 * @return int
	 */
	public function set_items_per_page_option( $status, $option, $value ) {
		return $value;
	}
	/**
	 * Convert an interval of seconds into a two part human friendly string.
	 *
	 * The WordPress human_time_diff() function only calculates the time difference to one degree, meaning
	 * even if an action is 1 day and 11 hours away, it will display "1 day". This function goes one step
	 * further to display two degrees of accuracy.
	 *
	 * Inspired by the Crontrol::interval() function by Edward Dale: https://wordpress.org/plugins/wp-crontrol/
	 *
	 * @param int $interval A interval in seconds.
	 * @param int $periods_to_include Depth of time periods to include, e.g. for an interval of 70, and $periods_to_include of 2, both minutes and seconds would be included. With a value of 1, only minutes would be included.
	 * @return string A human friendly string representation of the interval.
	 */
	private static function human_interval( $interval, $periods_to_include = 2 ) {

		if ( $interval <= 0 ) {
			return __( 'Now!', 'action-scheduler' );
		}

		$output = '';

		for ( $time_period_index = 0, $periods_included = 0, $seconds_remaining = $interval; $time_period_index < count( self::$time_periods ) && $seconds_remaining > 0 && $periods_included < $periods_to_include; $time_period_index++ ) {

			$periods_in_interval = floor( $seconds_remaining / self::$time_periods[ $time_period_index ]['seconds'] );

			if ( $periods_in_interval > 0 ) {
				if ( ! empty( $output ) ) {
					$output .= ' ';
				}
				$output .= sprintf( _n( self::$time_periods[ $time_period_index ]['names'][0], self::$time_periods[ $time_period_index ]['names'][1], $periods_in_interval, 'action-scheduler' ), $periods_in_interval );
				$seconds_remaining -= $periods_in_interval * self::$time_periods[ $time_period_index ]['seconds'];
				$periods_included++;
			}
		}

		return $output;
	}

	/**
	 * Returns the recurrence of an action or 'Non-repeating'. The output is human readable.
	 *
	 * @param ActionScheduler_Action $action
	 *
	 * @return string
	 */
	protected function get_recurrence( $action ) {
		$schedule = $action->get_schedule();
		if ( $schedule->is_recurring() ) {
			$recurrence = $schedule->get_recurrence();

			if ( is_numeric( $recurrence ) ) {
				/* translators: %s: time interval */
				return sprintf( __( 'Every %s', 'action-scheduler' ), self::human_interval( $recurrence ) );
			} else {
				return $recurrence;
			}
		}

		return __( 'Non-repeating', 'action-scheduler' );
	}

	/**
	 * Serializes the argument of an action to render it in a human friendly format.
	 *
	 * @param array $row The array representation of the current row of the table
	 *
	 * @return string
	 */
	public function column_args( array $row ) {
		if ( empty( $row['args'] ) ) {
			return apply_filters( 'action_scheduler_list_table_column_args', '', $row );
		}

		$row_html = '<ul>';
		foreach ( $row['args'] as $key => $value ) {
			$row_html .= sprintf( '<li><code>%s => %s</code></li>', esc_html( var_export( $key, true ) ), esc_html( var_export( $value, true ) ) );
		}
		$row_html .= '</ul>';

		return apply_filters( 'action_scheduler_list_table_column_args', $row_html, $row );
	}

	/**
	 * Prints the logs entries inline. We do so to avoid loading Javascript and other hacks to show it in a modal.
	 *
	 * @param array $row Action array.
	 * @return string
	 */
	public function column_log_entries( array $row ) {

		$log_entries_html = '<ol>';

		$timezone = new DateTimezone( 'UTC' );

		foreach ( $row['log_entries'] as $log_entry ) {
			$log_entries_html .= $this->get_log_entry_html( $log_entry, $timezone );
		}

		$log_entries_html .= '</ol>';

		return $log_entries_html;
	}

	/**
	 * Prints the logs entries inline. We do so to avoid loading Javascript and other hacks to show it in a modal.
	 *
	 * @param ActionScheduler_LogEntry $log_entry
	 * @param DateTimezone $timezone
	 * @return string
	 */
	protected function get_log_entry_html( ActionScheduler_LogEntry $log_entry, DateTimezone $timezone ) {
		$date = $log_entry->get_date();
		$date->setTimezone( $timezone );
		return sprintf( '<li><strong>%s</strong><br/>%s</li>', esc_html( $date->format( 'Y-m-d H:i:s O' ) ), esc_html( $log_entry->get_message() ) );
	}

	/**
	 * Only display row actions for pending actions.
	 *
	 * @param array  $row         Row to render
	 * @param string $column_name Current row
	 *
	 * @return string
	 */
	protected function maybe_render_actions( $row, $column_name ) {
		if ( 'pending' === strtolower( $row[ 'status_name' ] ) ) {
			return parent::maybe_render_actions( $row, $column_name );
		}

		return '';
	}

	/**
	 * Renders admin notifications
	 *
	 * Notifications:
	 *  1. When the maximum number of tasks are being executed simultaneously.
	 *  2. Notifications when a task is manually executed.
	 *  3. Tables are missing.
	 */
	public function display_admin_notices() {
		global $wpdb;

		if ( ( is_a( $this->store, 'ActionScheduler_HybridStore' ) || is_a( $this->store, 'ActionScheduler_DBStore' ) ) && apply_filters( 'action_scheduler_enable_recreate_data_store', true ) ) {
			$table_list = array(
				'actionscheduler_actions',
				'actionscheduler_logs',
				'actionscheduler_groups',
				'actionscheduler_claims',
			);

			$found_tables = $wpdb->get_col( "SHOW TABLES LIKE '{$wpdb->prefix}actionscheduler%'" ); // phpcs:ignore WordPress.DB.PreparedSQL.InterpolatedNotPrepared
			foreach ( $table_list as $table_name ) {
				if ( ! in_array( $wpdb->prefix . $table_name, $found_tables ) ) {
					$this->admin_notices[] = array(
						'class'   => 'error',
						'message' => __( 'It appears one or more database tables were missing. Attempting to re-create the missing table(s).' , 'action-scheduler' ),
					);
					$this->recreate_tables();
					parent::display_admin_notices();

					return;
				}
			}
		}

		if ( $this->runner->has_maximum_concurrent_batches() ) {
			$claim_count           = $this->store->get_claim_count();
			$this->admin_notices[] = array(
				'class'   => 'updated',
				'message' => sprintf(
					/* translators: %s: amount of claims */
					_n(
						'Maximum simultaneous queues already in progress (%s queue). No additional queues will begin processing until the current queues are complete.',
						'Maximum simultaneous queues already in progress (%s queues). No additional queues will begin processing until the current queues are complete.',
						$claim_count,
						'action-scheduler'
					),
					$claim_count
				),
			);
		} elseif ( $this->store->has_pending_actions_due() ) {

			$async_request_lock_expiration = ActionScheduler::lock()->get_expiration( 'async-request-runner' );

			// No lock set or lock expired
			if ( false === $async_request_lock_expiration || $async_request_lock_expiration < time() ) {
				$in_progress_url       = add_query_arg( 'status', 'in-progress', remove_query_arg( 'status' ) );
				/* translators: %s: process URL */
				$async_request_message = sprintf( __( 'A new queue has begun processing. <a href="%s">View actions in-progress &raquo;</a>', 'action-scheduler' ), esc_url( $in_progress_url ) );
			} else {
				/* translators: %d: seconds */
				$async_request_message = sprintf( __( 'The next queue will begin processing in approximately %d seconds.', 'action-scheduler' ), $async_request_lock_expiration - time() );
			}

			$this->admin_notices[] = array(
				'class'   => 'notice notice-info',
				'message' => $async_request_message,
			);
		}

		$notification = get_transient( 'action_scheduler_admin_notice' );

		if ( is_array( $notification ) ) {
			delete_transient( 'action_scheduler_admin_notice' );

			$action = $this->store->fetch_action( $notification['action_id'] );
			$action_hook_html = '<strong><code>' . $action->get_hook() . '</code></strong>';
			if ( 1 == $notification['success'] ) {
				$class = 'updated';
				switch ( $notification['row_action_type'] ) {
					case 'run' :
						/* translators: %s: action HTML */
						$action_message_html = sprintf( __( 'Successfully executed action: %s', 'action-scheduler' ), $action_hook_html );
						break;
					case 'cancel' :
						/* translators: %s: action HTML */
						$action_message_html = sprintf( __( 'Successfully canceled action: %s', 'action-scheduler' ), $action_hook_html );
						break;
					default :
						/* translators: %s: action HTML */
						$action_message_html = sprintf( __( 'Successfully processed change for action: %s', 'action-scheduler' ), $action_hook_html );
						break;
				}
			} else {
				$class = 'error';
				/* translators: 1: action HTML 2: action ID 3: error message */
				$action_message_html = sprintf( __( 'Could not process change for action: "%1$s" (ID: %2$d). Error: %3$s', 'action-scheduler' ), $action_hook_html, esc_html( $notification['action_id'] ), esc_html( $notification['error_message'] ) );
			}

			$action_message_html = apply_filters( 'action_scheduler_admin_notice_html', $action_message_html, $action, $notification );

			$this->admin_notices[] = array(
				'class'   => $class,
				'message' => $action_message_html,
			);
		}

		parent::display_admin_notices();
	}

	/**
	 * Prints the scheduled date in a human friendly format.
	 *
	 * @param array $row The array representation of the current row of the table
	 *
	 * @return string
	 */
	public function column_schedule( $row ) {
		return $this->get_schedule_display_string( $row['schedule'] );
	}

	/**
	 * Get the scheduled date in a human friendly format.
	 *
	 * @param ActionScheduler_Schedule $schedule
	 * @return string
	 */
	protected function get_schedule_display_string( ActionScheduler_Schedule $schedule ) {

		$schedule_display_string = '';

		if ( ! $schedule->get_date() ) {
			return '0000-00-00 00:00:00';
		}

		$next_timestamp = $schedule->get_date()->getTimestamp();

		$schedule_display_string .= $schedule->get_date()->format( 'Y-m-d H:i:s O' );
		$schedule_display_string .= '<br/>';

		if ( gmdate( 'U' ) > $next_timestamp ) {
			/* translators: %s: date interval */
			$schedule_display_string .= sprintf( __( ' (%s ago)', 'action-scheduler' ), self::human_interval( gmdate( 'U' ) - $next_timestamp ) );
		} else {
			/* translators: %s: date interval */
			$schedule_display_string .= sprintf( __( ' (%s)', 'action-scheduler' ), self::human_interval( $next_timestamp - gmdate( 'U' ) ) );
		}

		return $schedule_display_string;
	}

	/**
	 * Bulk delete
	 *
	 * Deletes actions based on their ID. This is the handler for the bulk delete. It assumes the data
	 * properly validated by the callee and it will delete the actions without any extra validation.
	 *
	 * @param array $ids
	 * @param string $ids_sql Inherited and unused
	 */
	protected function bulk_delete( array $ids, $ids_sql ) {
		foreach ( $ids as $id ) {
			$this->store->delete_action( $id );
		}
	}

	/**
	 * Implements the logic behind running an action. ActionScheduler_Abstract_ListTable validates the request and their
	 * parameters are valid.
	 *
	 * @param int $action_id
	 */
	protected function row_action_cancel( $action_id ) {
		$this->process_row_action( $action_id, 'cancel' );
	}

	/**
	 * Implements the logic behind running an action. ActionScheduler_Abstract_ListTable validates the request and their
	 * parameters are valid.
	 *
	 * @param int $action_id
	 */
	protected function row_action_run( $action_id ) {
		$this->process_row_action( $action_id, 'run' );
	}

	/**
	 * Force the data store schema updates.
	 */
	protected function recreate_tables() {
		if ( is_a( $this->store, 'ActionScheduler_HybridStore' ) ) {
			$store = $this->store;
		} else {
			$store = new ActionScheduler_HybridStore();
		}
		add_action( 'action_scheduler/created_table', array( $store, 'set_autoincrement' ), 10, 2 );

		$store_schema  = new ActionScheduler_StoreSchema();
		$logger_schema = new ActionScheduler_LoggerSchema();
		$store_schema->register_tables( true );
		$logger_schema->register_tables( true );

		remove_action( 'action_scheduler/created_table', array( $store, 'set_autoincrement' ), 10 );
	}
	/**
	 * Implements the logic behind processing an action once an action link is clicked on the list table.
	 *
	 * @param int $action_id
	 * @param string $row_action_type The type of action to perform on the action.
	 */
	protected function process_row_action( $action_id, $row_action_type ) {
		try {
			switch ( $row_action_type ) {
				case 'run' :
					$this->runner->process_action( $action_id, 'Admin List Table' );
					break;
				case 'cancel' :
					$this->store->cancel_action( $action_id );
					break;
			}
			$success = 1;
			$error_message = '';
		} catch ( Exception $e ) {
			$success = 0;
			$error_message = $e->getMessage();
		}

		set_transient( 'action_scheduler_admin_notice', compact( 'action_id', 'success', 'error_message', 'row_action_type' ), 30 );
	}

	/**
	 * {@inheritDoc}
	 */
	public function prepare_items() {
		$this->prepare_column_headers();

		$per_page = $this->get_items_per_page( $this->get_per_page_option_name(), $this->items_per_page );

		$query = array(
			'per_page' => $per_page,
			'offset'   => $this->get_items_offset(),
			'status'   => $this->get_request_status(),
			'orderby'  => $this->get_request_orderby(),
			'order'    => $this->get_request_order(),
			'search'   => $this->get_request_search_query(),
		);

		$this->items = array();

		$total_items = $this->store->query_actions( $query, 'count' );

		$status_labels = $this->store->get_status_labels();

		foreach ( $this->store->query_actions( $query ) as $action_id ) {
			try {
				$action = $this->store->fetch_action( $action_id );
			} catch ( Exception $e ) {
				continue;
			}
			if ( is_a( $action, 'ActionScheduler_NullAction' ) ) {
				continue;
			}
			$this->items[ $action_id ] = array(
				'ID'          => $action_id,
				'hook'        => $action->get_hook(),
				'status_name' => $this->store->get_status( $action_id ),
				'status'      => $status_labels[ $this->store->get_status( $action_id ) ],
				'args'        => $action->get_args(),
				'group'       => $action->get_group(),
				'log_entries' => $this->logger->get_logs( $action_id ),
				'claim_id'    => $this->store->get_claim_id( $action_id ),
				'recurrence'  => $this->get_recurrence( $action ),
				'schedule'    => $action->get_schedule(),
			);
		}

		$this->set_pagination_args( array(
			'total_items' => $total_items,
			'per_page'    => $per_page,
			'total_pages' => ceil( $total_items / $per_page ),
		) );
	}

	/**
	 * Prints the available statuses so the user can click to filter.
	 */
	protected function display_filter_by_status() {
		$this->status_counts = $this->store->action_counts();
		parent::display_filter_by_status();
	}

	/**
	 * Get the text to display in the search box on the list table.
	 */
	protected function get_search_box_button_text() {
		return __( 'Search hook, args and claim ID', 'action-scheduler' );
	}

	/**
	 * {@inheritDoc}
	 */
	protected function get_per_page_option_name() {
		return str_replace( '-', '_', $this->screen->id ) . '_per_page';
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_AsyncRequest_QueueRunner.php000064400000004255151330736600024614 0ustar00<?php
/**
 * ActionScheduler_AsyncRequest_QueueRunner
 */

defined( 'ABSPATH' ) || exit;

/**
 * ActionScheduler_AsyncRequest_QueueRunner class.
 */
class ActionScheduler_AsyncRequest_QueueRunner extends WP_Async_Request {

	/**
	 * Data store for querying actions
	 *
	 * @var ActionScheduler_Store
	 * @access protected
	 */
	protected $store;

	/**
	 * Prefix for ajax hooks
	 *
	 * @var string
	 * @access protected
	 */
	protected $prefix = 'as';

	/**
	 * Action for ajax hooks
	 *
	 * @var string
	 * @access protected
	 */
	protected $action = 'async_request_queue_runner';

	/**
	 * Initiate new async request
	 */
	public function __construct( ActionScheduler_Store $store ) {
		parent::__construct();
		$this->store = $store;
	}

	/**
	 * Handle async requests
	 *
	 * Run a queue, and maybe dispatch another async request to run another queue
	 * if there are still pending actions after completing a queue in this request.
	 */
	protected function handle() {
		do_action( 'action_scheduler_run_queue', 'Async Request' ); // run a queue in the same way as WP Cron, but declare the Async Request context

		$sleep_seconds = $this->get_sleep_seconds();

		if ( $sleep_seconds ) {
			sleep( $sleep_seconds );
		}

		$this->maybe_dispatch();
	}

	/**
	 * If the async request runner is needed and allowed to run, dispatch a request.
	 */
	public function maybe_dispatch() {
		if ( ! $this->allow() ) {
			return;
		}

		$this->dispatch();
		ActionScheduler_QueueRunner::instance()->unhook_dispatch_async_request();
	}

	/**
	 * Only allow async requests when needed.
	 *
	 * Also allow 3rd party code to disable running actions via async requests.
	 */
	protected function allow() {

		if ( ! has_action( 'action_scheduler_run_queue' ) || ActionScheduler::runner()->has_maximum_concurrent_batches() || ! $this->store->has_pending_actions_due() ) {
			$allow = false;
		} else {
			$allow = true;
		}

		return apply_filters( 'action_scheduler_allow_async_request_runner', $allow );
	}

	/**
	 * Chaining async requests can crash MySQL. A brief sleep call in PHP prevents that.
	 */
	protected function get_sleep_seconds() {
		return apply_filters( 'action_scheduler_async_request_sleep_seconds', 5, $this );
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_OptionLock.php000064400000003361151330736600021706 0ustar00<?php

/**
 * Provide a way to set simple transient locks to block behaviour
 * for up-to a given duration.
 *
 * Class ActionScheduler_OptionLock
 * @since 3.0.0
 */
class ActionScheduler_OptionLock extends ActionScheduler_Lock {

	/**
	 * Set a lock using options for a given amount of time (60 seconds by default).
	 *
	 * Using an autoloaded option avoids running database queries or other resource intensive tasks
	 * on frequently triggered hooks, like 'init' or 'shutdown'.
	 *
	 * For example, ActionScheduler_QueueRunner->maybe_dispatch_async_request() uses a lock to avoid
	 * calling ActionScheduler_QueueRunner->has_maximum_concurrent_batches() every time the 'shutdown',
	 * hook is triggered, because that method calls ActionScheduler_QueueRunner->store->get_claim_count()
	 * to find the current number of claims in the database.
	 *
	 * @param string $lock_type A string to identify different lock types.
	 * @bool True if lock value has changed, false if not or if set failed.
	 */
	public function set( $lock_type ) {
		return update_option( $this->get_key( $lock_type ), time() + $this->get_duration( $lock_type ) );
	}

	/**
	 * If a lock is set, return the timestamp it was set to expiry.
	 *
	 * @param string $lock_type A string to identify different lock types.
	 * @return bool|int False if no lock is set, otherwise the timestamp for when the lock is set to expire.
	 */
	public function get_expiration( $lock_type ) {
		return get_option( $this->get_key( $lock_type ) );
	}

	/**
	 * Get the key to use for storing the lock in the transient
	 *
	 * @param string $lock_type A string to identify different lock types.
	 * @return string
	 */
	protected function get_key( $lock_type ) {
		return sprintf( 'action_scheduler_lock_%s', $lock_type );
	}
}
woocommerce/action-scheduler/classes/schedules/ActionScheduler_Schedule.php000064400000000406151330736600023335 0ustar00<?php

/**
 * Class ActionScheduler_Schedule
 */
interface ActionScheduler_Schedule {
	/**
	 * @param DateTime $after
	 * @return DateTime|null
	 */
	public function next( DateTime $after = NULL );

	/**
	 * @return bool
	 */
	public function is_recurring();
}
 woocommerce/action-scheduler/classes/schedules/ActionScheduler_CanceledSchedule.php000064400000002705151330736600024760 0ustar00<?php

/**
 * Class ActionScheduler_SimpleSchedule
 */
class ActionScheduler_CanceledSchedule extends ActionScheduler_SimpleSchedule {

	/**
	 * Deprecated property @see $this->__wakeup() for details.
	 **/
	private $timestamp = NULL;

	/**
	 * @param DateTime $after
	 *
	 * @return DateTime|null
	 */
	public function calculate_next( DateTime $after ) {
		return null;
	}

	/**
	 * Cancelled actions should never have a next schedule, even if get_next()
	 * is called with $after < $this->scheduled_date.
	 *
	 * @param DateTime $after
	 * @return DateTime|null
	 */
	public function get_next( DateTime $after ) {
		return null;
	}

	/**
	 * @return bool
	 */
	public function is_recurring() {
		return false;
	}

	/**
	 * Unserialize recurring schedules serialized/stored prior to AS 3.0.0
	 *
	 * Prior to Action Scheduler 3.0.0, schedules used different property names to refer
	 * to equivalent data. For example, ActionScheduler_IntervalSchedule::start_timestamp
	 * was the same as ActionScheduler_SimpleSchedule::timestamp. Action Scheduler 3.0.0
	 * aligned properties and property names for better inheritance. To maintain backward
	 * compatibility with schedules serialized and stored prior to 3.0, we need to correctly
	 * map the old property names with matching visibility.
	 */
	public function __wakeup() {
		if ( ! is_null( $this->timestamp ) ) {
			$this->scheduled_timestamp = $this->timestamp;
			unset( $this->timestamp );
		}
		parent::__wakeup();
	}
}
woocommerce/action-scheduler/classes/schedules/ActionScheduler_NullSchedule.php000064400000001107151330736600024167 0ustar00<?php

/**
 * Class ActionScheduler_NullSchedule
 */
class ActionScheduler_NullSchedule extends ActionScheduler_SimpleSchedule {

	/**
	 * Make the $date param optional and default to null.
	 *
	 * @param null $date The date & time to run the action.
	 */
	public function __construct( DateTime $date = null ) {
		$this->scheduled_date = null;
	}

	/**
	 * This schedule has no scheduled DateTime, so we need to override the parent __sleep()
	 * @return array
	 */
	public function __sleep() {
		return array();
	}

	public function __wakeup() {
		$this->scheduled_date = null;
	}
}
woocommerce/action-scheduler/classes/schedules/ActionScheduler_IntervalSchedule.php000064400000004752151330736600025052 0ustar00<?php

/**
 * Class ActionScheduler_IntervalSchedule
 */
class ActionScheduler_IntervalSchedule extends ActionScheduler_Abstract_RecurringSchedule implements ActionScheduler_Schedule {

	/**
	 * Deprecated property @see $this->__wakeup() for details.
	 **/
	private $start_timestamp = NULL;

	/**
	 * Deprecated property @see $this->__wakeup() for details.
	 **/
	private $interval_in_seconds = NULL;

	/**
	 * Calculate when this schedule should start after a given date & time using
	 * the number of seconds between recurrences.
	 *
	 * @param DateTime $after
	 * @return DateTime
	 */
	protected function calculate_next( DateTime $after ) {
		$after->modify( '+' . (int) $this->get_recurrence() . ' seconds' );
		return $after;
	}

	/**
	 * @return int
	 */
	public function interval_in_seconds() {
		_deprecated_function( __METHOD__, '3.0.0', '(int)ActionScheduler_Abstract_RecurringSchedule::get_recurrence()' );
		return (int) $this->get_recurrence();
	}

	/**
	 * Serialize interval schedules with data required prior to AS 3.0.0
	 *
	 * Prior to Action Scheduler 3.0.0, reccuring schedules used different property names to
	 * refer to equivalent data. For example, ActionScheduler_IntervalSchedule::start_timestamp
	 * was the same as ActionScheduler_SimpleSchedule::timestamp. Action Scheduler 3.0.0
	 * aligned properties and property names for better inheritance. To guard against the
	 * possibility of infinite loops if downgrading to Action Scheduler < 3.0.0, we need to
	 * also store the data with the old property names so if it's unserialized in AS < 3.0,
	 * the schedule doesn't end up with a null/false/0 recurrence.
	 *
	 * @return array
	 */
	public function __sleep() {

		$sleep_params = parent::__sleep();

		$this->start_timestamp     = $this->scheduled_timestamp;
		$this->interval_in_seconds = $this->recurrence;

		return array_merge( $sleep_params, array(
			'start_timestamp',
			'interval_in_seconds'
		) );
	}

	/**
	 * Unserialize interval schedules serialized/stored prior to AS 3.0.0
	 *
	 * For more background, @see ActionScheduler_Abstract_RecurringSchedule::__wakeup().
	 */
	public function __wakeup() {
		if ( is_null( $this->scheduled_timestamp ) && ! is_null( $this->start_timestamp ) ) {
			$this->scheduled_timestamp = $this->start_timestamp;
			unset( $this->start_timestamp );
		}

		if ( is_null( $this->recurrence ) && ! is_null( $this->interval_in_seconds ) ) {
			$this->recurrence = $this->interval_in_seconds;
			unset( $this->interval_in_seconds );
		}
		parent::__wakeup();
	}
}
woocommerce/action-scheduler/classes/schedules/ActionScheduler_SimpleSchedule.php000064400000004154151330736600024513 0ustar00<?php

/**
 * Class ActionScheduler_SimpleSchedule
 */
class ActionScheduler_SimpleSchedule extends ActionScheduler_Abstract_Schedule {

	/**
	 * Deprecated property @see $this->__wakeup() for details.
	 **/
	private $timestamp = NULL;

	/**
	 * @param DateTime $after
	 *
	 * @return DateTime|null
	 */
	public function calculate_next( DateTime $after ) {
		return null;
	}

	/**
	 * @return bool
	 */
	public function is_recurring() {
		return false;
	}

	/**
	 * Serialize schedule with data required prior to AS 3.0.0
	 *
	 * Prior to Action Scheduler 3.0.0, schedules used different property names to refer
	 * to equivalent data. For example, ActionScheduler_IntervalSchedule::start_timestamp
	 * was the same as ActionScheduler_SimpleSchedule::timestamp. Action Scheduler 3.0.0
	 * aligned properties and property names for better inheritance. To guard against the
	 * scheduled date for single actions always being seen as "now" if downgrading to
	 * Action Scheduler < 3.0.0, we need to also store the data with the old property names
	 * so if it's unserialized in AS < 3.0, the schedule doesn't end up with a null recurrence.
	 *
	 * @return array
	 */
	public function __sleep() {

		$sleep_params = parent::__sleep();

		$this->timestamp = $this->scheduled_timestamp;

		return array_merge( $sleep_params, array(
			'timestamp',
		) );
	}

	/**
	 * Unserialize recurring schedules serialized/stored prior to AS 3.0.0
	 *
	 * Prior to Action Scheduler 3.0.0, schedules used different property names to refer
	 * to equivalent data. For example, ActionScheduler_IntervalSchedule::start_timestamp
	 * was the same as ActionScheduler_SimpleSchedule::timestamp. Action Scheduler 3.0.0
	 * aligned properties and property names for better inheritance. To maintain backward
	 * compatibility with schedules serialized and stored prior to 3.0, we need to correctly
	 * map the old property names with matching visibility.
	 */
	public function __wakeup() {

		if ( is_null( $this->scheduled_timestamp ) && ! is_null( $this->timestamp ) ) {
			$this->scheduled_timestamp = $this->timestamp;
			unset( $this->timestamp );
		}
		parent::__wakeup();
	}
}
woocommerce/action-scheduler/classes/schedules/ActionScheduler_CronSchedule.php000064400000007201151330736600024157 0ustar00<?php

/**
 * Class ActionScheduler_CronSchedule
 */
class ActionScheduler_CronSchedule extends ActionScheduler_Abstract_RecurringSchedule implements ActionScheduler_Schedule {

	/**
	 * Deprecated property @see $this->__wakeup() for details.
	 **/
	private $start_timestamp = NULL;

	/**
	 * Deprecated property @see $this->__wakeup() for details.
	 **/
	private $cron = NULL;

	/**
	 * Wrapper for parent constructor to accept a cron expression string and map it to a CronExpression for this
	 * objects $recurrence property.
	 *
	 * @param DateTime $start The date & time to run the action at or after. If $start aligns with the CronSchedule passed via $recurrence, it will be used. If it does not align, the first matching date after it will be used.
	 * @param CronExpression|string $recurrence The CronExpression used to calculate the schedule's next instance.
	 * @param DateTime|null $first (Optional) The date & time the first instance of this interval schedule ran. Default null, meaning this is the first instance.
	 */
	public function __construct( DateTime $start, $recurrence, DateTime $first = null ) {
		if ( ! is_a( $recurrence, 'CronExpression' ) ) {
			$recurrence = CronExpression::factory( $recurrence );
		}

		// For backward compatibility, we need to make sure the date is set to the first matching cron date, not whatever date is passed in. Importantly, by passing true as the 3rd param, if $start matches the cron expression, then it will be used. This was previously handled in the now deprecated next() method.
		$date = $recurrence->getNextRunDate( $start, 0, true );

		// parent::__construct() will set this to $date by default, but that may be different to $start now.
		$first = empty( $first ) ? $start : $first;

		parent::__construct( $date, $recurrence, $first );
	}

	/**
	 * Calculate when an instance of this schedule would start based on a given
	 * date & time using its the CronExpression.
	 *
	 * @param DateTime $after
	 * @return DateTime
	 */
	protected function calculate_next( DateTime $after ) {
		return $this->recurrence->getNextRunDate( $after, 0, false );
	}

	/**
	 * @return string
	 */
	public function get_recurrence() {
		return strval( $this->recurrence );
	}

	/**
	 * Serialize cron schedules with data required prior to AS 3.0.0
	 *
	 * Prior to Action Scheduler 3.0.0, reccuring schedules used different property names to
	 * refer to equivalent data. For example, ActionScheduler_IntervalSchedule::start_timestamp
	 * was the same as ActionScheduler_SimpleSchedule::timestamp. Action Scheduler 3.0.0
	 * aligned properties and property names for better inheritance. To guard against the
	 * possibility of infinite loops if downgrading to Action Scheduler < 3.0.0, we need to
	 * also store the data with the old property names so if it's unserialized in AS < 3.0,
	 * the schedule doesn't end up with a null recurrence.
	 *
	 * @return array
	 */
	public function __sleep() {

		$sleep_params = parent::__sleep();

		$this->start_timestamp = $this->scheduled_timestamp;
		$this->cron            = $this->recurrence;

		return array_merge( $sleep_params, array(
			'start_timestamp',
			'cron'
		) );
	}

	/**
	 * Unserialize cron schedules serialized/stored prior to AS 3.0.0
	 *
	 * For more background, @see ActionScheduler_Abstract_RecurringSchedule::__wakeup().
	 */
	public function __wakeup() {
		if ( is_null( $this->scheduled_timestamp ) && ! is_null( $this->start_timestamp ) ) {
			$this->scheduled_timestamp = $this->start_timestamp;
			unset( $this->start_timestamp );
		}

		if ( is_null( $this->recurrence ) && ! is_null( $this->cron ) ) {
			$this->recurrence = $this->cron;
			unset( $this->cron );
		}
		parent::__wakeup();
	}
}

woocommerce/action-scheduler/classes/ActionScheduler_ActionFactory.php000064400000017416151330736600022400 0ustar00<?php

/**
 * Class ActionScheduler_ActionFactory
 */
class ActionScheduler_ActionFactory {

	/**
	 * @param string $status The action's status in the data store
	 * @param string $hook The hook to trigger when this action runs
	 * @param array $args Args to pass to callbacks when the hook is triggered
	 * @param ActionScheduler_Schedule $schedule The action's schedule
	 * @param string $group A group to put the action in
	 *
	 * @return ActionScheduler_Action An instance of the stored action
	 */
	public function get_stored_action( $status, $hook, array $args = array(), ActionScheduler_Schedule $schedule = null, $group = '' ) {

		switch ( $status ) {
			case ActionScheduler_Store::STATUS_PENDING :
				$action_class = 'ActionScheduler_Action';
				break;
			case ActionScheduler_Store::STATUS_CANCELED :
				$action_class = 'ActionScheduler_CanceledAction';
				if ( ! is_null( $schedule ) && ! is_a( $schedule, 'ActionScheduler_CanceledSchedule' ) && ! is_a( $schedule, 'ActionScheduler_NullSchedule' ) ) {
					$schedule = new ActionScheduler_CanceledSchedule( $schedule->get_date() );
				}
				break;
			default :
				$action_class = 'ActionScheduler_FinishedAction';
				break;
		}

		$action_class = apply_filters( 'action_scheduler_stored_action_class', $action_class, $status, $hook, $args, $schedule, $group );

		$action = new $action_class( $hook, $args, $schedule, $group );

		/**
		 * Allow 3rd party code to change the instantiated action for a given hook, args, schedule and group.
		 *
		 * @param ActionScheduler_Action $action The instantiated action.
		 * @param string $hook The instantiated action's hook.
		 * @param array $args The instantiated action's args.
		 * @param ActionScheduler_Schedule $schedule The instantiated action's schedule.
		 * @param string $group The instantiated action's group.
		 */
		return apply_filters( 'action_scheduler_stored_action_instance', $action, $hook, $args, $schedule, $group );
	}

	/**
	 * Enqueue an action to run one time, as soon as possible (rather a specific scheduled time).
	 *
	 * This method creates a new action with the NULLSchedule. This schedule maps to a MySQL datetime string of
	 * 0000-00-00 00:00:00. This is done to create a psuedo "async action" type that is fully backward compatible.
	 * Existing queries to claim actions claim by date, meaning actions scheduled for 0000-00-00 00:00:00 will
	 * always be claimed prior to actions scheduled for a specific date. This makes sure that any async action is
	 * given priority in queue processing. This has the added advantage of making sure async actions can be
	 * claimed by both the existing WP Cron and WP CLI runners, as well as a new async request runner.
	 *
	 * @param string $hook The hook to trigger when this action runs
	 * @param array $args Args to pass when the hook is triggered
	 * @param string $group A group to put the action in
	 *
	 * @return int The ID of the stored action
	 */
	public function async( $hook, $args = array(), $group = '' ) {
		$schedule = new ActionScheduler_NullSchedule();
		$action = new ActionScheduler_Action( $hook, $args, $schedule, $group );
		return $this->store( $action );
	}

	/**
	 * @param string $hook The hook to trigger when this action runs
	 * @param array $args Args to pass when the hook is triggered
	 * @param int $when Unix timestamp when the action will run
	 * @param string $group A group to put the action in
	 *
	 * @return int The ID of the stored action
	 */
	public function single( $hook, $args = array(), $when = null, $group = '' ) {
		$date = as_get_datetime_object( $when );
		$schedule = new ActionScheduler_SimpleSchedule( $date );
		$action = new ActionScheduler_Action( $hook, $args, $schedule, $group );
		return $this->store( $action );
	}

	/**
	 * Create the first instance of an action recurring on a given interval.
	 *
	 * @param string $hook The hook to trigger when this action runs
	 * @param array $args Args to pass when the hook is triggered
	 * @param int $first Unix timestamp for the first run
	 * @param int $interval Seconds between runs
	 * @param string $group A group to put the action in
	 *
	 * @return int The ID of the stored action
	 */
	public function recurring( $hook, $args = array(), $first = null, $interval = null, $group = '' ) {
		if ( empty($interval) ) {
			return $this->single( $hook, $args, $first, $group );
		}
		$date = as_get_datetime_object( $first );
		$schedule = new ActionScheduler_IntervalSchedule( $date, $interval );
		$action = new ActionScheduler_Action( $hook, $args, $schedule, $group );
		return $this->store( $action );
	}

	/**
	 * Create the first instance of an action recurring on a Cron schedule.
	 *
	 * @param string $hook The hook to trigger when this action runs
	 * @param array $args Args to pass when the hook is triggered
	 * @param int $base_timestamp The first instance of the action will be scheduled
	 *        to run at a time calculated after this timestamp matching the cron
	 *        expression. This can be used to delay the first instance of the action.
	 * @param int $schedule A cron definition string
	 * @param string $group A group to put the action in
	 *
	 * @return int The ID of the stored action
	 */
	public function cron( $hook, $args = array(), $base_timestamp = null, $schedule = null, $group = '' ) {
		if ( empty($schedule) ) {
			return $this->single( $hook, $args, $base_timestamp, $group );
		}
		$date = as_get_datetime_object( $base_timestamp );
		$cron = CronExpression::factory( $schedule );
		$schedule = new ActionScheduler_CronSchedule( $date, $cron );
		$action = new ActionScheduler_Action( $hook, $args, $schedule, $group );
		return $this->store( $action );
	}

	/**
	 * Create a successive instance of a recurring or cron action.
	 *
	 * Importantly, the action will be rescheduled to run based on the current date/time.
	 * That means when the action is scheduled to run in the past, the next scheduled date
	 * will be pushed forward. For example, if a recurring action set to run every hour
	 * was scheduled to run 5 seconds ago, it will be next scheduled for 1 hour in the
	 * future, which is 1 hour and 5 seconds from when it was last scheduled to run.
	 *
	 * Alternatively, if the action is scheduled to run in the future, and is run early,
	 * likely via manual intervention, then its schedule will change based on the time now.
	 * For example, if a recurring action set to run every day, and is run 12 hours early,
	 * it will run again in 24 hours, not 36 hours.
	 *
	 * This slippage is less of an issue with Cron actions, as the specific run time can
	 * be set for them to run, e.g. 1am each day. In those cases, and entire period would
	 * need to be missed before there was any change is scheduled, e.g. in the case of an
	 * action scheduled for 1am each day, the action would need to run an entire day late.
	 *
	 * @param ActionScheduler_Action $action The existing action.
	 *
	 * @return string The ID of the stored action
	 * @throws InvalidArgumentException If $action is not a recurring action.
	 */
	public function repeat( $action ) {
		$schedule = $action->get_schedule();
		$next     = $schedule->get_next( as_get_datetime_object() );

		if ( is_null( $next ) || ! $schedule->is_recurring() ) {
			throw new InvalidArgumentException( __( 'Invalid action - must be a recurring action.', 'action-scheduler' ) );
		}

		$schedule_class = get_class( $schedule );
		$new_schedule = new $schedule( $next, $schedule->get_recurrence(), $schedule->get_first_date() );
		$new_action = new ActionScheduler_Action( $action->get_hook(), $action->get_args(), $new_schedule, $action->get_group() );
		return $this->store( $new_action );
	}

	/**
	 * @param ActionScheduler_Action $action
	 *
	 * @return int The ID of the stored action
	 */
	protected function store( ActionScheduler_Action $action ) {
		$store = ActionScheduler_Store::instance();
		return $store->save_action( $action );
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_TimezoneHelper.php000064400000010476151330736600024552 0ustar00<?php

/**
 * Class ActionScheduler_TimezoneHelper
 */
abstract class ActionScheduler_TimezoneHelper {
	private static $local_timezone = NULL;

	/**
	 * Set a DateTime's timezone to the WordPress site's timezone, or a UTC offset
	 * if no timezone string is available.
	 *
	 * @since  2.1.0
	 *
	 * @param DateTime $date
	 * @return ActionScheduler_DateTime
	 */
	public static function set_local_timezone( DateTime $date ) {

		// Accept a DateTime for easier backward compatibility, even though we require methods on ActionScheduler_DateTime
		if ( ! is_a( $date, 'ActionScheduler_DateTime' ) ) {
			$date = as_get_datetime_object( $date->format( 'U' ) );
		}

		if ( get_option( 'timezone_string' ) ) {
			$date->setTimezone( new DateTimeZone( self::get_local_timezone_string() ) );
		} else {
			$date->setUtcOffset( self::get_local_timezone_offset() );
		}

		return $date;
	}

	/**
	 * Helper to retrieve the timezone string for a site until a WP core method exists
	 * (see https://core.trac.wordpress.org/ticket/24730).
	 *
	 * Adapted from wc_timezone_string() and https://secure.php.net/manual/en/function.timezone-name-from-abbr.php#89155.
	 *
	 * If no timezone string is set, and its not possible to match the UTC offset set for the site to a timezone
	 * string, then an empty string will be returned, and the UTC offset should be used to set a DateTime's
	 * timezone.
	 *
	 * @since 2.1.0
	 * @return string PHP timezone string for the site or empty if no timezone string is available.
	 */
	protected static function get_local_timezone_string( $reset = false ) {
		// If site timezone string exists, return it.
		$timezone = get_option( 'timezone_string' );
		if ( $timezone ) {
			return $timezone;
		}

		// Get UTC offset, if it isn't set then return UTC.
		$utc_offset = intval( get_option( 'gmt_offset', 0 ) );
		if ( 0 === $utc_offset ) {
			return 'UTC';
		}

		// Adjust UTC offset from hours to seconds.
		$utc_offset *= 3600;

		// Attempt to guess the timezone string from the UTC offset.
		$timezone = timezone_name_from_abbr( '', $utc_offset );
		if ( $timezone ) {
			return $timezone;
		}

		// Last try, guess timezone string manually.
		foreach ( timezone_abbreviations_list() as $abbr ) {
			foreach ( $abbr as $city ) {
				if ( (bool) date( 'I' ) === (bool) $city['dst'] && $city['timezone_id'] && intval( $city['offset'] ) === $utc_offset ) {
					return $city['timezone_id'];
				}
			}
		}

		// No timezone string
		return '';
	}

	/**
	 * Get timezone offset in seconds.
	 *
	 * @since  2.1.0
	 * @return float
	 */
	protected static function get_local_timezone_offset() {
		$timezone = get_option( 'timezone_string' );

		if ( $timezone ) {
			$timezone_object = new DateTimeZone( $timezone );
			return $timezone_object->getOffset( new DateTime( 'now' ) );
		} else {
			return floatval( get_option( 'gmt_offset', 0 ) ) * HOUR_IN_SECONDS;
		}
	}

	/**
	 * @deprecated 2.1.0
	 */
	public static function get_local_timezone( $reset = FALSE ) {
		_deprecated_function( __FUNCTION__, '2.1.0', 'ActionScheduler_TimezoneHelper::set_local_timezone()' );
		if ( $reset ) {
			self::$local_timezone = NULL;
		}
		if ( !isset(self::$local_timezone) ) {
			$tzstring = get_option('timezone_string');

			if ( empty($tzstring) ) {
				$gmt_offset = get_option('gmt_offset');
				if ( $gmt_offset == 0 ) {
					$tzstring = 'UTC';
				} else {
					$gmt_offset *= HOUR_IN_SECONDS;
					$tzstring   = timezone_name_from_abbr( '', $gmt_offset, 1 );

					// If there's no timezone string, try again with no DST.
					if ( false === $tzstring ) {
						$tzstring = timezone_name_from_abbr( '', $gmt_offset, 0 );
					}

					// Try mapping to the first abbreviation we can find.
					if ( false === $tzstring ) {
						$is_dst = date( 'I' );
						foreach ( timezone_abbreviations_list() as $abbr ) {
							foreach ( $abbr as $city ) {
								if ( $city['dst'] == $is_dst && $city['offset'] == $gmt_offset ) {
									// If there's no valid timezone ID, keep looking.
									if ( null === $city['timezone_id'] ) {
										continue;
									}

									$tzstring = $city['timezone_id'];
									break 2;
								}
							}
						}
					}

					// If we still have no valid string, then fall back to UTC.
					if ( false === $tzstring ) {
						$tzstring = 'UTC';
					}
				}
			}

			self::$local_timezone = new DateTimeZone($tzstring);
		}
		return self::$local_timezone;
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_Logger.php000064400000014257151330736600023040 0ustar00<?php

/**
 * Class ActionScheduler_Logger
 * @codeCoverageIgnore
 */
abstract class ActionScheduler_Logger {
	private static $logger = NULL;

	/**
	 * @return ActionScheduler_Logger
	 */
	public static function instance() {
		if ( empty(self::$logger) ) {
			$class = apply_filters('action_scheduler_logger_class', 'ActionScheduler_wpCommentLogger');
			self::$logger = new $class();
		}
		return self::$logger;
	}

	/**
	 * @param string $action_id
	 * @param string $message
	 * @param DateTime $date
	 *
	 * @return string The log entry ID
	 */
	abstract public function log( $action_id, $message, DateTime $date = NULL );

	/**
	 * @param string $entry_id
	 *
	 * @return ActionScheduler_LogEntry
	 */
	abstract public function get_entry( $entry_id );

	/**
	 * @param string $action_id
	 *
	 * @return ActionScheduler_LogEntry[]
	 */
	abstract public function get_logs( $action_id );


	/**
	 * @codeCoverageIgnore
	 */
	public function init() {
		$this->hook_stored_action();
		add_action( 'action_scheduler_canceled_action', array( $this, 'log_canceled_action' ), 10, 1 );
		add_action( 'action_scheduler_begin_execute', array( $this, 'log_started_action' ), 10, 2 );
		add_action( 'action_scheduler_after_execute', array( $this, 'log_completed_action' ), 10, 3 );
		add_action( 'action_scheduler_failed_execution', array( $this, 'log_failed_action' ), 10, 3 );
		add_action( 'action_scheduler_failed_action', array( $this, 'log_timed_out_action' ), 10, 2 );
		add_action( 'action_scheduler_unexpected_shutdown', array( $this, 'log_unexpected_shutdown' ), 10, 2 );
		add_action( 'action_scheduler_reset_action', array( $this, 'log_reset_action' ), 10, 1 );
		add_action( 'action_scheduler_execution_ignored', array( $this, 'log_ignored_action' ), 10, 2 );
		add_action( 'action_scheduler_failed_fetch_action', array( $this, 'log_failed_fetch_action' ), 10, 2 );
		add_action( 'action_scheduler_failed_to_schedule_next_instance', array( $this, 'log_failed_schedule_next_instance' ), 10, 2 );
		add_action( 'action_scheduler_bulk_cancel_actions', array( $this, 'bulk_log_cancel_actions' ), 10, 1 );
	}

	public function hook_stored_action() {
		add_action( 'action_scheduler_stored_action', array( $this, 'log_stored_action' ) );
	}

	public function unhook_stored_action() {
		remove_action( 'action_scheduler_stored_action', array( $this, 'log_stored_action' ) );
	}

	public function log_stored_action( $action_id ) {
		$this->log( $action_id, __( 'action created', 'action-scheduler' ) );
	}

	public function log_canceled_action( $action_id ) {
		$this->log( $action_id, __( 'action canceled', 'action-scheduler' ) );
	}

	public function log_started_action( $action_id, $context = '' ) {
		if ( ! empty( $context ) ) {
			/* translators: %s: context */
			$message = sprintf( __( 'action started via %s', 'action-scheduler' ), $context );
		} else {
			$message = __( 'action started', 'action-scheduler' );
		}
		$this->log( $action_id, $message );
	}

	public function log_completed_action( $action_id, $action = NULL, $context = '' ) {
		if ( ! empty( $context ) ) {
			/* translators: %s: context */
			$message = sprintf( __( 'action complete via %s', 'action-scheduler' ), $context );
		} else {
			$message = __( 'action complete', 'action-scheduler' );
		}
		$this->log( $action_id, $message );
	}

	public function log_failed_action( $action_id, Exception $exception, $context = '' ) {
		if ( ! empty( $context ) ) {
			/* translators: 1: context 2: exception message */
			$message = sprintf( __( 'action failed via %1$s: %2$s', 'action-scheduler' ), $context, $exception->getMessage() );
		} else {
			/* translators: %s: exception message */
			$message = sprintf( __( 'action failed: %s', 'action-scheduler' ), $exception->getMessage() );
		}
		$this->log( $action_id, $message );
	}

	public function log_timed_out_action( $action_id, $timeout ) {
		/* translators: %s: amount of time */
		$this->log( $action_id, sprintf( __( 'action marked as failed after %s seconds. Unknown error occurred. Check server, PHP and database error logs to diagnose cause.', 'action-scheduler' ), $timeout ) );
	}

	public function log_unexpected_shutdown( $action_id, $error ) {
		if ( ! empty( $error ) ) {
			/* translators: 1: error message 2: filename 3: line */
			$this->log( $action_id, sprintf( __( 'unexpected shutdown: PHP Fatal error %1$s in %2$s on line %3$s', 'action-scheduler' ), $error['message'], $error['file'], $error['line'] ) );
		}
	}

	public function log_reset_action( $action_id ) {
		$this->log( $action_id, __( 'action reset', 'action-scheduler' ) );
	}

	public function log_ignored_action( $action_id, $context = '' ) {
		if ( ! empty( $context ) ) {
			/* translators: %s: context */
			$message = sprintf( __( 'action ignored via %s', 'action-scheduler' ), $context );
		} else {
			$message = __( 'action ignored', 'action-scheduler' );
		}
		$this->log( $action_id, $message );
	}

	/**
	 * @param string $action_id
	 * @param Exception|NULL $exception The exception which occured when fetching the action. NULL by default for backward compatibility.
	 *
	 * @return ActionScheduler_LogEntry[]
	 */
	public function log_failed_fetch_action( $action_id, Exception $exception = NULL ) {

		if ( ! is_null( $exception ) ) {
			/* translators: %s: exception message */
			$log_message = sprintf( __( 'There was a failure fetching this action: %s', 'action-scheduler' ), $exception->getMessage() );
		} else {
			$log_message = __( 'There was a failure fetching this action', 'action-scheduler' );
		}

		$this->log( $action_id, $log_message );
	}

	public function log_failed_schedule_next_instance( $action_id, Exception $exception ) {
		/* translators: %s: exception message */
		$this->log( $action_id, sprintf( __( 'There was a failure scheduling the next instance of this action: %s', 'action-scheduler' ), $exception->getMessage() ) );
	}

	/**
	 * Bulk add cancel action log entries.
	 *
	 * Implemented here for backward compatibility. Should be implemented in parent loggers
	 * for more performant bulk logging.
	 *
	 * @param array $action_ids List of action ID.
	 */
	public function bulk_log_cancel_actions( $action_ids ) {
		if ( empty( $action_ids ) ) {
			return;
		}

		foreach ( $action_ids as $action_id ) {
			$this->log_canceled_action( $action_id );
		}
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_Abstract_ListTable.php000064400000057173151330736600025333 0ustar00<?php

if ( ! class_exists( 'WP_List_Table' ) ) {
	require_once ABSPATH . 'wp-admin/includes/class-wp-list-table.php';
}

/**
 * Action Scheduler Abstract List Table class
 *
 * This abstract class enhances WP_List_Table making it ready to use.
 *
 * By extending this class we can focus on describing how our table looks like,
 * which columns needs to be shown, filter, ordered by and more and forget about the details.
 *
 * This class supports:
 *  - Bulk actions
 *  - Search
 *  - Sortable columns
 *  - Automatic translations of the columns
 *
 * @codeCoverageIgnore
 * @since  2.0.0
 */
abstract class ActionScheduler_Abstract_ListTable extends WP_List_Table {

	/**
	 * The table name
	 *
	 * @var string
	 */
	protected $table_name;

	/**
	 * Package name, used to get options from WP_List_Table::get_items_per_page.
	 *
	 * @var string
	 */
	protected $package;

	/**
	 * How many items do we render per page?
	 *
	 * @var int
	 */
	protected $items_per_page = 10;

	/**
	 * Enables search in this table listing. If this array
	 * is empty it means the listing is not searchable.
	 *
	 * @var array
	 */
	protected $search_by = array();

	/**
	 * Columns to show in the table listing. It is a key => value pair. The
	 * key must much the table column name and the value is the label, which is
	 * automatically translated.
	 *
	 * @var array
	 */
	protected $columns = array();

	/**
	 * Defines the row-actions. It expects an array where the key
	 * is the column name and the value is an array of actions.
	 *
	 * The array of actions are key => value, where key is the method name
	 * (with the prefix row_action_<key>) and the value is the label
	 * and title.
	 *
	 * @var array
	 */
	protected $row_actions = array();

	/**
	 * The Primary key of our table
	 *
	 * @var string
	 */
	protected $ID = 'ID';

	/**
	 * Enables sorting, it expects an array
	 * of columns (the column names are the values)
	 *
	 * @var array
	 */
	protected $sort_by = array();

	/**
	 * The default sort order
	 *
	 * @var string
	 */
	protected $filter_by = array();

	/**
	 * The status name => count combinations for this table's items. Used to display status filters.
	 *
	 * @var array
	 */
	protected $status_counts = array();

	/**
	 * Notices to display when loading the table. Array of arrays of form array( 'class' => {updated|error}, 'message' => 'This is the notice text display.' ).
	 *
	 * @var array
	 */
	protected $admin_notices = array();

	/**
	 * Localised string displayed in the <h1> element above the able.
	 *
	 * @var string
	 */
	protected $table_header;

	/**
	 * Enables bulk actions. It must be an array where the key is the action name
	 * and the value is the label (which is translated automatically). It is important
	 * to notice that it will check that the method exists (`bulk_$name`) and will throw
	 * an exception if it does not exists.
	 *
	 * This class will automatically check if the current request has a bulk action, will do the
	 * validations and afterwards will execute the bulk method, with two arguments. The first argument
	 * is the array with primary keys, the second argument is a string with a list of the primary keys,
	 * escaped and ready to use (with `IN`).
	 *
	 * @var array
	 */
	protected $bulk_actions = array();

	/**
	 * Makes translation easier, it basically just wraps
	 * `_x` with some default (the package name).
	 *
	 * @param string $text The new text to translate.
	 * @param string $context The context of the text.
	 * @return string|void The translated text.
	 *
	 * @deprecated 3.0.0 Use `_x()` instead.
	 */
	protected function translate( $text, $context = '' ) {
		return $text;
	}

	/**
	 * Reads `$this->bulk_actions` and returns an array that WP_List_Table understands. It
	 * also validates that the bulk method handler exists. It throws an exception because
	 * this is a library meant for developers and missing a bulk method is a development-time error.
	 *
	 * @return array
	 *
	 * @throws RuntimeException Throws RuntimeException when the bulk action does not have a callback method.
	 */
	protected function get_bulk_actions() {
		$actions = array();

		foreach ( $this->bulk_actions as $action => $label ) {
			if ( ! is_callable( array( $this, 'bulk_' . $action ) ) ) {
				throw new RuntimeException( "The bulk action $action does not have a callback method" );
			}

			$actions[ $action ] = $label;
		}

		return $actions;
	}

	/**
	 * Checks if the current request has a bulk action. If that is the case it will validate and will
	 * execute the bulk method handler. Regardless if the action is valid or not it will redirect to
	 * the previous page removing the current arguments that makes this request a bulk action.
	 */
	protected function process_bulk_action() {
		global $wpdb;
		// Detect when a bulk action is being triggered.
		$action = $this->current_action();
		if ( ! $action ) {
			return;
		}

		check_admin_referer( 'bulk-' . $this->_args['plural'] );

		$method = 'bulk_' . $action;
		if ( array_key_exists( $action, $this->bulk_actions ) && is_callable( array( $this, $method ) ) && ! empty( $_GET['ID'] ) && is_array( $_GET['ID'] ) ) {
			$ids_sql = '(' . implode( ',', array_fill( 0, count( $_GET['ID'] ), '%s' ) ) . ')';
			$id      = array_map( 'absint', $_GET['ID'] );
			$this->$method( $id, $wpdb->prepare( $ids_sql, $id ) ); //phpcs:ignore WordPress.DB.PreparedSQL
		}

		if ( isset( $_SERVER['REQUEST_URI'] ) ) {
			wp_safe_redirect(
				remove_query_arg(
					array( '_wp_http_referer', '_wpnonce', 'ID', 'action', 'action2' ),
					esc_url_raw( wp_unslash( $_SERVER['REQUEST_URI'] ) )
				)
			);
			exit;
		}
	}

	/**
	 * Default code for deleting entries.
	 * validated already by process_bulk_action()
	 *
	 * @param array  $ids ids of the items to delete.
	 * @param string $ids_sql the sql for the ids.
	 * @return void
	 */
	protected function bulk_delete( array $ids, $ids_sql ) {
		$store = ActionScheduler::store();
		foreach ( $ids as $action_id ) {
			$store->delete( $action_id );
		}
	}

	/**
	 * Prepares the _column_headers property which is used by WP_Table_List at rendering.
	 * It merges the columns and the sortable columns.
	 */
	protected function prepare_column_headers() {
		$this->_column_headers = array(
			$this->get_columns(),
			get_hidden_columns( $this->screen ),
			$this->get_sortable_columns(),
		);
	}

	/**
	 * Reads $this->sort_by and returns the columns name in a format that WP_Table_List
	 * expects
	 */
	public function get_sortable_columns() {
		$sort_by = array();
		foreach ( $this->sort_by as $column ) {
			$sort_by[ $column ] = array( $column, true );
		}
		return $sort_by;
	}

	/**
	 * Returns the columns names for rendering. It adds a checkbox for selecting everything
	 * as the first column
	 */
	public function get_columns() {
		$columns = array_merge(
			array( 'cb' => '<input type="checkbox" />' ),
			$this->columns
		);

		return $columns;
	}

	/**
	 * Get prepared LIMIT clause for items query
	 *
	 * @global wpdb $wpdb
	 *
	 * @return string Prepared LIMIT clause for items query.
	 */
	protected function get_items_query_limit() {
		global $wpdb;

		$per_page = $this->get_items_per_page( $this->get_per_page_option_name(), $this->items_per_page );
		return $wpdb->prepare( 'LIMIT %d', $per_page );
	}

	/**
	 * Returns the number of items to offset/skip for this current view.
	 *
	 * @return int
	 */
	protected function get_items_offset() {
		$per_page     = $this->get_items_per_page( $this->get_per_page_option_name(), $this->items_per_page );
		$current_page = $this->get_pagenum();
		if ( 1 < $current_page ) {
			$offset = $per_page * ( $current_page - 1 );
		} else {
			$offset = 0;
		}

		return $offset;
	}

	/**
	 * Get prepared OFFSET clause for items query
	 *
	 * @global wpdb $wpdb
	 *
	 * @return string Prepared OFFSET clause for items query.
	 */
	protected function get_items_query_offset() {
		global $wpdb;

		return $wpdb->prepare( 'OFFSET %d', $this->get_items_offset() );
	}

	/**
	 * Prepares the ORDER BY sql statement. It uses `$this->sort_by` to know which
	 * columns are sortable. This requests validates the orderby $_GET parameter is a valid
	 * column and sortable. It will also use order (ASC|DESC) using DESC by default.
	 */
	protected function get_items_query_order() {
		if ( empty( $this->sort_by ) ) {
			return '';
		}

		$orderby = esc_sql( $this->get_request_orderby() );
		$order   = esc_sql( $this->get_request_order() );

		return "ORDER BY {$orderby} {$order}";
	}

	/**
	 * Return the sortable column specified for this request to order the results by, if any.
	 *
	 * @return string
	 */
	protected function get_request_orderby() {

		$valid_sortable_columns = array_values( $this->sort_by );

		if ( ! empty( $_GET['orderby'] ) && in_array( $_GET['orderby'], $valid_sortable_columns, true ) ) { //phpcs:ignore WordPress.Security.NonceVerification.Recommended
			$orderby = sanitize_text_field( wp_unslash( $_GET['orderby'] ) ); //phpcs:ignore WordPress.Security.NonceVerification.Recommended
		} else {
			$orderby = $valid_sortable_columns[0];
		}

		return $orderby;
	}

	/**
	 * Return the sortable column order specified for this request.
	 *
	 * @return string
	 */
	protected function get_request_order() {

		if ( ! empty( $_GET['order'] ) && 'desc' === strtolower( sanitize_text_field( wp_unslash( $_GET['order'] ) ) ) ) { //phpcs:ignore WordPress.Security.NonceVerification.Recommended
			$order = 'DESC';
		} else {
			$order = 'ASC';
		}

		return $order;
	}

	/**
	 * Return the status filter for this request, if any.
	 *
	 * @return string
	 */
	protected function get_request_status() {
		$status = ( ! empty( $_GET['status'] ) ) ? sanitize_text_field( wp_unslash( $_GET['status'] ) ) : ''; //phpcs:ignore WordPress.Security.NonceVerification.Recommended
		return $status;
	}

	/**
	 * Return the search filter for this request, if any.
	 *
	 * @return string
	 */
	protected function get_request_search_query() {
		$search_query = ( ! empty( $_GET['s'] ) ) ? sanitize_text_field( wp_unslash( $_GET['s'] ) ) : ''; //phpcs:ignore WordPress.Security.NonceVerification.Recommended
		return $search_query;
	}

	/**
	 * Process and return the columns name. This is meant for using with SQL, this means it
	 * always includes the primary key.
	 *
	 * @return array
	 */
	protected function get_table_columns() {
		$columns = array_keys( $this->columns );
		if ( ! in_array( $this->ID, $columns, true ) ) {
			$columns[] = $this->ID;
		}

		return $columns;
	}

	/**
	 * Check if the current request is doing a "full text" search. If that is the case
	 * prepares the SQL to search texts using LIKE.
	 *
	 * If the current request does not have any search or if this list table does not support
	 * that feature it will return an empty string.
	 *
	 * @return string
	 */
	protected function get_items_query_search() {
		global $wpdb;

		if ( empty( $_GET['s'] ) || empty( $this->search_by ) ) { //phpcs:ignore WordPress.Security.NonceVerification.Recommended
			return '';
		}

		$search_string = sanitize_text_field( wp_unslash( $_GET['s'] ) ); //phpcs:ignore WordPress.Security.NonceVerification.Recommended

		$filter = array();
		foreach ( $this->search_by as $column ) {
			$wild     = '%';
			$sql_like = $wild . $wpdb->esc_like( $search_string ) . $wild;
			$filter[] = $wpdb->prepare( '`' . $column . '` LIKE %s', $sql_like ); // phpcs:ignore WordPress.Security.NonceVerification.Recommended, WordPress.DB.PreparedSQL.NotPrepared
		}
		return implode( ' OR ', $filter );
	}

	/**
	 * Prepares the SQL to filter rows by the options defined at `$this->filter_by`. Before trusting
	 * any data sent by the user it validates that it is a valid option.
	 */
	protected function get_items_query_filters() {
		global $wpdb;

		if ( ! $this->filter_by || empty( $_GET['filter_by'] ) || ! is_array( $_GET['filter_by'] ) ) { //phpcs:ignore WordPress.Security.NonceVerification.Recommended
			return '';
		}

		$filter = array();

		foreach ( $this->filter_by as $column => $options ) {
			if ( empty( $_GET['filter_by'][ $column ] ) || empty( $options[ $_GET['filter_by'][ $column ] ] ) ) { //phpcs:ignore WordPress.Security.NonceVerification.Recommended
				continue;
			}

			$filter[] = $wpdb->prepare( "`$column` = %s", sanitize_text_field( wp_unslash( $_GET['filter_by'][ $column ] ) ) ); //phpcs:ignore WordPress.Security.NonceVerification.Recommended, WordPress.DB.PreparedSQL.InterpolatedNotPrepared
		}

		return implode( ' AND ', $filter );

	}

	/**
	 * Prepares the data to feed WP_Table_List.
	 *
	 * This has the core for selecting, sorting and filting data. To keep the code simple
	 * its logic is split among many methods (get_items_query_*).
	 *
	 * Beside populating the items this function will also count all the records that matches
	 * the filtering criteria and will do fill the pagination variables.
	 */
	public function prepare_items() {
		global $wpdb;

		$this->process_bulk_action();

		$this->process_row_actions();

		if ( ! empty( $_REQUEST['_wp_http_referer'] && ! empty( $_SERVER['REQUEST_URI'] ) ) ) { //phpcs:ignore WordPress.Security.NonceVerification.Recommended
			// _wp_http_referer is used only on bulk actions, we remove it to keep the $_GET shorter
			wp_safe_redirect( remove_query_arg( array( '_wp_http_referer', '_wpnonce' ), esc_url_raw( wp_unslash( $_SERVER['REQUEST_URI'] ) ) ) );
			exit;
		}

		$this->prepare_column_headers();

		$limit   = $this->get_items_query_limit();
		$offset  = $this->get_items_query_offset();
		$order   = $this->get_items_query_order();
		$where   = array_filter(
			array(
				$this->get_items_query_search(),
				$this->get_items_query_filters(),
			)
		);
		$columns = '`' . implode( '`, `', $this->get_table_columns() ) . '`';

		if ( ! empty( $where ) ) {
			$where = 'WHERE (' . implode( ') AND (', $where ) . ')';
		} else {
			$where = '';
		}

		$sql = "SELECT $columns FROM {$this->table_name} {$where} {$order} {$limit} {$offset}";

		$this->set_items( $wpdb->get_results( $sql, ARRAY_A ) ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared

		$query_count = "SELECT COUNT({$this->ID}) FROM {$this->table_name} {$where}";
		$total_items = $wpdb->get_var( $query_count ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
		$per_page    = $this->get_items_per_page( $this->get_per_page_option_name(), $this->items_per_page );
		$this->set_pagination_args(
			array(
				'total_items' => $total_items,
				'per_page'    => $per_page,
				'total_pages' => ceil( $total_items / $per_page ),
			)
		);
	}

	/**
	 * Display the table.
	 *
	 * @param string $which The name of the table.
	 */
	public function extra_tablenav( $which ) {
		if ( ! $this->filter_by || 'top' !== $which ) {
			return;
		}

		echo '<div class="alignleft actions">';

		foreach ( $this->filter_by as $id => $options ) {
			$default = ! empty( $_GET['filter_by'][ $id ] ) ? sanitize_text_field( wp_unslash( $_GET['filter_by'][ $id ] ) ) : ''; //phpcs:ignore WordPress.Security.NonceVerification.Recommended
			if ( empty( $options[ $default ] ) ) {
				$default = '';
			}

			echo '<select name="filter_by[' . esc_attr( $id ) . ']" class="first" id="filter-by-' . esc_attr( $id ) . '">';

			foreach ( $options as $value => $label ) {
				echo '<option value="' . esc_attr( $value ) . '" ' . esc_html( $value === $default ? 'selected' : '' ) . '>'
					. esc_html( $label )
				. '</option>';
			}

			echo '</select>';
		}

		submit_button( esc_html__( 'Filter', 'action-scheduler' ), '', 'filter_action', false, array( 'id' => 'post-query-submit' ) );
		echo '</div>';
	}

	/**
	 * Set the data for displaying. It will attempt to unserialize (There is a chance that some columns
	 * are serialized). This can be override in child classes for futher data transformation.
	 *
	 * @param array $items Items array.
	 */
	protected function set_items( array $items ) {
		$this->items = array();
		foreach ( $items as $item ) {
			$this->items[ $item[ $this->ID ] ] = array_map( 'maybe_unserialize', $item );
		}
	}

	/**
	 * Renders the checkbox for each row, this is the first column and it is named ID regardless
	 * of how the primary key is named (to keep the code simpler). The bulk actions will do the proper
	 * name transformation though using `$this->ID`.
	 *
	 * @param array $row The row to render.
	 */
	public function column_cb( $row ) {
		return '<input name="ID[]" type="checkbox" value="' . esc_attr( $row[ $this->ID ] ) . '" />';
	}

	/**
	 * Renders the row-actions.
	 *
	 * This method renders the action menu, it reads the definition from the $row_actions property,
	 * and it checks that the row action method exists before rendering it.
	 *
	 * @param array  $row Row to be rendered.
	 * @param string $column_name Column name.
	 * @return string
	 */
	protected function maybe_render_actions( $row, $column_name ) {
		if ( empty( $this->row_actions[ $column_name ] ) ) {
			return;
		}

		$row_id = $row[ $this->ID ];

		$actions      = '<div class="row-actions">';
		$action_count = 0;
		foreach ( $this->row_actions[ $column_name ] as $action_key => $action ) {

			$action_count++;

			if ( ! method_exists( $this, 'row_action_' . $action_key ) ) {
				continue;
			}

			$action_link = ! empty( $action['link'] ) ? $action['link'] : add_query_arg(
				array(
					'row_action' => $action_key,
					'row_id'     => $row_id,
					'nonce'      => wp_create_nonce( $action_key . '::' . $row_id ),
				)
			);
			$span_class  = ! empty( $action['class'] ) ? $action['class'] : $action_key;
			$separator   = ( $action_count < count( $this->row_actions[ $column_name ] ) ) ? ' | ' : '';

			$actions .= sprintf( '<span class="%s">', esc_attr( $span_class ) );
			$actions .= sprintf( '<a href="%1$s" title="%2$s">%3$s</a>', esc_url( $action_link ), esc_attr( $action['desc'] ), esc_html( $action['name'] ) );
			$actions .= sprintf( '%s</span>', $separator );
		}
		$actions .= '</div>';
		return $actions;
	}

	/**
	 * Process the bulk actions.
	 *
	 * @return void
	 */
	protected function process_row_actions() {
		$parameters = array( 'row_action', 'row_id', 'nonce' );
		foreach ( $parameters as $parameter ) {
			if ( empty( $_REQUEST[ $parameter ] ) ) { // phpcs:ignore WordPress.Security.NonceVerification.Recommended
				return;
			}
		}

		$action = sanitize_text_field( wp_unslash( $_REQUEST['row_action'] ) ); // phpcs:ignore WordPress.Security.NonceVerification.Recommended, WordPress.Security.ValidatedSanitizedInput.InputNotValidated
		$row_id = sanitize_text_field( wp_unslash( $_REQUEST['row_id'] ) ); // phpcs:ignore WordPress.Security.NonceVerification.Recommended, WordPress.Security.ValidatedSanitizedInput.InputNotValidated
		$nonce  = sanitize_text_field( wp_unslash( $_REQUEST['nonce'] ) ); // phpcs:ignore WordPress.Security.NonceVerification.Recommended, WordPress.Security.ValidatedSanitizedInput.InputNotValidated
		$method = 'row_action_' . $action; // phpcs:ignore WordPress.Security.NonceVerification.Recommended

		if ( wp_verify_nonce( $nonce, $action . '::' . $row_id ) && method_exists( $this, $method ) ) {
			$this->$method( sanitize_text_field( wp_unslash( $row_id ) ) ); // phpcs:ignore WordPress.Security.NonceVerification.Recommended
		}

		if ( isset( $_SERVER['REQUEST_URI'] ) ) {
			wp_safe_redirect(
				remove_query_arg(
					array( 'row_id', 'row_action', 'nonce' ),
					esc_url_raw( wp_unslash( $_SERVER['REQUEST_URI'] ) )
				)
			);
			exit;
		}
	}

	/**
	 * Default column formatting, it will escape everythig for security.
	 *
	 * @param array  $item The item array.
	 * @param string $column_name Column name to display.
	 *
	 * @return string
	 */
	public function column_default( $item, $column_name ) {
		$column_html  = esc_html( $item[ $column_name ] );
		$column_html .= $this->maybe_render_actions( $item, $column_name );
		return $column_html;
	}

	/**
	 * Display the table heading and search query, if any
	 */
	protected function display_header() {
		echo '<h1 class="wp-heading-inline">' . esc_attr( $this->table_header ) . '</h1>';
		if ( $this->get_request_search_query() ) {
			/* translators: %s: search query */
			echo '<span class="subtitle">' . esc_attr( sprintf( __( 'Search results for "%s"', 'action-scheduler' ), $this->get_request_search_query() ) ) . '</span>';
		}
		echo '<hr class="wp-header-end">';
	}

	/**
	 * Display the table heading and search query, if any
	 */
	protected function display_admin_notices() {
		foreach ( $this->admin_notices as $notice ) {
			echo '<div id="message" class="' . esc_attr( $notice['class'] ) . '">';
			echo '	<p>' . wp_kses_post( $notice['message'] ) . '</p>';
			echo '</div>';
		}
	}

	/**
	 * Prints the available statuses so the user can click to filter.
	 */
	protected function display_filter_by_status() {

		$status_list_items = array();
		$request_status    = $this->get_request_status();

		// Helper to set 'all' filter when not set on status counts passed in.
		if ( ! isset( $this->status_counts['all'] ) ) {
			$this->status_counts = array( 'all' => array_sum( $this->status_counts ) ) + $this->status_counts;
		}

		foreach ( $this->status_counts as $status_name => $count ) {

			if ( 0 === $count ) {
				continue;
			}

			if ( $status_name === $request_status || ( empty( $request_status ) && 'all' === $status_name ) ) {
				$status_list_item = '<li class="%1$s"><strong>%3$s</strong> (%4$d)</li>';
			} else {
				$status_list_item = '<li class="%1$s"><a href="%2$s">%3$s</a> (%4$d)</li>';
			}

			$status_filter_url   = ( 'all' === $status_name ) ? remove_query_arg( 'status' ) : add_query_arg( 'status', $status_name );
			$status_filter_url   = remove_query_arg( array( 'paged', 's' ), $status_filter_url );
			$status_list_items[] = sprintf( $status_list_item, esc_attr( $status_name ), esc_url( $status_filter_url ), esc_html( ucfirst( $status_name ) ), absint( $count ) );
		}

		if ( $status_list_items ) {
			echo '<ul class="subsubsub">';
			echo implode( " | \n", $status_list_items ); // phpcs:ignore WordPress.Security.EscapeOutput.OutputNotEscaped
			echo '</ul>';
		}
	}

	/**
	 * Renders the table list, we override the original class to render the table inside a form
	 * and to render any needed HTML (like the search box). By doing so the callee of a function can simple
	 * forget about any extra HTML.
	 */
	protected function display_table() {
		echo '<form id="' . esc_attr( $this->_args['plural'] ) . '-filter" method="get">';
		foreach ( $_GET as $key => $value ) { // phpcs:ignore WordPress.Security.NonceVerification.Recommended
			if ( '_' === $key[0] || 'paged' === $key || 'ID' === $key ) {
				continue;
			}
			echo '<input type="hidden" name="' . esc_attr( $key ) . '" value="' . esc_attr( $value ) . '" />';
		}
		if ( ! empty( $this->search_by ) ) {
			echo $this->search_box( $this->get_search_box_button_text(), 'plugin' ); // phpcs:ignore WordPress.Security.EscapeOutput.OutputNotEscaped
		}
		parent::display();
		echo '</form>';
	}

	/**
	 * Process any pending actions.
	 */
	public function process_actions() {
		$this->process_bulk_action();
		$this->process_row_actions();

		if ( ! empty( $_REQUEST['_wp_http_referer'] ) && ! empty( $_SERVER['REQUEST_URI'] ) ) { // phpcs:ignore WordPress.Security.NonceVerification.Recommended
			// _wp_http_referer is used only on bulk actions, we remove it to keep the $_GET shorter
			wp_safe_redirect( remove_query_arg( array( '_wp_http_referer', '_wpnonce' ), esc_url_raw( wp_unslash( $_SERVER['REQUEST_URI'] ) ) ) );
			exit;
		}
	}

	/**
	 * Render the list table page, including header, notices, status filters and table.
	 */
	public function display_page() {
		$this->prepare_items();

		echo '<div class="wrap">';
		$this->display_header();
		$this->display_admin_notices();
		$this->display_filter_by_status();
		$this->display_table();
		echo '</div>';
	}

	/**
	 * Get the text to display in the search box on the list table.
	 */
	protected function get_search_box_placeholder() {
		return esc_html__( 'Search', 'action-scheduler' );
	}

	/**
	 * Gets the screen per_page option name.
	 *
	 * @return string
	 */
	protected function get_per_page_option_name() {
		return $this->package . '_items_per_page';
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_Store.php000064400000030446151330736600022713 0ustar00<?php

/**
 * Class ActionScheduler_Store
 * @codeCoverageIgnore
 */
abstract class ActionScheduler_Store extends ActionScheduler_Store_Deprecated {
	const STATUS_COMPLETE = 'complete';
	const STATUS_PENDING  = 'pending';
	const STATUS_RUNNING  = 'in-progress';
	const STATUS_FAILED   = 'failed';
	const STATUS_CANCELED = 'canceled';
	const DEFAULT_CLASS   = 'ActionScheduler_wpPostStore';

	/** @var ActionScheduler_Store */
	private static $store = NULL;

	/** @var int */
	protected static $max_args_length = 191;

	/**
	 * @param ActionScheduler_Action $action
	 * @param DateTime $scheduled_date Optional Date of the first instance
	 *        to store. Otherwise uses the first date of the action's
	 *        schedule.
	 *
	 * @return int The action ID
	 */
	abstract public function save_action( ActionScheduler_Action $action, DateTime $scheduled_date = NULL );

	/**
	 * @param string $action_id
	 *
	 * @return ActionScheduler_Action
	 */
	abstract public function fetch_action( $action_id );

	/**
	 * Find an action.
	 *
	 * Note: the query ordering changes based on the passed 'status' value.
	 *
	 * @param string $hook Action hook.
	 * @param array  $params Parameters of the action to find.
	 *
	 * @return string|null ID of the next action matching the criteria or NULL if not found.
	 */
	public function find_action( $hook, $params = array() ) {
		$params = wp_parse_args(
			$params,
			array(
				'args'   => null,
				'status' => self::STATUS_PENDING,
				'group'  => '',
			)
		);

		// These params are fixed for this method.
		$params['hook']     = $hook;
		$params['orderby']  = 'date';
		$params['per_page'] = 1;

		if ( ! empty( $params['status'] ) ) {
			if ( self::STATUS_PENDING === $params['status'] ) {
				$params['order'] = 'ASC'; // Find the next action that matches.
			} else {
				$params['order'] = 'DESC'; // Find the most recent action that matches.
			}
		}

		$results = $this->query_actions( $params );

		return empty( $results ) ? null : $results[0];
	}

	/**
	 * Query for action count or list of action IDs.
	 *
	 * @since x.x.x $query['status'] accepts array of statuses instead of a single status.
	 *
	 * @param array  $query {
	 *      Query filtering options.
	 *
	 *      @type string       $hook             The name of the actions. Optional.
	 *      @type string|array $status           The status or statuses of the actions. Optional.
	 *      @type array        $args             The args array of the actions. Optional.
	 *      @type DateTime     $date             The scheduled date of the action. Used in UTC timezone. Optional.
	 *      @type string       $date_compare     Operator for selecting by $date param. Accepted values are '!=', '>', '>=', '<', '<=', '='. Defaults to '<='.
	 *      @type DateTime     $modified         The last modified date of the action. Used in UTC timezone. Optional.
	 *      @type string       $modified_compare Operator for comparing $modified param. Accepted values are '!=', '>', '>=', '<', '<=', '='. Defaults to '<='.
	 *      @type string       $group            The group the action belongs to. Optional.
	 *      @type bool|int     $claimed          TRUE to find claimed actions, FALSE to find unclaimed actions, an int to find a specific claim ID. Optional.
	 *      @type int          $per_page         Number of results to return. Defaults to 5.
	 *      @type int          $offset           The query pagination offset. Defaults to 0.
	 *      @type int          $orderby          Accepted values are 'hook', 'group', 'modified', 'date' or 'none'. Defaults to 'date'.
	 *      @type string       $order            Accepted values are 'ASC' or 'DESC'. Defaults to 'ASC'.
	 * }
	 * @param string $query_type Whether to select or count the results. Default, select.
	 *
	 * @return string|array|null The IDs of actions matching the query. Null on failure.
	 */
	abstract public function query_actions( $query = array(), $query_type = 'select' );

	/**
	 * Run query to get a single action ID.
	 *
	 * @since x.x.x
	 *
	 * @see ActionScheduler_Store::query_actions for $query arg usage but 'per_page' and 'offset' can't be used.
	 *
	 * @param array $query Query parameters.
	 *
	 * @return int|null
	 */
	public function query_action( $query ) {
		$query['per_page'] = 1;
		$query['offset']   = 0;
		$results           = $this->query_actions( $query );

		if ( empty( $results ) ) {
			return null;
		} else {
			return (int) $results[0];
		}
	}

	/**
	 * Get a count of all actions in the store, grouped by status
	 *
	 * @return array
	 */
	abstract public function action_counts();

	/**
	 * @param string $action_id
	 */
	abstract public function cancel_action( $action_id );

	/**
	 * @param string $action_id
	 */
	abstract public function delete_action( $action_id );

	/**
	 * @param string $action_id
	 *
	 * @return DateTime The date the action is schedule to run, or the date that it ran.
	 */
	abstract public function get_date( $action_id );


	/**
	 * @param int      $max_actions
	 * @param DateTime $before_date Claim only actions schedule before the given date. Defaults to now.
	 * @param array    $hooks       Claim only actions with a hook or hooks.
	 * @param string   $group       Claim only actions in the given group.
	 *
	 * @return ActionScheduler_ActionClaim
	 */
	abstract public function stake_claim( $max_actions = 10, DateTime $before_date = null, $hooks = array(), $group = '' );

	/**
	 * @return int
	 */
	abstract public function get_claim_count();

	/**
	 * @param ActionScheduler_ActionClaim $claim
	 */
	abstract public function release_claim( ActionScheduler_ActionClaim $claim );

	/**
	 * @param string $action_id
	 */
	abstract public function unclaim_action( $action_id );

	/**
	 * @param string $action_id
	 */
	abstract public function mark_failure( $action_id );

	/**
	 * @param string $action_id
	 */
	abstract public function log_execution( $action_id );

	/**
	 * @param string $action_id
	 */
	abstract public function mark_complete( $action_id );

	/**
	 * @param string $action_id
	 *
	 * @return string
	 */
	abstract public function get_status( $action_id );

	/**
	 * @param string $action_id
	 * @return mixed
	 */
	abstract public function get_claim_id( $action_id );

	/**
	 * @param string $claim_id
	 * @return array
	 */
	abstract public function find_actions_by_claim_id( $claim_id );

	/**
	 * @param string $comparison_operator
	 * @return string
	 */
	protected function validate_sql_comparator( $comparison_operator ) {
		if ( in_array( $comparison_operator, array('!=', '>', '>=', '<', '<=', '=') ) ) {
			return $comparison_operator;
		}
		return '=';
	}

	/**
	 * Get the time MySQL formated date/time string for an action's (next) scheduled date.
	 *
	 * @param ActionScheduler_Action $action
	 * @param DateTime $scheduled_date (optional)
	 * @return string
	 */
	protected function get_scheduled_date_string( ActionScheduler_Action $action, DateTime $scheduled_date = NULL ) {
		$next = null === $scheduled_date ? $action->get_schedule()->get_date() : $scheduled_date;
		if ( ! $next ) {
			return '0000-00-00 00:00:00';
		}
		$next->setTimezone( new DateTimeZone( 'UTC' ) );

		return $next->format( 'Y-m-d H:i:s' );
	}

	/**
	 * Get the time MySQL formated date/time string for an action's (next) scheduled date.
	 *
	 * @param ActionScheduler_Action $action
	 * @param DateTime $scheduled_date (optional)
	 * @return string
	 */
	protected function get_scheduled_date_string_local( ActionScheduler_Action $action, DateTime $scheduled_date = NULL ) {
		$next = null === $scheduled_date ? $action->get_schedule()->get_date() : $scheduled_date;
		if ( ! $next ) {
			return '0000-00-00 00:00:00';
		}

		ActionScheduler_TimezoneHelper::set_local_timezone( $next );
		return $next->format( 'Y-m-d H:i:s' );
	}

	/**
	 * Validate that we could decode action arguments.
	 *
	 * @param mixed $args      The decoded arguments.
	 * @param int   $action_id The action ID.
	 *
	 * @throws ActionScheduler_InvalidActionException When the decoded arguments are invalid.
	 */
	protected function validate_args( $args, $action_id ) {
		// Ensure we have an array of args.
		if ( ! is_array( $args ) ) {
			throw ActionScheduler_InvalidActionException::from_decoding_args( $action_id );
		}

		// Validate JSON decoding if possible.
		if ( function_exists( 'json_last_error' ) && JSON_ERROR_NONE !== json_last_error() ) {
			throw ActionScheduler_InvalidActionException::from_decoding_args( $action_id, $args );
		}
	}

	/**
	 * Validate a ActionScheduler_Schedule object.
	 *
	 * @param mixed $schedule  The unserialized ActionScheduler_Schedule object.
	 * @param int   $action_id The action ID.
	 *
	 * @throws ActionScheduler_InvalidActionException When the schedule is invalid.
	 */
	protected function validate_schedule( $schedule, $action_id ) {
		if ( empty( $schedule ) || ! is_a( $schedule, 'ActionScheduler_Schedule' ) ) {
			throw ActionScheduler_InvalidActionException::from_schedule( $action_id, $schedule );
		}
	}

	/**
	 * InnoDB indexes have a maximum size of 767 bytes by default, which is only 191 characters with utf8mb4.
	 *
	 * Previously, AS wasn't concerned about args length, as we used the (unindex) post_content column. However,
	 * with custom tables, we use an indexed VARCHAR column instead.
	 *
	 * @param  ActionScheduler_Action $action Action to be validated.
	 * @throws InvalidArgumentException When json encoded args is too long.
	 */
	protected function validate_action( ActionScheduler_Action $action ) {
		if ( strlen( json_encode( $action->get_args() ) ) > static::$max_args_length ) {
			throw new InvalidArgumentException( sprintf( __( 'ActionScheduler_Action::$args too long. To ensure the args column can be indexed, action args should not be more than %d characters when encoded as JSON.', 'action-scheduler' ), static::$max_args_length ) );
		}
	}

	/**
	 * Cancel pending actions by hook.
	 *
	 * @since 3.0.0
	 *
	 * @param string $hook Hook name.
	 *
	 * @return void
	 */
	public function cancel_actions_by_hook( $hook ) {
		$action_ids = true;
		while ( ! empty( $action_ids ) ) {
			$action_ids = $this->query_actions(
				array(
					'hook'     => $hook,
					'status'   => self::STATUS_PENDING,
					'per_page' => 1000,
					'orderby'  => 'action_id',
				)
			);

			$this->bulk_cancel_actions( $action_ids );
		}
	}

	/**
	 * Cancel pending actions by group.
	 *
	 * @since 3.0.0
	 *
	 * @param string $group Group slug.
	 *
	 * @return void
	 */
	public function cancel_actions_by_group( $group ) {
		$action_ids = true;
		while ( ! empty( $action_ids ) ) {
			$action_ids = $this->query_actions(
				array(
					'group'    => $group,
					'status'   => self::STATUS_PENDING,
					'per_page' => 1000,
					'orderby'  => 'action_id',
				)
			);

			$this->bulk_cancel_actions( $action_ids );
		}
	}

	/**
	 * Cancel a set of action IDs.
	 *
	 * @since 3.0.0
	 *
	 * @param array $action_ids List of action IDs.
	 *
	 * @return void
	 */
	private function bulk_cancel_actions( $action_ids ) {
		foreach ( $action_ids as $action_id ) {
			$this->cancel_action( $action_id );
		}

		do_action( 'action_scheduler_bulk_cancel_actions', $action_ids );
	}

	/**
	 * @return array
	 */
	public function get_status_labels() {
		return array(
			self::STATUS_COMPLETE => __( 'Complete', 'action-scheduler' ),
			self::STATUS_PENDING  => __( 'Pending', 'action-scheduler' ),
			self::STATUS_RUNNING  => __( 'In-progress', 'action-scheduler' ),
			self::STATUS_FAILED   => __( 'Failed', 'action-scheduler' ),
			self::STATUS_CANCELED => __( 'Canceled', 'action-scheduler' ),
		);
	}

	/**
	 * Check if there are any pending scheduled actions due to run.
	 *
	 * @param ActionScheduler_Action $action
	 * @param DateTime $scheduled_date (optional)
	 * @return string
	 */
	public function has_pending_actions_due() {
		$pending_actions = $this->query_actions( array(
			'date'    => as_get_datetime_object(),
			'status'  => ActionScheduler_Store::STATUS_PENDING,
			'orderby' => 'none',
		) );

		return ! empty( $pending_actions );
	}

	/**
	 * Callable initialization function optionally overridden in derived classes.
	 */
	public function init() {}

	/**
	 * Callable function to mark an action as migrated optionally overridden in derived classes.
	 */
	public function mark_migrated( $action_id ) {}

	/**
	 * @return ActionScheduler_Store
	 */
	public static function instance() {
		if ( empty( self::$store ) ) {
			$class = apply_filters( 'action_scheduler_store_class', self::DEFAULT_CLASS );
			self::$store = new $class();
		}
		return self::$store;
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler.php000064400000021062151330736600021531 0ustar00<?php

use Action_Scheduler\WP_CLI\Migration_Command;
use Action_Scheduler\Migration\Controller;

/**
 * Class ActionScheduler
 * @codeCoverageIgnore
 */
abstract class ActionScheduler {
	private static $plugin_file = '';
	/** @var ActionScheduler_ActionFactory */
	private static $factory = NULL;
	/** @var bool */
	private static $data_store_initialized = false;

	public static function factory() {
		if ( !isset(self::$factory) ) {
			self::$factory = new ActionScheduler_ActionFactory();
		}
		return self::$factory;
	}

	public static function store() {
		return ActionScheduler_Store::instance();
	}

	public static function lock() {
		return ActionScheduler_Lock::instance();
	}

	public static function logger() {
		return ActionScheduler_Logger::instance();
	}

	public static function runner() {
		return ActionScheduler_QueueRunner::instance();
	}

	public static function admin_view() {
		return ActionScheduler_AdminView::instance();
	}

	/**
	 * Get the absolute system path to the plugin directory, or a file therein
	 * @static
	 * @param string $path
	 * @return string
	 */
	public static function plugin_path( $path ) {
		$base = dirname(self::$plugin_file);
		if ( $path ) {
			return trailingslashit($base).$path;
		} else {
			return untrailingslashit($base);
		}
	}

	/**
	 * Get the absolute URL to the plugin directory, or a file therein
	 * @static
	 * @param string $path
	 * @return string
	 */
	public static function plugin_url( $path ) {
		return plugins_url($path, self::$plugin_file);
	}

	public static function autoload( $class ) {
		$d           = DIRECTORY_SEPARATOR;
		$classes_dir = self::plugin_path( 'classes' . $d );
		$separator   = strrpos( $class, '\\' );
		if ( false !== $separator ) {
			if ( 0 !== strpos( $class, 'Action_Scheduler' ) ) {
				return;
			}
			$class = substr( $class, $separator + 1 );
		}

		if ( 'Deprecated' === substr( $class, -10 ) ) {
			$dir = self::plugin_path( 'deprecated' . $d );
		} elseif ( self::is_class_abstract( $class ) ) {
			$dir = $classes_dir . 'abstracts' . $d;
		} elseif ( self::is_class_migration( $class ) ) {
			$dir = $classes_dir . 'migration' . $d;
		} elseif ( 'Schedule' === substr( $class, -8 ) ) {
			$dir = $classes_dir . 'schedules' . $d;
		} elseif ( 'Action' === substr( $class, -6 ) ) {
			$dir = $classes_dir . 'actions' . $d;
		} elseif ( 'Schema' === substr( $class, -6 ) ) {
			$dir = $classes_dir . 'schema' . $d;
		} elseif ( strpos( $class, 'ActionScheduler' ) === 0 ) {
			$segments = explode( '_', $class );
			$type = isset( $segments[ 1 ] ) ? $segments[ 1 ] : '';

			switch ( $type ) {
				case 'WPCLI':
					$dir = $classes_dir . 'WP_CLI' . $d;
					break;
				case 'DBLogger':
				case 'DBStore':
				case 'HybridStore':
				case 'wpPostStore':
				case 'wpCommentLogger':
					$dir = $classes_dir . 'data-stores' . $d;
					break;
				default:
					$dir = $classes_dir;
					break;
			}
		} elseif ( self::is_class_cli( $class ) ) {
			$dir = $classes_dir . 'WP_CLI' . $d;
		} elseif ( strpos( $class, 'CronExpression' ) === 0 ) {
			$dir = self::plugin_path( 'lib' . $d . 'cron-expression' . $d );
		} elseif ( strpos( $class, 'WP_Async_Request' ) === 0 ) {
			$dir = self::plugin_path( 'lib' . $d );
		} else {
			return;
		}

		if ( file_exists( $dir . "{$class}.php" ) ) {
			include( $dir . "{$class}.php" );
			return;
		}
	}

	/**
	 * Initialize the plugin
	 *
	 * @static
	 * @param string $plugin_file
	 */
	public static function init( $plugin_file ) {
		self::$plugin_file = $plugin_file;
		spl_autoload_register( array( __CLASS__, 'autoload' ) );

		/**
		 * Fires in the early stages of Action Scheduler init hook.
		 */
		do_action( 'action_scheduler_pre_init' );

		require_once( self::plugin_path( 'functions.php' ) );
		ActionScheduler_DataController::init();

		$store      = self::store();
		$logger     = self::logger();
		$runner     = self::runner();
		$admin_view = self::admin_view();

		// Ensure initialization on plugin activation.
		if ( ! did_action( 'init' ) ) {
			add_action( 'init', array( $admin_view, 'init' ), 0, 0 ); // run before $store::init()
			add_action( 'init', array( $store, 'init' ), 1, 0 );
			add_action( 'init', array( $logger, 'init' ), 1, 0 );
			add_action( 'init', array( $runner, 'init' ), 1, 0 );
		} else {
			$admin_view->init();
			$store->init();
			$logger->init();
			$runner->init();
		}

		if ( apply_filters( 'action_scheduler_load_deprecated_functions', true ) ) {
			require_once( self::plugin_path( 'deprecated/functions.php' ) );
		}

		if ( defined( 'WP_CLI' ) && WP_CLI ) {
			WP_CLI::add_command( 'action-scheduler', 'ActionScheduler_WPCLI_Scheduler_command' );
			if ( ! ActionScheduler_DataController::is_migration_complete() && Controller::instance()->allow_migration() ) {
				$command = new Migration_Command();
				$command->register();
			}
		}

		self::$data_store_initialized = true;

		/**
		 * Handle WP comment cleanup after migration.
		 */
		if ( is_a( $logger, 'ActionScheduler_DBLogger' ) && ActionScheduler_DataController::is_migration_complete() && ActionScheduler_WPCommentCleaner::has_logs() ) {
			ActionScheduler_WPCommentCleaner::init();
		}

		add_action( 'action_scheduler/migration_complete', 'ActionScheduler_WPCommentCleaner::maybe_schedule_cleanup' );
	}

	/**
	 * Check whether the AS data store has been initialized.
	 *
	 * @param string $function_name The name of the function being called. Optional. Default `null`.
	 * @return bool
	 */
	public static function is_initialized( $function_name = null ) {
		if ( ! self::$data_store_initialized && ! empty( $function_name ) ) {
			$message = sprintf( __( '%s() was called before the Action Scheduler data store was initialized', 'action-scheduler' ), esc_attr( $function_name ) );
			error_log( $message, E_WARNING );
		}

		return self::$data_store_initialized;
	}

	/**
	 * Determine if the class is one of our abstract classes.
	 *
	 * @since 3.0.0
	 *
	 * @param string $class The class name.
	 *
	 * @return bool
	 */
	protected static function is_class_abstract( $class ) {
		static $abstracts = array(
			'ActionScheduler'                            => true,
			'ActionScheduler_Abstract_ListTable'         => true,
			'ActionScheduler_Abstract_QueueRunner'       => true,
			'ActionScheduler_Abstract_Schedule'          => true,
			'ActionScheduler_Abstract_RecurringSchedule' => true,
			'ActionScheduler_Lock'                       => true,
			'ActionScheduler_Logger'                     => true,
			'ActionScheduler_Abstract_Schema'            => true,
			'ActionScheduler_Store'                      => true,
			'ActionScheduler_TimezoneHelper'             => true,
		);

		return isset( $abstracts[ $class ] ) && $abstracts[ $class ];
	}

	/**
	 * Determine if the class is one of our migration classes.
	 *
	 * @since 3.0.0
	 *
	 * @param string $class The class name.
	 *
	 * @return bool
	 */
	protected static function is_class_migration( $class ) {
		static $migration_segments = array(
			'ActionMigrator'  => true,
			'BatchFetcher'    => true,
			'DBStoreMigrator' => true,
			'DryRun'          => true,
			'LogMigrator'     => true,
			'Config'          => true,
			'Controller'      => true,
			'Runner'          => true,
			'Scheduler'       => true,
		);

		$segments = explode( '_', $class );
		$segment = isset( $segments[ 1 ] ) ? $segments[ 1 ] : $class;

		return isset( $migration_segments[ $segment ] ) && $migration_segments[ $segment ];
	}

	/**
	 * Determine if the class is one of our WP CLI classes.
	 *
	 * @since 3.0.0
	 *
	 * @param string $class The class name.
	 *
	 * @return bool
	 */
	protected static function is_class_cli( $class ) {
		static $cli_segments = array(
			'QueueRunner' => true,
			'Command'     => true,
			'ProgressBar' => true,
		);

		$segments = explode( '_', $class );
		$segment = isset( $segments[ 1 ] ) ? $segments[ 1 ] : $class;

		return isset( $cli_segments[ $segment ] ) && $cli_segments[ $segment ];
	}

	final public function __clone() {
		trigger_error("Singleton. No cloning allowed!", E_USER_ERROR);
	}

	final public function __wakeup() {
		trigger_error("Singleton. No serialization allowed!", E_USER_ERROR);
	}

	final private function __construct() {}

	/** Deprecated **/

	public static function get_datetime_object( $when = null, $timezone = 'UTC' ) {
		_deprecated_function( __METHOD__, '2.0', 'wcs_add_months()' );
		return as_get_datetime_object( $when, $timezone );
	}

	/**
	 * Issue deprecated warning if an Action Scheduler function is called in the shutdown hook.
	 *
	 * @param string $function_name The name of the function being called.
	 * @deprecated 3.1.6.
	 */
	public static function check_shutdown_hook( $function_name ) {
		_deprecated_function( __FUNCTION__, '3.1.6' );
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_Abstract_QueueRunner.php000064400000020013151330736600025705 0ustar00<?php

/**
 * Abstract class with common Queue Cleaner functionality.
 */
abstract class ActionScheduler_Abstract_QueueRunner extends ActionScheduler_Abstract_QueueRunner_Deprecated {

	/** @var ActionScheduler_QueueCleaner */
	protected $cleaner;

	/** @var ActionScheduler_FatalErrorMonitor */
	protected $monitor;

	/** @var ActionScheduler_Store */
	protected $store;

	/**
	 * The created time.
	 *
	 * Represents when the queue runner was constructed and used when calculating how long a PHP request has been running.
	 * For this reason it should be as close as possible to the PHP request start time.
	 *
	 * @var int
	 */
	private $created_time;

	/**
	 * ActionScheduler_Abstract_QueueRunner constructor.
	 *
	 * @param ActionScheduler_Store             $store
	 * @param ActionScheduler_FatalErrorMonitor $monitor
	 * @param ActionScheduler_QueueCleaner      $cleaner
	 */
	public function __construct( ActionScheduler_Store $store = null, ActionScheduler_FatalErrorMonitor $monitor = null, ActionScheduler_QueueCleaner $cleaner = null ) {

		$this->created_time = microtime( true );

		$this->store   = $store ? $store : ActionScheduler_Store::instance();
		$this->monitor = $monitor ? $monitor : new ActionScheduler_FatalErrorMonitor( $this->store );
		$this->cleaner = $cleaner ? $cleaner : new ActionScheduler_QueueCleaner( $this->store );
	}

	/**
	 * Process an individual action.
	 *
	 * @param int $action_id The action ID to process.
	 * @param string $context Optional identifer for the context in which this action is being processed, e.g. 'WP CLI' or 'WP Cron'
	 *        Generally, this should be capitalised and not localised as it's a proper noun.
	 */
	public function process_action( $action_id, $context = '' ) {
		try {
			$valid_action = false;
			do_action( 'action_scheduler_before_execute', $action_id, $context );

			if ( ActionScheduler_Store::STATUS_PENDING !== $this->store->get_status( $action_id ) ) {
				do_action( 'action_scheduler_execution_ignored', $action_id, $context );
				return;
			}

			$valid_action = true;
			do_action( 'action_scheduler_begin_execute', $action_id, $context );

			$action = $this->store->fetch_action( $action_id );
			$this->store->log_execution( $action_id );
			$action->execute();
			do_action( 'action_scheduler_after_execute', $action_id, $action, $context );
			$this->store->mark_complete( $action_id );
		} catch ( Exception $e ) {
			if ( $valid_action ) {
				$this->store->mark_failure( $action_id );
				do_action( 'action_scheduler_failed_execution', $action_id, $e, $context );
			} else {
				do_action( 'action_scheduler_failed_validation', $action_id, $e, $context );
			}
		}

		if ( isset( $action ) && is_a( $action, 'ActionScheduler_Action' ) && $action->get_schedule()->is_recurring() ) {
			$this->schedule_next_instance( $action, $action_id );
		}
	}

	/**
	 * Schedule the next instance of the action if necessary.
	 *
	 * @param ActionScheduler_Action $action
	 * @param int $action_id
	 */
	protected function schedule_next_instance( ActionScheduler_Action $action, $action_id ) {
		try {
			ActionScheduler::factory()->repeat( $action );
		} catch ( Exception $e ) {
			do_action( 'action_scheduler_failed_to_schedule_next_instance', $action_id, $e, $action );
		}
	}

	/**
	 * Run the queue cleaner.
	 *
	 * @author Jeremy Pry
	 */
	protected function run_cleanup() {
		$this->cleaner->clean( 10 * $this->get_time_limit() );
	}

	/**
	 * Get the number of concurrent batches a runner allows.
	 *
	 * @return int
	 */
	public function get_allowed_concurrent_batches() {
		return apply_filters( 'action_scheduler_queue_runner_concurrent_batches', 1 );
	}

	/**
	 * Check if the number of allowed concurrent batches is met or exceeded.
	 *
	 * @return bool
	 */
	public function has_maximum_concurrent_batches() {
		return $this->store->get_claim_count() >= $this->get_allowed_concurrent_batches();
	}

	/**
	 * Get the maximum number of seconds a batch can run for.
	 *
	 * @return int The number of seconds.
	 */
	protected function get_time_limit() {

		$time_limit = 30;

		// Apply deprecated filter from deprecated get_maximum_execution_time() method
		if ( has_filter( 'action_scheduler_maximum_execution_time' ) ) {
			_deprecated_function( 'action_scheduler_maximum_execution_time', '2.1.1', 'action_scheduler_queue_runner_time_limit' );
			$time_limit = apply_filters( 'action_scheduler_maximum_execution_time', $time_limit );
		}

		return absint( apply_filters( 'action_scheduler_queue_runner_time_limit', $time_limit ) );
	}

	/**
	 * Get the number of seconds the process has been running.
	 *
	 * @return int The number of seconds.
	 */
	protected function get_execution_time() {
		$execution_time = microtime( true ) - $this->created_time;

		// Get the CPU time if the hosting environment uses it rather than wall-clock time to calculate a process's execution time.
		if ( function_exists( 'getrusage' ) && apply_filters( 'action_scheduler_use_cpu_execution_time', defined( 'PANTHEON_ENVIRONMENT' ) ) ) {
			$resource_usages = getrusage();

			if ( isset( $resource_usages['ru_stime.tv_usec'], $resource_usages['ru_stime.tv_usec'] ) ) {
				$execution_time = $resource_usages['ru_stime.tv_sec'] + ( $resource_usages['ru_stime.tv_usec'] / 1000000 );
			}
		}

		return $execution_time;
	}

	/**
	 * Check if the host's max execution time is (likely) to be exceeded if processing more actions.
	 *
	 * @param int $processed_actions The number of actions processed so far - used to determine the likelihood of exceeding the time limit if processing another action
	 * @return bool
	 */
	protected function time_likely_to_be_exceeded( $processed_actions ) {

		$execution_time        = $this->get_execution_time();
		$max_execution_time    = $this->get_time_limit();
		$time_per_action       = $execution_time / $processed_actions;
		$estimated_time        = $execution_time + ( $time_per_action * 3 );
		$likely_to_be_exceeded = $estimated_time > $max_execution_time;

		return apply_filters( 'action_scheduler_maximum_execution_time_likely_to_be_exceeded', $likely_to_be_exceeded, $this, $processed_actions, $execution_time, $max_execution_time );
	}

	/**
	 * Get memory limit
	 *
	 * Based on WP_Background_Process::get_memory_limit()
	 *
	 * @return int
	 */
	protected function get_memory_limit() {
		if ( function_exists( 'ini_get' ) ) {
			$memory_limit = ini_get( 'memory_limit' );
		} else {
			$memory_limit = '128M'; // Sensible default, and minimum required by WooCommerce
		}

		if ( ! $memory_limit || -1 === $memory_limit || '-1' === $memory_limit ) {
			// Unlimited, set to 32GB.
			$memory_limit = '32G';
		}

		return ActionScheduler_Compatibility::convert_hr_to_bytes( $memory_limit );
	}

	/**
	 * Memory exceeded
	 *
	 * Ensures the batch process never exceeds 90% of the maximum WordPress memory.
	 *
	 * Based on WP_Background_Process::memory_exceeded()
	 *
	 * @return bool
	 */
	protected function memory_exceeded() {

		$memory_limit    = $this->get_memory_limit() * 0.90;
		$current_memory  = memory_get_usage( true );
		$memory_exceeded = $current_memory >= $memory_limit;

		return apply_filters( 'action_scheduler_memory_exceeded', $memory_exceeded, $this );
	}

	/**
	 * See if the batch limits have been exceeded, which is when memory usage is almost at
	 * the maximum limit, or the time to process more actions will exceed the max time limit.
	 *
	 * Based on WC_Background_Process::batch_limits_exceeded()
	 *
	 * @param int $processed_actions The number of actions processed so far - used to determine the likelihood of exceeding the time limit if processing another action
	 * @return bool
	 */
	protected function batch_limits_exceeded( $processed_actions ) {
		return $this->memory_exceeded() || $this->time_likely_to_be_exceeded( $processed_actions );
	}

	/**
	 * Process actions in the queue.
	 *
	 * @author Jeremy Pry
	 * @param string $context Optional identifer for the context in which this action is being processed, e.g. 'WP CLI' or 'WP Cron'
	 *        Generally, this should be capitalised and not localised as it's a proper noun.
	 * @return int The number of actions processed.
	 */
	abstract public function run( $context = '' );
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_Abstract_RecurringSchedule.php000064400000006146151330736600027057 0ustar00<?php

/**
 * Class ActionScheduler_Abstract_RecurringSchedule
 */
abstract class ActionScheduler_Abstract_RecurringSchedule extends ActionScheduler_Abstract_Schedule {

	/**
	 * The date & time the first instance of this schedule was setup to run (which may not be this instance).
	 *
	 * Schedule objects are attached to an action object. Each schedule stores the run date for that
	 * object as the start date - @see $this->start - and logic to calculate the next run date after
	 * that - @see $this->calculate_next(). The $first_date property also keeps a record of when the very
	 * first instance of this chain of schedules ran.
	 *
	 * @var DateTime
	 */
	private $first_date = NULL;

	/**
	 * Timestamp equivalent of @see $this->first_date
	 *
	 * @var int
	 */
	protected $first_timestamp = NULL;

	/**
	 * The recurrance between each time an action is run using this schedule.
	 * Used to calculate the start date & time. Can be a number of seconds, in the
	 * case of ActionScheduler_IntervalSchedule, or a cron expression, as in the
	 * case of ActionScheduler_CronSchedule. Or something else.
	 *
	 * @var mixed
	 */
	protected $recurrence;

	/**
	 * @param DateTime $date The date & time to run the action.
	 * @param mixed $recurrence The data used to determine the schedule's recurrance.
	 * @param DateTime|null $first (Optional) The date & time the first instance of this interval schedule ran. Default null, meaning this is the first instance.
	 */
	public function __construct( DateTime $date, $recurrence, DateTime $first = null ) {
		parent::__construct( $date );
		$this->first_date = empty( $first ) ? $date : $first;
		$this->recurrence = $recurrence;
	}

	/**
	 * @return bool
	 */
	public function is_recurring() {
		return true;
	}

	/**
	 * Get the date & time of the first schedule in this recurring series.
	 *
	 * @return DateTime|null
	 */
	public function get_first_date() {
		return clone $this->first_date;
	}

	/**
	 * @return string
	 */
	public function get_recurrence() {
		return $this->recurrence;
	}

	/**
	 * For PHP 5.2 compat, since DateTime objects can't be serialized
	 * @return array
	 */
	public function __sleep() {
		$sleep_params = parent::__sleep();
		$this->first_timestamp = $this->first_date->getTimestamp();
		return array_merge( $sleep_params, array(
			'first_timestamp',
			'recurrence'
		) );
	}

	/**
	 * Unserialize recurring schedules serialized/stored prior to AS 3.0.0
	 *
	 * Prior to Action Scheduler 3.0.0, schedules used different property names to refer
	 * to equivalent data. For example, ActionScheduler_IntervalSchedule::start_timestamp
	 * was the same as ActionScheduler_SimpleSchedule::timestamp. This was addressed in
	 * Action Scheduler 3.0.0, where properties and property names were aligned for better
	 * inheritance. To maintain backward compatibility with scheduled serialized and stored
	 * prior to 3.0, we need to correctly map the old property names.
	 */
	public function __wakeup() {
		parent::__wakeup();
		if ( $this->first_timestamp > 0 ) {
			$this->first_date = as_get_datetime_object( $this->first_timestamp );
		} else {
			$this->first_date = $this->get_date();
		}
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_Abstract_Schema.php000064400000011041151330736600024630 0ustar00<?php


/**
 * Class ActionScheduler_Abstract_Schema
 *
 * @package Action_Scheduler
 *
 * @codeCoverageIgnore
 *
 * Utility class for creating/updating custom tables
 */
abstract class ActionScheduler_Abstract_Schema {

	/**
	 * @var int Increment this value in derived class to trigger a schema update.
	 */
	protected $schema_version = 1;

	/**
	 * @var string Schema version stored in database.
	 */
	protected $db_version;

	/**
	 * @var array Names of tables that will be registered by this class.
	 */
	protected $tables = [];

	/**
	 * Can optionally be used by concrete classes to carry out additional initialization work
	 * as needed.
	 */
	public function init() {}

	/**
	 * Register tables with WordPress, and create them if needed.
	 *
	 * @param bool $force_update Optional. Default false. Use true to always run the schema update.
	 *
	 * @return void
	 */
	public function register_tables( $force_update = false ) {
		global $wpdb;

		// make WP aware of our tables
		foreach ( $this->tables as $table ) {
			$wpdb->tables[] = $table;
			$name           = $this->get_full_table_name( $table );
			$wpdb->$table   = $name;
		}

		// create the tables
		if ( $this->schema_update_required() || $force_update ) {
			foreach ( $this->tables as $table ) {
				/**
				 * Allow custom processing before updating a table schema.
				 *
				 * @param string $table Name of table being updated.
				 * @param string $db_version Existing version of the table being updated.
				 */
				do_action( 'action_scheduler_before_schema_update', $table, $this->db_version );
				$this->update_table( $table );
			}
			$this->mark_schema_update_complete();
		}
	}

	/**
	 * @param string $table The name of the table
	 *
	 * @return string The CREATE TABLE statement, suitable for passing to dbDelta
	 */
	abstract protected function get_table_definition( $table );

	/**
	 * Determine if the database schema is out of date
	 * by comparing the integer found in $this->schema_version
	 * with the option set in the WordPress options table
	 *
	 * @return bool
	 */
	private function schema_update_required() {
		$option_name      = 'schema-' . static::class;
		$this->db_version = get_option( $option_name, 0 );

		// Check for schema option stored by the Action Scheduler Custom Tables plugin in case site has migrated from that plugin with an older schema
		if ( 0 === $this->db_version ) {

			$plugin_option_name = 'schema-';

			switch ( static::class ) {
				case 'ActionScheduler_StoreSchema' :
					$plugin_option_name .= 'Action_Scheduler\Custom_Tables\DB_Store_Table_Maker';
					break;
				case 'ActionScheduler_LoggerSchema' :
					$plugin_option_name .= 'Action_Scheduler\Custom_Tables\DB_Logger_Table_Maker';
					break;
			}

			$this->db_version = get_option( $plugin_option_name, 0 );

			delete_option( $plugin_option_name );
		}

		return version_compare( $this->db_version, $this->schema_version, '<' );
	}

	/**
	 * Update the option in WordPress to indicate that
	 * our schema is now up to date
	 *
	 * @return void
	 */
	private function mark_schema_update_complete() {
		$option_name = 'schema-' . static::class;

		// work around race conditions and ensure that our option updates
		$value_to_save = (string) $this->schema_version . '.0.' . time();

		update_option( $option_name, $value_to_save );
	}

	/**
	 * Update the schema for the given table
	 *
	 * @param string $table The name of the table to update
	 *
	 * @return void
	 */
	private function update_table( $table ) {
		require_once( ABSPATH . 'wp-admin/includes/upgrade.php' );
		$definition = $this->get_table_definition( $table );
		if ( $definition ) {
			$updated = dbDelta( $definition );
			foreach ( $updated as $updated_table => $update_description ) {
				if ( strpos( $update_description, 'Created table' ) === 0 ) {
					do_action( 'action_scheduler/created_table', $updated_table, $table );
				}
			}
		}
	}

	/**
	 * @param string $table
	 *
	 * @return string The full name of the table, including the
	 *                table prefix for the current blog
	 */
	protected function get_full_table_name( $table ) {
		return $GLOBALS[ 'wpdb' ]->prefix . $table;
	}

	/**
	 * Confirms that all of the tables registered by this schema class have been created.
	 *
	 * @return bool
	 */
	public function tables_exist() {
		global $wpdb;

		$existing_tables = $wpdb->get_col( 'SHOW TABLES' );
		$expected_tables = array_map(
			function ( $table_name ) use ( $wpdb ) {
				return $wpdb->prefix . $table_name;
			},
			$this->tables
		);

		return count( array_intersect( $existing_tables, $expected_tables ) ) === count( $expected_tables );
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_Abstract_Schedule.php000064400000003426151330736600025174 0ustar00<?php

/**
 * Class ActionScheduler_Abstract_Schedule
 */
abstract class ActionScheduler_Abstract_Schedule extends ActionScheduler_Schedule_Deprecated {

	/**
	 * The date & time the schedule is set to run.
	 *
	 * @var DateTime
	 */
	private $scheduled_date = NULL;

	/**
	 * Timestamp equivalent of @see $this->scheduled_date
	 *
	 * @var int
	 */
	protected $scheduled_timestamp = NULL;

	/**
	 * @param DateTime $date The date & time to run the action.
	 */
	public function __construct( DateTime $date ) {
		$this->scheduled_date = $date;
	}

	/**
	 * Check if a schedule should recur.
	 *
	 * @return bool
	 */
	abstract public function is_recurring();

	/**
	 * Calculate when the next instance of this schedule would run based on a given date & time.
	 *
	 * @param DateTime $after
	 * @return DateTime
	 */
	abstract protected function calculate_next( DateTime $after );

	/**
	 * Get the next date & time when this schedule should run after a given date & time.
	 *
	 * @param DateTime $after
	 * @return DateTime|null
	 */
	public function get_next( DateTime $after ) {
		$after = clone $after;
		if ( $after > $this->scheduled_date ) {
			$after = $this->calculate_next( $after );
			return $after;
		}
		return clone $this->scheduled_date;
	}

	/**
	 * Get the date & time the schedule is set to run.
	 *
	 * @return DateTime|null
	 */
	public function get_date() {
		return $this->scheduled_date;
	}

	/**
	 * For PHP 5.2 compat, since DateTime objects can't be serialized
	 * @return array
	 */
	public function __sleep() {
		$this->scheduled_timestamp = $this->scheduled_date->getTimestamp();
		return array(
			'scheduled_timestamp',
		);
	}

	public function __wakeup() {
		$this->scheduled_date = as_get_datetime_object( $this->scheduled_timestamp );
		unset( $this->scheduled_timestamp );
	}
}
woocommerce/action-scheduler/classes/abstracts/ActionScheduler_Lock.php000064400000003133151330736600022500 0ustar00<?php

/**
 * Abstract class for setting a basic lock to throttle some action.
 *
 * Class ActionScheduler_Lock
 */
abstract class ActionScheduler_Lock {

	/** @var ActionScheduler_Lock */
	private static $locker = NULL;

	/** @var int */
	protected static $lock_duration = MINUTE_IN_SECONDS;

	/**
	 * Check if a lock is set for a given lock type.
	 *
	 * @param string $lock_type A string to identify different lock types.
	 * @return bool
	 */
	public function is_locked( $lock_type ) {
		return ( $this->get_expiration( $lock_type ) >= time() );
	}

	/**
	 * Set a lock.
	 *
	 * @param string $lock_type A string to identify different lock types.
	 * @return bool
	 */
	abstract public function set( $lock_type );

	/**
	 * If a lock is set, return the timestamp it was set to expiry.
	 *
	 * @param string $lock_type A string to identify different lock types.
	 * @return bool|int False if no lock is set, otherwise the timestamp for when the lock is set to expire.
	 */
	abstract public function get_expiration( $lock_type );

	/**
	 * Get the amount of time to set for a given lock. 60 seconds by default.
	 *
	 * @param string $lock_type A string to identify different lock types.
	 * @return int
	 */
	protected function get_duration( $lock_type ) {
		return apply_filters( 'action_scheduler_lock_duration', self::$lock_duration, $lock_type );
	}

	/**
	 * @return ActionScheduler_Lock
	 */
	public static function instance() {
		if ( empty( self::$locker ) ) {
			$class = apply_filters( 'action_scheduler_lock_class', 'ActionScheduler_OptionLock' );
			self::$locker = new $class();
		}
		return self::$locker;
	}
}
woocommerce/action-scheduler/classes/actions/ActionScheduler_CanceledAction.php000064400000001316151330736600024117 0ustar00<?php

/**
 * Class ActionScheduler_CanceledAction
 *
 * Stored action which was canceled and therefore acts like a finished action but should always return a null schedule,
 * regardless of schedule passed to its constructor.
 */
class ActionScheduler_CanceledAction extends ActionScheduler_FinishedAction {

	/**
	 * @param string $hook
	 * @param array $args
	 * @param ActionScheduler_Schedule $schedule
	 * @param string $group
	 */
	public function __construct( $hook, array $args = array(), ActionScheduler_Schedule $schedule = null, $group = '' ) {
		parent::__construct( $hook, $args, $schedule, $group );
		if ( is_null( $schedule ) ) {
			$this->set_schedule( new ActionScheduler_NullSchedule() );
		}
	}
}
woocommerce/action-scheduler/classes/actions/ActionScheduler_FinishedAction.php000064400000000350151330736600024147 0ustar00<?php

/**
 * Class ActionScheduler_FinishedAction
 */
class ActionScheduler_FinishedAction extends ActionScheduler_Action {

	public function execute() {
		// don't execute
	}

	public function is_finished() {
		return TRUE;
	}
}
 woocommerce/action-scheduler/classes/actions/ActionScheduler_NullAction.php000064400000000534151330736600023334 0ustar00<?php

/**
 * Class ActionScheduler_NullAction
 */
class ActionScheduler_NullAction extends ActionScheduler_Action {

	public function __construct( $hook = '', array $args = array(), ActionScheduler_Schedule $schedule = NULL ) {
		$this->set_schedule( new ActionScheduler_NullSchedule() );
	}

	public function execute() {
		// don't execute
	}
}
 woocommerce/action-scheduler/classes/actions/ActionScheduler_Action.php000064400000002677151330736600022513 0ustar00<?php

/**
 * Class ActionScheduler_Action
 */
class ActionScheduler_Action {
	protected $hook = '';
	protected $args = array();
	/** @var ActionScheduler_Schedule */
	protected $schedule = NULL;
	protected $group = '';

	public function __construct( $hook, array $args = array(), ActionScheduler_Schedule $schedule = NULL, $group = '' ) {
		$schedule = empty( $schedule ) ? new ActionScheduler_NullSchedule() : $schedule;
		$this->set_hook($hook);
		$this->set_schedule($schedule);
		$this->set_args($args);
		$this->set_group($group);
	}

	public function execute() {
		return do_action_ref_array( $this->get_hook(), array_values( $this->get_args() ) );
	}

	/**
	 * @param string $hook
	 */
	protected function set_hook( $hook ) {
		$this->hook = $hook;
	}

	public function get_hook() {
		return $this->hook;
	}

	protected function set_schedule( ActionScheduler_Schedule $schedule ) {
		$this->schedule = $schedule;
	}

	/**
	 * @return ActionScheduler_Schedule
	 */
	public function get_schedule() {
		return $this->schedule;
	}

	protected function set_args( array $args ) {
		$this->args = $args;
	}

	public function get_args() {
		return $this->args;
	}

	/**
	 * @param string $group
	 */
	protected function set_group( $group ) {
		$this->group = $group;
	}

	/**
	 * @return string
	 */
	public function get_group() {
		return $this->group;
	}

	/**
	 * @return bool If the action has been finished
	 */
	public function is_finished() {
		return FALSE;
	}
}
woocommerce/action-scheduler/classes/data-stores/ActionScheduler_wpPostStore_PostTypeRegistrar.php000064400000003415151330736600030116 0ustar00<?php

/**
 * Class ActionScheduler_wpPostStore_PostTypeRegistrar
 * @codeCoverageIgnore
 */
class ActionScheduler_wpPostStore_PostTypeRegistrar {
	public function register() {
		register_post_type( ActionScheduler_wpPostStore::POST_TYPE, $this->post_type_args() );
	}

	/**
	 * Build the args array for the post type definition
	 *
	 * @return array
	 */
	protected function post_type_args() {
		$args = array(
			'label' => __( 'Scheduled Actions', 'action-scheduler' ),
			'description' => __( 'Scheduled actions are hooks triggered on a cetain date and time.', 'action-scheduler' ),
			'public' => false,
			'map_meta_cap' => true,
			'hierarchical' => false,
			'supports' => array('title', 'editor','comments'),
			'rewrite' => false,
			'query_var' => false,
			'can_export' => true,
			'ep_mask' => EP_NONE,
			'labels' => array(
				'name' => __( 'Scheduled Actions', 'action-scheduler' ),
				'singular_name' => __( 'Scheduled Action', 'action-scheduler' ),
				'menu_name' => _x( 'Scheduled Actions', 'Admin menu name', 'action-scheduler' ),
				'add_new' => __( 'Add', 'action-scheduler' ),
				'add_new_item' => __( 'Add New Scheduled Action', 'action-scheduler' ),
				'edit' => __( 'Edit', 'action-scheduler' ),
				'edit_item' => __( 'Edit Scheduled Action', 'action-scheduler' ),
				'new_item' => __( 'New Scheduled Action', 'action-scheduler' ),
				'view' => __( 'View Action', 'action-scheduler' ),
				'view_item' => __( 'View Action', 'action-scheduler' ),
				'search_items' => __( 'Search Scheduled Actions', 'action-scheduler' ),
				'not_found' => __( 'No actions found', 'action-scheduler' ),
				'not_found_in_trash' => __( 'No actions found in trash', 'action-scheduler' ),
			),
		);

		$args = apply_filters('action_scheduler_post_type_args', $args);
		return $args;
	}
}
 woocommerce/action-scheduler/classes/data-stores/ActionScheduler_wpCommentLogger.php000064400000015233151330736600025165 0ustar00<?php

/**
 * Class ActionScheduler_wpCommentLogger
 */
class ActionScheduler_wpCommentLogger extends ActionScheduler_Logger {
	const AGENT = 'ActionScheduler';
	const TYPE = 'action_log';

	/**
	 * @param string $action_id
	 * @param string $message
	 * @param DateTime $date
	 *
	 * @return string The log entry ID
	 */
	public function log( $action_id, $message, DateTime $date = NULL ) {
		if ( empty($date) ) {
			$date = as_get_datetime_object();
		} else {
			$date = as_get_datetime_object( clone $date );
		}
		$comment_id = $this->create_wp_comment( $action_id, $message, $date );
		return $comment_id;
	}

	protected function create_wp_comment( $action_id, $message, DateTime $date ) {

		$comment_date_gmt = $date->format('Y-m-d H:i:s');
		ActionScheduler_TimezoneHelper::set_local_timezone( $date );
		$comment_data = array(
			'comment_post_ID' => $action_id,
			'comment_date' => $date->format('Y-m-d H:i:s'),
			'comment_date_gmt' => $comment_date_gmt,
			'comment_author' => self::AGENT,
			'comment_content' => $message,
			'comment_agent' => self::AGENT,
			'comment_type' => self::TYPE,
		);
		return wp_insert_comment($comment_data);
	}

	/**
	 * @param string $entry_id
	 *
	 * @return ActionScheduler_LogEntry
	 */
	public function get_entry( $entry_id ) {
		$comment = $this->get_comment( $entry_id );
		if ( empty($comment) || $comment->comment_type != self::TYPE ) {
			return new ActionScheduler_NullLogEntry();
		}

		$date = as_get_datetime_object( $comment->comment_date_gmt );
		ActionScheduler_TimezoneHelper::set_local_timezone( $date );
		return new ActionScheduler_LogEntry( $comment->comment_post_ID, $comment->comment_content, $date );
	}

	/**
	 * @param string $action_id
	 *
	 * @return ActionScheduler_LogEntry[]
	 */
	public function get_logs( $action_id ) {
		$status = 'all';
		if ( get_post_status($action_id) == 'trash' ) {
			$status = 'post-trashed';
		}
		$comments = get_comments(array(
			'post_id' => $action_id,
			'orderby' => 'comment_date_gmt',
			'order' => 'ASC',
			'type' => self::TYPE,
			'status' => $status,
		));
		$logs = array();
		foreach ( $comments as $c ) {
			$entry = $this->get_entry( $c );
			if ( !empty($entry) ) {
				$logs[] = $entry;
			}
		}
		return $logs;
	}

	protected function get_comment( $comment_id ) {
		return get_comment( $comment_id );
	}



	/**
	 * @param WP_Comment_Query $query
	 */
	public function filter_comment_queries( $query ) {
		foreach ( array('ID', 'parent', 'post_author', 'post_name', 'post_parent', 'type', 'post_type', 'post_id', 'post_ID') as $key ) {
			if ( !empty($query->query_vars[$key]) ) {
				return; // don't slow down queries that wouldn't include action_log comments anyway
			}
		}
		$query->query_vars['action_log_filter'] = TRUE;
		add_filter( 'comments_clauses', array( $this, 'filter_comment_query_clauses' ), 10, 2 );
	}

	/**
	 * @param array $clauses
	 * @param WP_Comment_Query $query
	 *
	 * @return array
	 */
	public function filter_comment_query_clauses( $clauses, $query ) {
		if ( !empty($query->query_vars['action_log_filter']) ) {
			$clauses['where'] .= $this->get_where_clause();
		}
		return $clauses;
	}

	/**
	 * Make sure Action Scheduler logs are excluded from comment feeds, which use WP_Query, not
	 * the WP_Comment_Query class handled by @see self::filter_comment_queries().
	 *
	 * @param string $where
	 * @param WP_Query $query
	 *
	 * @return string
	 */
	public function filter_comment_feed( $where, $query ) {
		if ( is_comment_feed() ) {
			$where .= $this->get_where_clause();
		}
		return $where;
	}

	/**
	 * Return a SQL clause to exclude Action Scheduler comments.
	 *
	 * @return string
	 */
	protected function get_where_clause() {
		global $wpdb;
		return sprintf( " AND {$wpdb->comments}.comment_type != '%s'", self::TYPE );
	}

	/**
	 * Remove action log entries from wp_count_comments()
	 *
	 * @param array $stats
	 * @param int $post_id
	 *
	 * @return object
	 */
	public function filter_comment_count( $stats, $post_id ) {
		global $wpdb;

		if ( 0 === $post_id ) {
			$stats = $this->get_comment_count();
		}

		return $stats;
	}

	/**
	 * Retrieve the comment counts from our cache, or the database if the cached version isn't set.
	 *
	 * @return object
	 */
	protected function get_comment_count() {
		global $wpdb;

		$stats = get_transient( 'as_comment_count' );

		if ( ! $stats ) {
			$stats = array();

			$count = $wpdb->get_results( "SELECT comment_approved, COUNT( * ) AS num_comments FROM {$wpdb->comments} WHERE comment_type NOT IN('order_note','action_log') GROUP BY comment_approved", ARRAY_A );

			$total = 0;
			$stats = array();
			$approved = array( '0' => 'moderated', '1' => 'approved', 'spam' => 'spam', 'trash' => 'trash', 'post-trashed' => 'post-trashed' );

			foreach ( (array) $count as $row ) {
				// Don't count post-trashed toward totals
				if ( 'post-trashed' != $row['comment_approved'] && 'trash' != $row['comment_approved'] ) {
					$total += $row['num_comments'];
				}
				if ( isset( $approved[ $row['comment_approved'] ] ) ) {
					$stats[ $approved[ $row['comment_approved'] ] ] = $row['num_comments'];
				}
			}

			$stats['total_comments'] = $total;
			$stats['all']            = $total;

			foreach ( $approved as $key ) {
				if ( empty( $stats[ $key ] ) ) {
					$stats[ $key ] = 0;
				}
			}

			$stats = (object) $stats;
			set_transient( 'as_comment_count', $stats );
		}

		return $stats;
	}

	/**
	 * Delete comment count cache whenever there is new comment or the status of a comment changes. Cache
	 * will be regenerated next time ActionScheduler_wpCommentLogger::filter_comment_count() is called.
	 */
	public function delete_comment_count_cache() {
		delete_transient( 'as_comment_count' );
	}

	/**
	 * @codeCoverageIgnore
	 */
	public function init() {
		add_action( 'action_scheduler_before_process_queue', array( $this, 'disable_comment_counting' ), 10, 0 );
		add_action( 'action_scheduler_after_process_queue', array( $this, 'enable_comment_counting' ), 10, 0 );

		parent::init();

		add_action( 'pre_get_comments', array( $this, 'filter_comment_queries' ), 10, 1 );
		add_action( 'wp_count_comments', array( $this, 'filter_comment_count' ), 20, 2 ); // run after WC_Comments::wp_count_comments() to make sure we exclude order notes and action logs
		add_action( 'comment_feed_where', array( $this, 'filter_comment_feed' ), 10, 2 );

		// Delete comments count cache whenever there is a new comment or a comment status changes
		add_action( 'wp_insert_comment', array( $this, 'delete_comment_count_cache' ) );
		add_action( 'wp_set_comment_status', array( $this, 'delete_comment_count_cache' ) );
	}

	public function disable_comment_counting() {
		wp_defer_comment_counting(true);
	}
	public function enable_comment_counting() {
		wp_defer_comment_counting(false);
	}

}
woocommerce/action-scheduler/classes/data-stores/ActionScheduler_wpPostStore_PostStatusRegistrar.php000064400000003445151330736600030463 0ustar00<?php

/**
 * Class ActionScheduler_wpPostStore_PostStatusRegistrar
 * @codeCoverageIgnore
 */
class ActionScheduler_wpPostStore_PostStatusRegistrar {
	public function register() {
		register_post_status( ActionScheduler_Store::STATUS_RUNNING, array_merge( $this->post_status_args(), $this->post_status_running_labels() ) );
		register_post_status( ActionScheduler_Store::STATUS_FAILED, array_merge( $this->post_status_args(), $this->post_status_failed_labels() ) );
	}

	/**
	 * Build the args array for the post type definition
	 *
	 * @return array
	 */
	protected function post_status_args() {
		$args = array(
			'public'                    => false,
			'exclude_from_search'       => false,
			'show_in_admin_all_list'    => true,
			'show_in_admin_status_list' => true,
		);

		return apply_filters( 'action_scheduler_post_status_args', $args );
	}

	/**
	 * Build the args array for the post type definition
	 *
	 * @return array
	 */
	protected function post_status_failed_labels() {
		$labels = array(
			'label'       => _x( 'Failed', 'post', 'action-scheduler' ),
			/* translators: %s: count */
			'label_count' => _n_noop( 'Failed <span class="count">(%s)</span>', 'Failed <span class="count">(%s)</span>', 'action-scheduler' ),
		);

		return apply_filters( 'action_scheduler_post_status_failed_labels', $labels );
	}

	/**
	 * Build the args array for the post type definition
	 *
	 * @return array
	 */
	protected function post_status_running_labels() {
		$labels = array(
			'label'       => _x( 'In-Progress', 'post', 'action-scheduler' ),
			/* translators: %s: count */
			'label_count' => _n_noop( 'In-Progress <span class="count">(%s)</span>', 'In-Progress <span class="count">(%s)</span>', 'action-scheduler' ),
		);

		return apply_filters( 'action_scheduler_post_status_running_labels', $labels );
	}
}
woocommerce/action-scheduler/classes/data-stores/ActionScheduler_DBStore.php000064400000065376151330736600023373 0ustar00<?php

/**
 * Class ActionScheduler_DBStore
 *
 * Action data table data store.
 *
 * @since 3.0.0
 */
class ActionScheduler_DBStore extends ActionScheduler_Store {

	/**
	 * Used to share information about the before_date property of claims internally.
	 *
	 * This is used in preference to passing the same information as a method param
	 * for backwards-compatibility reasons.
	 *
	 * @var DateTime|null
	 */
	private $claim_before_date = null;

	/** @var int */
	protected static $max_args_length = 8000;

	/** @var int */
	protected static $max_index_length = 191;

	/**
	 * Initialize the data store
	 *
	 * @codeCoverageIgnore
	 */
	public function init() {
		$table_maker = new ActionScheduler_StoreSchema();
		$table_maker->init();
		$table_maker->register_tables();
	}

	/**
	 * Save an action.
	 *
	 * @param ActionScheduler_Action $action Action object.
	 * @param DateTime              $date Optional schedule date. Default null.
	 *
	 * @return int Action ID.
	 * @throws RuntimeException     Throws exception when saving the action fails.
	 */
	public function save_action( ActionScheduler_Action $action, \DateTime $date = null ) {
		try {

			$this->validate_action( $action );

			/** @var \wpdb $wpdb */
			global $wpdb;
			$data = array(
				'hook'                 => $action->get_hook(),
				'status'               => ( $action->is_finished() ? self::STATUS_COMPLETE : self::STATUS_PENDING ),
				'scheduled_date_gmt'   => $this->get_scheduled_date_string( $action, $date ),
				'scheduled_date_local' => $this->get_scheduled_date_string_local( $action, $date ),
				'schedule'             => serialize( $action->get_schedule() ), // phpcs:ignore WordPress.PHP.DiscouragedPHPFunctions.serialize_serialize
				'group_id'             => $this->get_group_id( $action->get_group() ),
			);
			$args = wp_json_encode( $action->get_args() );
			if ( strlen( $args ) <= static::$max_index_length ) {
				$data['args'] = $args;
			} else {
				$data['args']          = $this->hash_args( $args );
				$data['extended_args'] = $args;
			}

			$table_name = ! empty( $wpdb->actionscheduler_actions ) ? $wpdb->actionscheduler_actions : $wpdb->prefix . 'actionscheduler_actions';
			$wpdb->insert( $table_name, $data );
			$action_id = $wpdb->insert_id;

			if ( is_wp_error( $action_id ) ) {
				throw new \RuntimeException( $action_id->get_error_message() );
			} elseif ( empty( $action_id ) ) {
				throw new \RuntimeException( $wpdb->last_error ? $wpdb->last_error : __( 'Database error.', 'action-scheduler' ) );
			}

			do_action( 'action_scheduler_stored_action', $action_id );

			return $action_id;
		} catch ( \Exception $e ) {
			/* translators: %s: error message */
			throw new \RuntimeException( sprintf( __( 'Error saving action: %s', 'action-scheduler' ), $e->getMessage() ), 0 );
		}
	}

	/**
	 * Generate a hash from json_encoded $args using MD5 as this isn't for security.
	 *
	 * @param string $args JSON encoded action args.
	 * @return string
	 */
	protected function hash_args( $args ) {
		return md5( $args );
	}

	/**
	 * Get action args query param value from action args.
	 *
	 * @param array $args Action args.
	 * @return string
	 */
	protected function get_args_for_query( $args ) {
		$encoded = wp_json_encode( $args );
		if ( strlen( $encoded ) <= static::$max_index_length ) {
			return $encoded;
		}
		return $this->hash_args( $encoded );
	}
	/**
	 * Get a group's ID based on its name/slug.
	 *
	 * @param string $slug The string name of a group.
	 * @param bool   $create_if_not_exists Whether to create the group if it does not already exist. Default, true - create the group.
	 *
	 * @return int The group's ID, if it exists or is created, or 0 if it does not exist and is not created.
	 */
	protected function get_group_id( $slug, $create_if_not_exists = true ) {
		if ( empty( $slug ) ) {
			return 0;
		}
		/** @var \wpdb $wpdb */
		global $wpdb;
		$group_id = (int) $wpdb->get_var( $wpdb->prepare( "SELECT group_id FROM {$wpdb->actionscheduler_groups} WHERE slug=%s", $slug ) );
		if ( empty( $group_id ) && $create_if_not_exists ) {
			$group_id = $this->create_group( $slug );
		}

		return $group_id;
	}

	/**
	 * Create an action group.
	 *
	 * @param string $slug Group slug.
	 *
	 * @return int Group ID.
	 */
	protected function create_group( $slug ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$wpdb->insert( $wpdb->actionscheduler_groups, array( 'slug' => $slug ) );

		return (int) $wpdb->insert_id;
	}

	/**
	 * Retrieve an action.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return ActionScheduler_Action
	 */
	public function fetch_action( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$data = $wpdb->get_row(
			$wpdb->prepare(
				"SELECT a.*, g.slug AS `group` FROM {$wpdb->actionscheduler_actions} a LEFT JOIN {$wpdb->actionscheduler_groups} g ON a.group_id=g.group_id WHERE a.action_id=%d",
				$action_id
			)
		);

		if ( empty( $data ) ) {
			return $this->get_null_action();
		}

		if ( ! empty( $data->extended_args ) ) {
			$data->args = $data->extended_args;
			unset( $data->extended_args );
		}

		// Convert NULL dates to zero dates.
		$date_fields = array(
			'scheduled_date_gmt',
			'scheduled_date_local',
			'last_attempt_gmt',
			'last_attempt_gmt',
		);
		foreach ( $date_fields as $date_field ) {
			if ( is_null( $data->$date_field ) ) {
				$data->$date_field = ActionScheduler_StoreSchema::DEFAULT_DATE;
			}
		}

		try {
			$action = $this->make_action_from_db_record( $data );
		} catch ( ActionScheduler_InvalidActionException $exception ) {
			do_action( 'action_scheduler_failed_fetch_action', $action_id, $exception );
			return $this->get_null_action();
		}

		return $action;
	}

	/**
	 * Create a null action.
	 *
	 * @return ActionScheduler_NullAction
	 */
	protected function get_null_action() {
		return new ActionScheduler_NullAction();
	}

	/**
	 * Create an action from a database record.
	 *
	 * @param object $data Action database record.
	 *
	 * @return ActionScheduler_Action|ActionScheduler_CanceledAction|ActionScheduler_FinishedAction
	 */
	protected function make_action_from_db_record( $data ) {

		$hook     = $data->hook;
		$args     = json_decode( $data->args, true );
		$schedule = unserialize( $data->schedule ); // phpcs:ignore WordPress.PHP.DiscouragedPHPFunctions.serialize_unserialize

		$this->validate_args( $args, $data->action_id );
		$this->validate_schedule( $schedule, $data->action_id );

		if ( empty( $schedule ) ) {
			$schedule = new ActionScheduler_NullSchedule();
		}
		$group = $data->group ? $data->group : '';

		return ActionScheduler::factory()->get_stored_action( $data->status, $data->hook, $args, $schedule, $group );
	}

	/**
	 * Returns the SQL statement to query (or count) actions.
	 *
	 * @since x.x.x $query['status'] accepts array of statuses instead of a single status.
	 *
	 * @param array  $query Filtering options.
	 * @param string $select_or_count  Whether the SQL should select and return the IDs or just the row count.
	 *
	 * @return string SQL statement already properly escaped.
	 * @throws InvalidArgumentException If the query is invalid.
	 */
	protected function get_query_actions_sql( array $query, $select_or_count = 'select' ) {

		if ( ! in_array( $select_or_count, array( 'select', 'count' ), true ) ) {
			throw new InvalidArgumentException( __( 'Invalid value for select or count parameter. Cannot query actions.', 'action-scheduler' ) );
		}

		$query = wp_parse_args(
			$query,
			array(
				'hook'             => '',
				'args'             => null,
				'date'             => null,
				'date_compare'     => '<=',
				'modified'         => null,
				'modified_compare' => '<=',
				'group'            => '',
				'status'           => '',
				'claimed'          => null,
				'per_page'         => 5,
				'offset'           => 0,
				'orderby'          => 'date',
				'order'            => 'ASC',
			)
		);

		/** @var \wpdb $wpdb */
		global $wpdb;
		$sql        = ( 'count' === $select_or_count ) ? 'SELECT count(a.action_id)' : 'SELECT a.action_id';
		$sql       .= " FROM {$wpdb->actionscheduler_actions} a";
		$sql_params = array();

		if ( ! empty( $query['group'] ) || 'group' === $query['orderby'] ) {
			$sql .= " LEFT JOIN {$wpdb->actionscheduler_groups} g ON g.group_id=a.group_id";
		}

		$sql .= ' WHERE 1=1';

		if ( ! empty( $query['group'] ) ) {
			$sql         .= ' AND g.slug=%s';
			$sql_params[] = $query['group'];
		}

		if ( $query['hook'] ) {
			$sql         .= ' AND a.hook=%s';
			$sql_params[] = $query['hook'];
		}
		if ( ! is_null( $query['args'] ) ) {
			$sql         .= ' AND a.args=%s';
			$sql_params[] = $this->get_args_for_query( $query['args'] );
		}

		if ( $query['status'] ) {
			$statuses     = (array) $query['status'];
			$placeholders = array_fill( 0, count( $statuses ), '%s' );
			$sql         .= ' AND a.status IN (' . join( ', ', $placeholders ) . ')';
			$sql_params   = array_merge( $sql_params, array_values( $statuses ) );
		}

		if ( $query['date'] instanceof \DateTime ) {
			$date = clone $query['date'];
			$date->setTimezone( new \DateTimeZone( 'UTC' ) );
			$date_string  = $date->format( 'Y-m-d H:i:s' );
			$comparator   = $this->validate_sql_comparator( $query['date_compare'] );
			$sql         .= " AND a.scheduled_date_gmt $comparator %s";
			$sql_params[] = $date_string;
		}

		if ( $query['modified'] instanceof \DateTime ) {
			$modified = clone $query['modified'];
			$modified->setTimezone( new \DateTimeZone( 'UTC' ) );
			$date_string  = $modified->format( 'Y-m-d H:i:s' );
			$comparator   = $this->validate_sql_comparator( $query['modified_compare'] );
			$sql         .= " AND a.last_attempt_gmt $comparator %s";
			$sql_params[] = $date_string;
		}

		if ( true === $query['claimed'] ) {
			$sql .= ' AND a.claim_id != 0';
		} elseif ( false === $query['claimed'] ) {
			$sql .= ' AND a.claim_id = 0';
		} elseif ( ! is_null( $query['claimed'] ) ) {
			$sql         .= ' AND a.claim_id = %d';
			$sql_params[] = $query['claimed'];
		}

		if ( ! empty( $query['search'] ) ) {
			$sql .= ' AND (a.hook LIKE %s OR (a.extended_args IS NULL AND a.args LIKE %s) OR a.extended_args LIKE %s';
			for ( $i = 0; $i < 3; $i++ ) {
				$sql_params[] = sprintf( '%%%s%%', $query['search'] );
			}

			$search_claim_id = (int) $query['search'];
			if ( $search_claim_id ) {
				$sql         .= ' OR a.claim_id = %d';
				$sql_params[] = $search_claim_id;
			}

			$sql .= ')';
		}

		if ( 'select' === $select_or_count ) {
			if ( 'ASC' === strtoupper( $query['order'] ) ) {
				$order = 'ASC';
			} else {
				$order = 'DESC';
			}
			switch ( $query['orderby'] ) {
				case 'hook':
					$sql .= " ORDER BY a.hook $order";
					break;
				case 'group':
					$sql .= " ORDER BY g.slug $order";
					break;
				case 'modified':
					$sql .= " ORDER BY a.last_attempt_gmt $order";
					break;
				case 'none':
					break;
				case 'action_id':
					$sql .= " ORDER BY a.action_id $order";
					break;
				case 'date':
				default:
					$sql .= " ORDER BY a.scheduled_date_gmt $order";
					break;
			}

			if ( $query['per_page'] > 0 ) {
				$sql         .= ' LIMIT %d, %d';
				$sql_params[] = $query['offset'];
				$sql_params[] = $query['per_page'];
			}
		}

		if ( ! empty( $sql_params ) ) {
			$sql = $wpdb->prepare( $sql, $sql_params ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
		}

		return $sql;
	}

	/**
	 * Query for action count or list of action IDs.
	 *
	 * @since x.x.x $query['status'] accepts array of statuses instead of a single status.
	 *
	 * @see ActionScheduler_Store::query_actions for $query arg usage.
	 *
	 * @param array  $query      Query filtering options.
	 * @param string $query_type Whether to select or count the results. Defaults to select.
	 *
	 * @return string|array|null The IDs of actions matching the query. Null on failure.
	 */
	public function query_actions( $query = array(), $query_type = 'select' ) {
		/** @var wpdb $wpdb */
		global $wpdb;

		$sql = $this->get_query_actions_sql( $query, $query_type );

		return ( 'count' === $query_type ) ? $wpdb->get_var( $sql ) : $wpdb->get_col( $sql ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared, WordPress.DB.DirectDatabaseQuery.NoSql, WordPress.DB.DirectDatabaseQuery.NoCaching
	}

	/**
	 * Get a count of all actions in the store, grouped by status.
	 *
	 * @return array Set of 'status' => int $count pairs for statuses with 1 or more actions of that status.
	 */
	public function action_counts() {
		global $wpdb;

		$sql  = "SELECT a.status, count(a.status) as 'count'";
		$sql .= " FROM {$wpdb->actionscheduler_actions} a";
		$sql .= ' GROUP BY a.status';

		$actions_count_by_status = array();
		$action_stati_and_labels = $this->get_status_labels();

		foreach ( $wpdb->get_results( $sql ) as $action_data ) { // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
			// Ignore any actions with invalid status.
			if ( array_key_exists( $action_data->status, $action_stati_and_labels ) ) {
				$actions_count_by_status[ $action_data->status ] = $action_data->count;
			}
		}

		return $actions_count_by_status;
	}

	/**
	 * Cancel an action.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return void
	 * @throws \InvalidArgumentException If the action update failed.
	 */
	public function cancel_action( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;

		$updated = $wpdb->update(
			$wpdb->actionscheduler_actions,
			array( 'status' => self::STATUS_CANCELED ),
			array( 'action_id' => $action_id ),
			array( '%s' ),
			array( '%d' )
		);
		if ( false === $updated ) {
			/* translators: %s: action ID */
			throw new \InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) );
		}
		do_action( 'action_scheduler_canceled_action', $action_id );
	}

	/**
	 * Cancel pending actions by hook.
	 *
	 * @since 3.0.0
	 *
	 * @param string $hook Hook name.
	 *
	 * @return void
	 */
	public function cancel_actions_by_hook( $hook ) {
		$this->bulk_cancel_actions( array( 'hook' => $hook ) );
	}

	/**
	 * Cancel pending actions by group.
	 *
	 * @param string $group Group slug.
	 *
	 * @return void
	 */
	public function cancel_actions_by_group( $group ) {
		$this->bulk_cancel_actions( array( 'group' => $group ) );
	}

	/**
	 * Bulk cancel actions.
	 *
	 * @since 3.0.0
	 *
	 * @param array $query_args Query parameters.
	 */
	protected function bulk_cancel_actions( $query_args ) {
		/** @var \wpdb $wpdb */
		global $wpdb;

		if ( ! is_array( $query_args ) ) {
			return;
		}

		// Don't cancel actions that are already canceled.
		if ( isset( $query_args['status'] ) && self::STATUS_CANCELED === $query_args['status'] ) {
			return;
		}

		$action_ids = true;
		$query_args = wp_parse_args(
			$query_args,
			array(
				'per_page' => 1000,
				'status'   => self::STATUS_PENDING,
				'orderby'  => 'action_id',
			)
		);

		while ( $action_ids ) {
			$action_ids = $this->query_actions( $query_args );
			if ( empty( $action_ids ) ) {
				break;
			}

			$format     = array_fill( 0, count( $action_ids ), '%d' );
			$query_in   = '(' . implode( ',', $format ) . ')';
			$parameters = $action_ids;
			array_unshift( $parameters, self::STATUS_CANCELED );

			$wpdb->query(
				$wpdb->prepare(
					"UPDATE {$wpdb->actionscheduler_actions} SET status = %s WHERE action_id IN {$query_in}", // phpcs:ignore WordPress.DB.PreparedSQL.InterpolatedNotPrepared
					$parameters
				)
			);

			do_action( 'action_scheduler_bulk_cancel_actions', $action_ids );
		}
	}

	/**
	 * Delete an action.
	 *
	 * @param int $action_id Action ID.
	 * @throws \InvalidArgumentException If the action deletion failed.
	 */
	public function delete_action( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$deleted = $wpdb->delete( $wpdb->actionscheduler_actions, array( 'action_id' => $action_id ), array( '%d' ) );
		if ( empty( $deleted ) ) {
			throw new \InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) ); //phpcs:ignore WordPress.WP.I18n.MissingTranslatorsComment
		}
		do_action( 'action_scheduler_deleted_action', $action_id );
	}

	/**
	 * Get the schedule date for an action.
	 *
	 * @param string $action_id Action ID.
	 *
	 * @return \DateTime The local date the action is scheduled to run, or the date that it ran.
	 */
	public function get_date( $action_id ) {
		$date = $this->get_date_gmt( $action_id );
		ActionScheduler_TimezoneHelper::set_local_timezone( $date );
		return $date;
	}

	/**
	 * Get the GMT schedule date for an action.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @throws \InvalidArgumentException If action cannot be identified.
	 * @return \DateTime The GMT date the action is scheduled to run, or the date that it ran.
	 */
	protected function get_date_gmt( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$record = $wpdb->get_row( $wpdb->prepare( "SELECT * FROM {$wpdb->actionscheduler_actions} WHERE action_id=%d", $action_id ) );
		if ( empty( $record ) ) {
			throw new \InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) ); //phpcs:ignore WordPress.WP.I18n.MissingTranslatorsComment
		}
		if ( self::STATUS_PENDING === $record->status ) {
			return as_get_datetime_object( $record->scheduled_date_gmt );
		} else {
			return as_get_datetime_object( $record->last_attempt_gmt );
		}
	}

	/**
	 * Stake a claim on actions.
	 *
	 * @param int       $max_actions Maximum number of action to include in claim.
	 * @param \DateTime $before_date Jobs must be schedule before this date. Defaults to now.
	 * @param array     $hooks Hooks to filter for.
	 * @param string    $group Group to filter for.
	 *
	 * @return ActionScheduler_ActionClaim
	 */
	public function stake_claim( $max_actions = 10, \DateTime $before_date = null, $hooks = array(), $group = '' ) {
		$claim_id = $this->generate_claim_id();

		$this->claim_before_date = $before_date;
		$this->claim_actions( $claim_id, $max_actions, $before_date, $hooks, $group );
		$action_ids              = $this->find_actions_by_claim_id( $claim_id );
		$this->claim_before_date = null;

		return new ActionScheduler_ActionClaim( $claim_id, $action_ids );
	}

	/**
	 * Generate a new action claim.
	 *
	 * @return int Claim ID.
	 */
	protected function generate_claim_id() {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$now = as_get_datetime_object();
		$wpdb->insert( $wpdb->actionscheduler_claims, array( 'date_created_gmt' => $now->format( 'Y-m-d H:i:s' ) ) );

		return $wpdb->insert_id;
	}

	/**
	 * Mark actions claimed.
	 *
	 * @param string    $claim_id Claim Id.
	 * @param int       $limit Number of action to include in claim.
	 * @param \DateTime $before_date Should use UTC timezone.
	 * @param array     $hooks Hooks to filter for.
	 * @param string    $group Group to filter for.
	 *
	 * @return int The number of actions that were claimed.
	 * @throws \InvalidArgumentException Throws InvalidArgumentException if group doesn't exist.
	 * @throws \RuntimeException Throws RuntimeException if unable to claim action.
	 */
	protected function claim_actions( $claim_id, $limit, \DateTime $before_date = null, $hooks = array(), $group = '' ) {
		/** @var \wpdb $wpdb */
		global $wpdb;

		$now  = as_get_datetime_object();
		$date = is_null( $before_date ) ? $now : clone $before_date;

		// can't use $wpdb->update() because of the <= condition.
		$update = "UPDATE {$wpdb->actionscheduler_actions} SET claim_id=%d, last_attempt_gmt=%s, last_attempt_local=%s";
		$params = array(
			$claim_id,
			$now->format( 'Y-m-d H:i:s' ),
			current_time( 'mysql' ),
		);

		$where    = 'WHERE claim_id = 0 AND scheduled_date_gmt <= %s AND status=%s';
		$params[] = $date->format( 'Y-m-d H:i:s' );
		$params[] = self::STATUS_PENDING;

		if ( ! empty( $hooks ) ) {
			$placeholders = array_fill( 0, count( $hooks ), '%s' );
			$where       .= ' AND hook IN (' . join( ', ', $placeholders ) . ')';
			$params       = array_merge( $params, array_values( $hooks ) );
		}

		if ( ! empty( $group ) ) {

			$group_id = $this->get_group_id( $group, false );

			// throw exception if no matching group found, this matches ActionScheduler_wpPostStore's behaviour.
			if ( empty( $group_id ) ) {
				/* translators: %s: group name */
				throw new InvalidArgumentException( sprintf( __( 'The group "%s" does not exist.', 'action-scheduler' ), $group ) );
			}

			$where   .= ' AND group_id = %d';
			$params[] = $group_id;
		}

		/**
		 * Sets the order-by clause used in the action claim query.
		 *
		 * @since x.x.x
		 *
		 * @param string $order_by_sql
		 */
		$order    = apply_filters( 'action_scheduler_claim_actions_order_by', 'ORDER BY attempts ASC, scheduled_date_gmt ASC, action_id ASC' );
		$params[] = $limit;

		$sql           = $wpdb->prepare( "{$update} {$where} {$order} LIMIT %d", $params ); // phpcs:ignore WordPress.DB.PreparedSQL.InterpolatedNotPrepared, WordPress.DB.PreparedSQLPlaceholders
		$rows_affected = $wpdb->query( $sql ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared, WordPress.DB.DirectDatabaseQuery.DirectQuery, WordPress.DB.DirectDatabaseQuery.NoCaching
		if ( false === $rows_affected ) {
			throw new \RuntimeException( __( 'Unable to claim actions. Database error.', 'action-scheduler' ) );
		}

		return (int) $rows_affected;
	}

	/**
	 * Get the number of active claims.
	 *
	 * @return int
	 */
	public function get_claim_count() {
		global $wpdb;

		$sql = "SELECT COUNT(DISTINCT claim_id) FROM {$wpdb->actionscheduler_actions} WHERE claim_id != 0 AND status IN ( %s, %s)";
		$sql = $wpdb->prepare( $sql, array( self::STATUS_PENDING, self::STATUS_RUNNING ) ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared

		return (int) $wpdb->get_var( $sql ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
	}

	/**
	 * Return an action's claim ID, as stored in the claim_id column.
	 *
	 * @param string $action_id Action ID.
	 * @return mixed
	 */
	public function get_claim_id( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;

		$sql = "SELECT claim_id FROM {$wpdb->actionscheduler_actions} WHERE action_id=%d";
		$sql = $wpdb->prepare( $sql, $action_id ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared

		return (int) $wpdb->get_var( $sql ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
	}

	/**
	 * Retrieve the action IDs of action in a claim.
	 *
	 * @param  int $claim_id Claim ID.
	 * @return int[]
	 */
	public function find_actions_by_claim_id( $claim_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;

		$action_ids  = array();
		$before_date = isset( $this->claim_before_date ) ? $this->claim_before_date : as_get_datetime_object();
		$cut_off     = $before_date->format( 'Y-m-d H:i:s' );

		$sql = $wpdb->prepare(
			"SELECT action_id, scheduled_date_gmt FROM {$wpdb->actionscheduler_actions} WHERE claim_id = %d",
			$claim_id
		);

		// Verify that the scheduled date for each action is within the expected bounds (in some unusual
		// cases, we cannot depend on MySQL to honor all of the WHERE conditions we specify).
		foreach ( $wpdb->get_results( $sql ) as $claimed_action ) { // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
			if ( $claimed_action->scheduled_date_gmt <= $cut_off ) {
				$action_ids[] = absint( $claimed_action->action_id );
			}
		}

		return $action_ids;
	}

	/**
	 * Release actions from a claim and delete the claim.
	 *
	 * @param ActionScheduler_ActionClaim $claim Claim object.
	 */
	public function release_claim( ActionScheduler_ActionClaim $claim ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$wpdb->update( $wpdb->actionscheduler_actions, array( 'claim_id' => 0 ), array( 'claim_id' => $claim->get_id() ), array( '%d' ), array( '%d' ) );
		$wpdb->delete( $wpdb->actionscheduler_claims, array( 'claim_id' => $claim->get_id() ), array( '%d' ) );
	}

	/**
	 * Remove the claim from an action.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return void
	 */
	public function unclaim_action( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$wpdb->update(
			$wpdb->actionscheduler_actions,
			array( 'claim_id' => 0 ),
			array( 'action_id' => $action_id ),
			array( '%s' ),
			array( '%d' )
		);
	}

	/**
	 * Mark an action as failed.
	 *
	 * @param int $action_id Action ID.
	 * @throws \InvalidArgumentException Throw an exception if action was not updated.
	 */
	public function mark_failure( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$updated = $wpdb->update(
			$wpdb->actionscheduler_actions,
			array( 'status' => self::STATUS_FAILED ),
			array( 'action_id' => $action_id ),
			array( '%s' ),
			array( '%d' )
		);
		if ( empty( $updated ) ) {
			throw new \InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) ); //phpcs:ignore WordPress.WP.I18n.MissingTranslatorsComment
		}
	}

	/**
	 * Add execution message to action log.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return void
	 */
	public function log_execution( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;

		$sql = "UPDATE {$wpdb->actionscheduler_actions} SET attempts = attempts+1, status=%s, last_attempt_gmt = %s, last_attempt_local = %s WHERE action_id = %d";
		$sql = $wpdb->prepare( $sql, self::STATUS_RUNNING, current_time( 'mysql', true ), current_time( 'mysql' ), $action_id ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
		$wpdb->query( $sql ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
	}

	/**
	 * Mark an action as complete.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return void
	 * @throws \InvalidArgumentException Throw an exception if action was not updated.
	 */
	public function mark_complete( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$updated = $wpdb->update(
			$wpdb->actionscheduler_actions,
			array(
				'status'             => self::STATUS_COMPLETE,
				'last_attempt_gmt'   => current_time( 'mysql', true ),
				'last_attempt_local' => current_time( 'mysql' ),
			),
			array( 'action_id' => $action_id ),
			array( '%s' ),
			array( '%d' )
		);
		if ( empty( $updated ) ) {
			throw new \InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) ); //phpcs:ignore WordPress.WP.I18n.MissingTranslatorsComment
		}

		/**
		 * Fires after a scheduled action has been completed.
		 *
		 * @since 3.4.2
		 *
		 * @param int $action_id Action ID.
		 */
		do_action( 'action_scheduler_completed_action', $action_id );
	}

	/**
	 * Get an action's status.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return string
	 * @throws \InvalidArgumentException Throw an exception if not status was found for action_id.
	 * @throws \RuntimeException Throw an exception if action status could not be retrieved.
	 */
	public function get_status( $action_id ) {
		/** @var \wpdb $wpdb */
		global $wpdb;
		$sql    = "SELECT status FROM {$wpdb->actionscheduler_actions} WHERE action_id=%d";
		$sql    = $wpdb->prepare( $sql, $action_id ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
		$status = $wpdb->get_var( $sql ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared

		if ( null === $status ) {
			throw new \InvalidArgumentException( __( 'Invalid action ID. No status found.', 'action-scheduler' ) );
		} elseif ( empty( $status ) ) {
			throw new \RuntimeException( __( 'Unknown status found for action.', 'action-scheduler' ) );
		} else {
			return $status;
		}
	}
}
woocommerce/action-scheduler/classes/data-stores/ActionScheduler_HybridStore.php000064400000027366151330736600024324 0ustar00<?php

use ActionScheduler_Store as Store;
use Action_Scheduler\Migration\Runner;
use Action_Scheduler\Migration\Config;
use Action_Scheduler\Migration\Controller;

/**
 * Class ActionScheduler_HybridStore
 *
 * A wrapper around multiple stores that fetches data from both.
 *
 * @since 3.0.0
 */
class ActionScheduler_HybridStore extends Store {
	const DEMARKATION_OPTION = 'action_scheduler_hybrid_store_demarkation';

	private $primary_store;
	private $secondary_store;
	private $migration_runner;

	/**
	 * @var int The dividing line between IDs of actions created
	 *          by the primary and secondary stores.
	 *
	 * Methods that accept an action ID will compare the ID against
	 * this to determine which store will contain that ID. In almost
	 * all cases, the ID should come from the primary store, but if
	 * client code is bypassing the API functions and fetching IDs
	 * from elsewhere, then there is a chance that an unmigrated ID
	 * might be requested.
	 */
	private $demarkation_id = 0;

	/**
	 * ActionScheduler_HybridStore constructor.
	 *
	 * @param Config $config Migration config object.
	 */
	public function __construct( Config $config = null ) {
		$this->demarkation_id = (int) get_option( self::DEMARKATION_OPTION, 0 );
		if ( empty( $config ) ) {
			$config = Controller::instance()->get_migration_config_object();
		}
		$this->primary_store    = $config->get_destination_store();
		$this->secondary_store  = $config->get_source_store();
		$this->migration_runner = new Runner( $config );
	}

	/**
	 * Initialize the table data store tables.
	 *
	 * @codeCoverageIgnore
	 */
	public function init() {
		add_action( 'action_scheduler/created_table', [ $this, 'set_autoincrement' ], 10, 2 );
		$this->primary_store->init();
		$this->secondary_store->init();
		remove_action( 'action_scheduler/created_table', [ $this, 'set_autoincrement' ], 10 );
	}

	/**
	 * When the actions table is created, set its autoincrement
	 * value to be one higher than the posts table to ensure that
	 * there are no ID collisions.
	 *
	 * @param string $table_name
	 * @param string $table_suffix
	 *
	 * @return void
	 * @codeCoverageIgnore
	 */
	public function set_autoincrement( $table_name, $table_suffix ) {
		if ( ActionScheduler_StoreSchema::ACTIONS_TABLE === $table_suffix ) {
			if ( empty( $this->demarkation_id ) ) {
				$this->demarkation_id = $this->set_demarkation_id();
			}
			/** @var \wpdb $wpdb */
			global $wpdb;
			/**
			 * A default date of '0000-00-00 00:00:00' is invalid in MySQL 5.7 when configured with 
			 * sql_mode including both STRICT_TRANS_TABLES and NO_ZERO_DATE.
			 */
			$default_date = new DateTime( 'tomorrow' );
			$null_action  = new ActionScheduler_NullAction();
			$date_gmt     = $this->get_scheduled_date_string( $null_action, $default_date );
			$date_local   = $this->get_scheduled_date_string_local( $null_action, $default_date );

			$row_count = $wpdb->insert(
				$wpdb->{ActionScheduler_StoreSchema::ACTIONS_TABLE},
				[
					'action_id'            => $this->demarkation_id,
					'hook'                 => '',
					'status'               => '',
					'scheduled_date_gmt'   => $date_gmt,
					'scheduled_date_local' => $date_local,
					'last_attempt_gmt'     => $date_gmt,
					'last_attempt_local'   => $date_local,
				]
			);
			if ( $row_count > 0 ) {
				$wpdb->delete(
					$wpdb->{ActionScheduler_StoreSchema::ACTIONS_TABLE},
					[ 'action_id' => $this->demarkation_id ]
				);
			}
		}
	}

	/**
	 * Store the demarkation id in WP options.
	 *
	 * @param int $id The ID to set as the demarkation point between the two stores
	 *                Leave null to use the next ID from the WP posts table.
	 *
	 * @return int The new ID.
	 *
	 * @codeCoverageIgnore
	 */
	private function set_demarkation_id( $id = null ) {
		if ( empty( $id ) ) {
			/** @var \wpdb $wpdb */
			global $wpdb;
			$id = (int) $wpdb->get_var( "SELECT MAX(ID) FROM $wpdb->posts" );
			$id ++;
		}
		update_option( self::DEMARKATION_OPTION, $id );

		return $id;
	}

	/**
	 * Find the first matching action from the secondary store.
	 * If it exists, migrate it to the primary store immediately.
	 * After it migrates, the secondary store will logically contain
	 * the next matching action, so return the result thence.
	 *
	 * @param string $hook
	 * @param array  $params
	 *
	 * @return string
	 */
	public function find_action( $hook, $params = [] ) {
		$found_unmigrated_action = $this->secondary_store->find_action( $hook, $params );
		if ( ! empty( $found_unmigrated_action ) ) {
			$this->migrate( [ $found_unmigrated_action ] );
		}

		return $this->primary_store->find_action( $hook, $params );
	}

	/**
	 * Find actions matching the query in the secondary source first.
	 * If any are found, migrate them immediately. Then the secondary
	 * store will contain the canonical results.
	 *
	 * @param array $query
	 * @param string $query_type Whether to select or count the results. Default, select.
	 *
	 * @return int[]
	 */
	public function query_actions( $query = [], $query_type = 'select' ) {
		$found_unmigrated_actions = $this->secondary_store->query_actions( $query, 'select' );
		if ( ! empty( $found_unmigrated_actions ) ) {
			$this->migrate( $found_unmigrated_actions );
		}

		return $this->primary_store->query_actions( $query, $query_type );
	}

	/**
	 * Get a count of all actions in the store, grouped by status
	 *
	 * @return array Set of 'status' => int $count pairs for statuses with 1 or more actions of that status.
	 */
	public function action_counts() {
		$unmigrated_actions_count = $this->secondary_store->action_counts();
		$migrated_actions_count   = $this->primary_store->action_counts();
		$actions_count_by_status  = array();

		foreach ( $this->get_status_labels() as $status_key => $status_label ) {

			$count = 0;

			if ( isset( $unmigrated_actions_count[ $status_key ] ) ) {
				$count += $unmigrated_actions_count[ $status_key ];
			}

			if ( isset( $migrated_actions_count[ $status_key ] ) ) {
				$count += $migrated_actions_count[ $status_key ];
			}

			$actions_count_by_status[ $status_key ] = $count;
		}

		$actions_count_by_status = array_filter( $actions_count_by_status );

		return $actions_count_by_status;
	}

	/**
	 * If any actions would have been claimed by the secondary store,
	 * migrate them immediately, then ask the primary store for the
	 * canonical claim.
	 *
	 * @param int           $max_actions
	 * @param DateTime|null $before_date
	 *
	 * @return ActionScheduler_ActionClaim
	 */
	public function stake_claim( $max_actions = 10, DateTime $before_date = null, $hooks = array(), $group = '' ) {
		$claim = $this->secondary_store->stake_claim( $max_actions, $before_date, $hooks, $group );

		$claimed_actions = $claim->get_actions();
		if ( ! empty( $claimed_actions ) ) {
			$this->migrate( $claimed_actions );
		}

		$this->secondary_store->release_claim( $claim );

		return $this->primary_store->stake_claim( $max_actions, $before_date, $hooks, $group );
	}

	/**
	 * Migrate a list of actions to the table data store.
	 *
	 * @param array $action_ids List of action IDs.
	 */
	private function migrate( $action_ids ) {
		$this->migration_runner->migrate_actions( $action_ids );
	}

	/**
	 * Save an action to the primary store.
	 *
	 * @param ActionScheduler_Action $action Action object to be saved.
	 * @param DateTime               $date Optional. Schedule date. Default null.
	 *
	 * @return int The action ID
	 */
	public function save_action( ActionScheduler_Action $action, DateTime $date = null ) {
		return $this->primary_store->save_action( $action, $date );
	}

	/**
	 * Retrieve an existing action whether migrated or not.
	 *
	 * @param int $action_id Action ID.
	 */
	public function fetch_action( $action_id ) {
		$store = $this->get_store_from_action_id( $action_id, true );
		if ( $store ) {
			return $store->fetch_action( $action_id );
		} else {
			return new ActionScheduler_NullAction();
		}
	}

	/**
	 * Cancel an existing action whether migrated or not.
	 *
	 * @param int $action_id Action ID.
	 */
	public function cancel_action( $action_id ) {
		$store = $this->get_store_from_action_id( $action_id );
		if ( $store ) {
			$store->cancel_action( $action_id );
		}
	}

	/**
	 * Delete an existing action whether migrated or not.
	 *
	 * @param int $action_id Action ID.
	 */
	public function delete_action( $action_id ) {
		$store = $this->get_store_from_action_id( $action_id );
		if ( $store ) {
			$store->delete_action( $action_id );
		}
	}

	/**
	 * Get the schedule date an existing action whether migrated or not.
	 *
	 * @param int $action_id Action ID.
	 */
	public function get_date( $action_id ) {
		$store = $this->get_store_from_action_id( $action_id );
		if ( $store ) {
			return $store->get_date( $action_id );
		} else {
			return null;
		}
	}

	/**
	 * Mark an existing action as failed whether migrated or not.
	 *
	 * @param int $action_id Action ID.
	 */
	public function mark_failure( $action_id ) {
		$store = $this->get_store_from_action_id( $action_id );
		if ( $store ) {
			$store->mark_failure( $action_id );
		}
	}

	/**
	 * Log the execution of an existing action whether migrated or not.
	 *
	 * @param int $action_id Action ID.
	 */
	public function log_execution( $action_id ) {
		$store = $this->get_store_from_action_id( $action_id );
		if ( $store ) {
			$store->log_execution( $action_id );
		}
	}

	/**
	 * Mark an existing action complete whether migrated or not.
	 *
	 * @param int $action_id Action ID.
	 */
	public function mark_complete( $action_id ) {
		$store = $this->get_store_from_action_id( $action_id );
		if ( $store ) {
			$store->mark_complete( $action_id );
		}
	}

	/**
	 * Get an existing action status whether migrated or not.
	 *
	 * @param int $action_id Action ID.
	 */
	public function get_status( $action_id ) {
		$store = $this->get_store_from_action_id( $action_id );
		if ( $store ) {
			return $store->get_status( $action_id );
		}
		return null;
	}

	/**
	 * Return which store an action is stored in.
	 *
	 * @param int  $action_id ID of the action.
	 * @param bool $primary_first Optional flag indicating search the primary store first.
	 * @return ActionScheduler_Store
	 */
	protected function get_store_from_action_id( $action_id, $primary_first = false ) {
		if ( $primary_first ) {
			$stores = [
				$this->primary_store,
				$this->secondary_store,
			];
		} elseif ( $action_id < $this->demarkation_id ) {
			$stores = [
				$this->secondary_store,
				$this->primary_store,
			];
		} else {
			$stores = [
				$this->primary_store,
			];
		}

		foreach ( $stores as $store ) {
			$action = $store->fetch_action( $action_id );
			if ( ! is_a( $action, 'ActionScheduler_NullAction' ) ) {
				return $store;
			}
		}
		return null;
	}

	/* * * * * * * * * * * * * * * * * * * * * * * * * * *
	 * All claim-related functions should operate solely
	 * on the primary store.
	 * * * * * * * * * * * * * * * * * * * * * * * * * * */

	/**
	 * Get the claim count from the table data store.
	 */
	public function get_claim_count() {
		return $this->primary_store->get_claim_count();
	}

	/**
	 * Retrieve the claim ID for an action from the table data store.
	 *
	 * @param int $action_id Action ID.
	 */
	public function get_claim_id( $action_id ) {
		return $this->primary_store->get_claim_id( $action_id );
	}

	/**
	 * Release a claim in the table data store.
	 *
	 * @param ActionScheduler_ActionClaim $claim Claim object.
	 */
	public function release_claim( ActionScheduler_ActionClaim $claim ) {
		$this->primary_store->release_claim( $claim );
	}

	/**
	 * Release claims on an action in the table data store.
	 *
	 * @param int $action_id Action ID.
	 */
	public function unclaim_action( $action_id ) {
		$this->primary_store->unclaim_action( $action_id );
	}

	/**
	 * Retrieve a list of action IDs by claim.
	 *
	 * @param int $claim_id Claim ID.
	 */
	public function find_actions_by_claim_id( $claim_id ) {
		return $this->primary_store->find_actions_by_claim_id( $claim_id );
	}
}
woocommerce/action-scheduler/classes/data-stores/ActionScheduler_DBLogger.php000064400000010604151330736600023476 0ustar00<?php

/**
 * Class ActionScheduler_DBLogger
 *
 * Action logs data table data store.
 *
 * @since 3.0.0
 */
class ActionScheduler_DBLogger extends ActionScheduler_Logger {

	/**
	 * Add a record to an action log.
	 *
	 * @param int      $action_id Action ID.
	 * @param string   $message Message to be saved in the log entry.
	 * @param DateTime $date Timestamp of the log entry.
	 *
	 * @return int     The log entry ID.
	 */
	public function log( $action_id, $message, DateTime $date = null ) {
		if ( empty( $date ) ) {
			$date = as_get_datetime_object();
		} else {
			$date = clone $date;
		}

		$date_gmt = $date->format( 'Y-m-d H:i:s' );
		ActionScheduler_TimezoneHelper::set_local_timezone( $date );
		$date_local = $date->format( 'Y-m-d H:i:s' );

		/** @var \wpdb $wpdb */ //phpcs:ignore Generic.Commenting.DocComment.MissingShort
		global $wpdb;
		$wpdb->insert(
			$wpdb->actionscheduler_logs,
			array(
				'action_id'      => $action_id,
				'message'        => $message,
				'log_date_gmt'   => $date_gmt,
				'log_date_local' => $date_local,
			),
			array( '%d', '%s', '%s', '%s' )
		);

		return $wpdb->insert_id;
	}

	/**
	 * Retrieve an action log entry.
	 *
	 * @param int $entry_id Log entry ID.
	 *
	 * @return ActionScheduler_LogEntry
	 */
	public function get_entry( $entry_id ) {
		/** @var \wpdb $wpdb */ //phpcs:ignore Generic.Commenting.DocComment.MissingShort
		global $wpdb;
		$entry = $wpdb->get_row( $wpdb->prepare( "SELECT * FROM {$wpdb->actionscheduler_logs} WHERE log_id=%d", $entry_id ) );

		return $this->create_entry_from_db_record( $entry );
	}

	/**
	 * Create an action log entry from a database record.
	 *
	 * @param object $record Log entry database record object.
	 *
	 * @return ActionScheduler_LogEntry
	 */
	private function create_entry_from_db_record( $record ) {
		if ( empty( $record ) ) {
			return new ActionScheduler_NullLogEntry();
		}

		if ( is_null( $record->log_date_gmt ) ) {
			$date = as_get_datetime_object( ActionScheduler_StoreSchema::DEFAULT_DATE );
		} else {
			$date = as_get_datetime_object( $record->log_date_gmt );
		}

		return new ActionScheduler_LogEntry( $record->action_id, $record->message, $date );
	}

	/**
	 * Retrieve the an action's log entries from the database.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return ActionScheduler_LogEntry[]
	 */
	public function get_logs( $action_id ) {
		/** @var \wpdb $wpdb */ //phpcs:ignore Generic.Commenting.DocComment.MissingShort
		global $wpdb;

		$records = $wpdb->get_results( $wpdb->prepare( "SELECT * FROM {$wpdb->actionscheduler_logs} WHERE action_id=%d", $action_id ) );

		return array_map( array( $this, 'create_entry_from_db_record' ), $records );
	}

	/**
	 * Initialize the data store.
	 *
	 * @codeCoverageIgnore
	 */
	public function init() {
		$table_maker = new ActionScheduler_LoggerSchema();
		$table_maker->init();
		$table_maker->register_tables();

		parent::init();

		add_action( 'action_scheduler_deleted_action', array( $this, 'clear_deleted_action_logs' ), 10, 1 );
	}

	/**
	 * Delete the action logs for an action.
	 *
	 * @param int $action_id Action ID.
	 */
	public function clear_deleted_action_logs( $action_id ) {
		/** @var \wpdb $wpdb */ //phpcs:ignore Generic.Commenting.DocComment.MissingShort
		global $wpdb;
		$wpdb->delete( $wpdb->actionscheduler_logs, array( 'action_id' => $action_id ), array( '%d' ) );
	}

	/**
	 * Bulk add cancel action log entries.
	 *
	 * @param array $action_ids List of action ID.
	 */
	public function bulk_log_cancel_actions( $action_ids ) {
		if ( empty( $action_ids ) ) {
			return;
		}

		/** @var \wpdb $wpdb */ //phpcs:ignore Generic.Commenting.DocComment.MissingShort
		global $wpdb;
		$date     = as_get_datetime_object();
		$date_gmt = $date->format( 'Y-m-d H:i:s' );
		ActionScheduler_TimezoneHelper::set_local_timezone( $date );
		$date_local = $date->format( 'Y-m-d H:i:s' );
		$message    = __( 'action canceled', 'action-scheduler' );
		$format     = '(%d, ' . $wpdb->prepare( '%s, %s, %s', $message, $date_gmt, $date_local ) . ')';
		$sql_query  = "INSERT {$wpdb->actionscheduler_logs} (action_id, message, log_date_gmt, log_date_local) VALUES ";
		$value_rows = array();

		foreach ( $action_ids as $action_id ) {
			$value_rows[] = $wpdb->prepare( $format, $action_id ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
		}
		$sql_query .= implode( ',', $value_rows );

		$wpdb->query( $sql_query ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
	}
}
woocommerce/action-scheduler/classes/data-stores/ActionScheduler_wpPostStore.php000064400000104447151330736600024373 0ustar00<?php

/**
 * Class ActionScheduler_wpPostStore
 */
class ActionScheduler_wpPostStore extends ActionScheduler_Store {
	const POST_TYPE         = 'scheduled-action';
	const GROUP_TAXONOMY    = 'action-group';
	const SCHEDULE_META_KEY = '_action_manager_schedule';
	const DEPENDENCIES_MET  = 'as-post-store-dependencies-met';

	/**
	 * Used to share information about the before_date property of claims internally.
	 *
	 * This is used in preference to passing the same information as a method param
	 * for backwards-compatibility reasons.
	 *
	 * @var DateTime|null
	 */
	private $claim_before_date = null;

	/**
	 * Local Timezone.
	 *
	 * @var DateTimeZone
	 */
	protected $local_timezone = null;

	/**
	 * Save action.
	 *
	 * @param ActionScheduler_Action $action Scheduled Action.
	 * @param DateTime               $scheduled_date Scheduled Date.
	 *
	 * @throws RuntimeException Throws an exception if the action could not be saved.
	 * @return int
	 */
	public function save_action( ActionScheduler_Action $action, DateTime $scheduled_date = null ) {
		try {
			$this->validate_action( $action );
			$post_array = $this->create_post_array( $action, $scheduled_date );
			$post_id    = $this->save_post_array( $post_array );
			$this->save_post_schedule( $post_id, $action->get_schedule() );
			$this->save_action_group( $post_id, $action->get_group() );
			do_action( 'action_scheduler_stored_action', $post_id );
			return $post_id;
		} catch ( Exception $e ) {
			/* translators: %s: action error message */
			throw new RuntimeException( sprintf( __( 'Error saving action: %s', 'action-scheduler' ), $e->getMessage() ), 0 );
		}
	}

	/**
	 * Create post array.
	 *
	 * @param ActionScheduler_Action $action Scheduled Action.
	 * @param DateTime               $scheduled_date Scheduled Date.
	 *
	 * @return array Returns an array of post data.
	 */
	protected function create_post_array( ActionScheduler_Action $action, DateTime $scheduled_date = null ) {
		$post = array(
			'post_type'     => self::POST_TYPE,
			'post_title'    => $action->get_hook(),
			'post_content'  => wp_json_encode( $action->get_args() ),
			'post_status'   => ( $action->is_finished() ? 'publish' : 'pending' ),
			'post_date_gmt' => $this->get_scheduled_date_string( $action, $scheduled_date ),
			'post_date'     => $this->get_scheduled_date_string_local( $action, $scheduled_date ),
		);
		return $post;
	}

	/**
	 * Save post array.
	 *
	 * @param array $post_array Post array.
	 * @return int Returns the post ID.
	 * @throws RuntimeException Throws an exception if the action could not be saved.
	 */
	protected function save_post_array( $post_array ) {
		add_filter( 'wp_insert_post_data', array( $this, 'filter_insert_post_data' ), 10, 1 );
		add_filter( 'pre_wp_unique_post_slug', array( $this, 'set_unique_post_slug' ), 10, 5 );

		$has_kses = false !== has_filter( 'content_save_pre', 'wp_filter_post_kses' );

		if ( $has_kses ) {
			// Prevent KSES from corrupting JSON in post_content.
			kses_remove_filters();
		}

		$post_id = wp_insert_post( $post_array );

		if ( $has_kses ) {
			kses_init_filters();
		}

		remove_filter( 'wp_insert_post_data', array( $this, 'filter_insert_post_data' ), 10 );
		remove_filter( 'pre_wp_unique_post_slug', array( $this, 'set_unique_post_slug' ), 10 );

		if ( is_wp_error( $post_id ) || empty( $post_id ) ) {
			throw new RuntimeException( __( 'Unable to save action.', 'action-scheduler' ) );
		}
		return $post_id;
	}

	/**
	 * Filter insert post data.
	 *
	 * @param array $postdata Post data to filter.
	 *
	 * @return array
	 */
	public function filter_insert_post_data( $postdata ) {
		if ( self::POST_TYPE === $postdata['post_type'] ) {
			$postdata['post_author'] = 0;
			if ( 'future' === $postdata['post_status'] ) {
				$postdata['post_status'] = 'publish';
			}
		}
		return $postdata;
	}

	/**
	 * Create a (probably unique) post name for scheduled actions in a more performant manner than wp_unique_post_slug().
	 *
	 * When an action's post status is transitioned to something other than 'draft', 'pending' or 'auto-draft, like 'publish'
	 * or 'failed' or 'trash', WordPress will find a unique slug (stored in post_name column) using the wp_unique_post_slug()
	 * function. This is done to ensure URL uniqueness. The approach taken by wp_unique_post_slug() is to iterate over existing
	 * post_name values that match, and append a number 1 greater than the largest. This makes sense when manually creating a
	 * post from the Edit Post screen. It becomes a bottleneck when automatically processing thousands of actions, with a
	 * database containing thousands of related post_name values.
	 *
	 * WordPress 5.1 introduces the 'pre_wp_unique_post_slug' filter for plugins to address this issue.
	 *
	 * We can short-circuit WordPress's wp_unique_post_slug() approach using the 'pre_wp_unique_post_slug' filter. This
	 * method is available to be used as a callback on that filter. It provides a more scalable approach to generating a
	 * post_name/slug that is probably unique. Because Action Scheduler never actually uses the post_name field, or an
	 * action's slug, being probably unique is good enough.
	 *
	 * For more backstory on this issue, see:
	 * - https://github.com/woocommerce/action-scheduler/issues/44 and
	 * - https://core.trac.wordpress.org/ticket/21112
	 *
	 * @param string $override_slug Short-circuit return value.
	 * @param string $slug          The desired slug (post_name).
	 * @param int    $post_ID       Post ID.
	 * @param string $post_status   The post status.
	 * @param string $post_type     Post type.
	 * @return string
	 */
	public function set_unique_post_slug( $override_slug, $slug, $post_ID, $post_status, $post_type ) {
		if ( self::POST_TYPE === $post_type ) {
			$override_slug = uniqid( self::POST_TYPE . '-', true ) . '-' . wp_generate_password( 32, false );
		}
		return $override_slug;
	}

	/**
	 * Save post schedule.
	 *
	 * @param int    $post_id  Post ID of the scheduled action.
	 * @param string $schedule Schedule to save.
	 *
	 * @return void
	 */
	protected function save_post_schedule( $post_id, $schedule ) {
		update_post_meta( $post_id, self::SCHEDULE_META_KEY, $schedule );
	}

	/**
	 * Save action group.
	 *
	 * @param int    $post_id Post ID.
	 * @param string $group   Group to save.
	 * @return void
	 */
	protected function save_action_group( $post_id, $group ) {
		if ( empty( $group ) ) {
			wp_set_object_terms( $post_id, array(), self::GROUP_TAXONOMY, false );
		} else {
			wp_set_object_terms( $post_id, array( $group ), self::GROUP_TAXONOMY, false );
		}
	}

	/**
	 * Fetch actions.
	 *
	 * @param int $action_id Action ID.
	 * @return object
	 */
	public function fetch_action( $action_id ) {
		$post = $this->get_post( $action_id );
		if ( empty( $post ) || self::POST_TYPE !== $post->post_type ) {
			return $this->get_null_action();
		}

		try {
			$action = $this->make_action_from_post( $post );
		} catch ( ActionScheduler_InvalidActionException $exception ) {
			do_action( 'action_scheduler_failed_fetch_action', $post->ID, $exception );
			return $this->get_null_action();
		}

		return $action;
	}

	/**
	 * Get post.
	 *
	 * @param string $action_id - Action ID.
	 * @return WP_Post|null
	 */
	protected function get_post( $action_id ) {
		if ( empty( $action_id ) ) {
			return null;
		}
		return get_post( $action_id );
	}

	/**
	 * Get NULL action.
	 *
	 * @return ActionScheduler_NullAction
	 */
	protected function get_null_action() {
		return new ActionScheduler_NullAction();
	}

	/**
	 * Make action from post.
	 *
	 * @param WP_Post $post Post object.
	 * @return WP_Post
	 */
	protected function make_action_from_post( $post ) {
		$hook = $post->post_title;

		$args = json_decode( $post->post_content, true );
		$this->validate_args( $args, $post->ID );

		$schedule = get_post_meta( $post->ID, self::SCHEDULE_META_KEY, true );
		$this->validate_schedule( $schedule, $post->ID );

		$group = wp_get_object_terms( $post->ID, self::GROUP_TAXONOMY, array( 'fields' => 'names' ) );
		$group = empty( $group ) ? '' : reset( $group );

		return ActionScheduler::factory()->get_stored_action( $this->get_action_status_by_post_status( $post->post_status ), $hook, $args, $schedule, $group );
	}

	/**
	 * Get action status by post status.
	 *
	 * @param string $post_status Post status.
	 *
	 * @throws InvalidArgumentException Throw InvalidArgumentException if $post_status not in known status fields returned by $this->get_status_labels().
	 * @return string
	 */
	protected function get_action_status_by_post_status( $post_status ) {

		switch ( $post_status ) {
			case 'publish':
				$action_status = self::STATUS_COMPLETE;
				break;
			case 'trash':
				$action_status = self::STATUS_CANCELED;
				break;
			default:
				if ( ! array_key_exists( $post_status, $this->get_status_labels() ) ) {
					throw new InvalidArgumentException( sprintf( 'Invalid post status: "%s". No matching action status available.', $post_status ) );
				}
				$action_status = $post_status;
				break;
		}

		return $action_status;
	}

	/**
	 * Get post status by action status.
	 *
	 * @param string $action_status Action status.
	 *
	 * @throws InvalidArgumentException Throws InvalidArgumentException if $post_status not in known status fields returned by $this->get_status_labels().
	 * @return string
	 */
	protected function get_post_status_by_action_status( $action_status ) {

		switch ( $action_status ) {
			case self::STATUS_COMPLETE:
				$post_status = 'publish';
				break;
			case self::STATUS_CANCELED:
				$post_status = 'trash';
				break;
			default:
				if ( ! array_key_exists( $action_status, $this->get_status_labels() ) ) {
					throw new InvalidArgumentException( sprintf( 'Invalid action status: "%s".', $action_status ) );
				}
				$post_status = $action_status;
				break;
		}

		return $post_status;
	}

	/**
	 * Returns the SQL statement to query (or count) actions.
	 *
	 * @param array  $query            - Filtering options.
	 * @param string $select_or_count  - Whether the SQL should select and return the IDs or just the row count.
	 *
	 * @throws InvalidArgumentException - Throw InvalidArgumentException if $select_or_count not count or select.
	 * @return string SQL statement. The returned SQL is already properly escaped.
	 */
	protected function get_query_actions_sql( array $query, $select_or_count = 'select' ) {

		if ( ! in_array( $select_or_count, array( 'select', 'count' ), true ) ) {
			throw new InvalidArgumentException( __( 'Invalid schedule. Cannot save action.', 'action-scheduler' ) );
		}

		$query = wp_parse_args(
			$query,
			array(
				'hook'             => '',
				'args'             => null,
				'date'             => null,
				'date_compare'     => '<=',
				'modified'         => null,
				'modified_compare' => '<=',
				'group'            => '',
				'status'           => '',
				'claimed'          => null,
				'per_page'         => 5,
				'offset'           => 0,
				'orderby'          => 'date',
				'order'            => 'ASC',
				'search'           => '',
			)
		);

		/**
		 * Global wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;
		$sql        = ( 'count' === $select_or_count ) ? 'SELECT count(p.ID)' : 'SELECT p.ID ';
		$sql       .= "FROM {$wpdb->posts} p";
		$sql_params = array();
		if ( empty( $query['group'] ) && 'group' === $query['orderby'] ) {
			$sql .= " LEFT JOIN {$wpdb->term_relationships} tr ON tr.object_id=p.ID";
			$sql .= " LEFT JOIN {$wpdb->term_taxonomy} tt ON tr.term_taxonomy_id=tt.term_taxonomy_id";
			$sql .= " LEFT JOIN {$wpdb->terms} t ON tt.term_id=t.term_id";
		} elseif ( ! empty( $query['group'] ) ) {
			$sql         .= " INNER JOIN {$wpdb->term_relationships} tr ON tr.object_id=p.ID";
			$sql         .= " INNER JOIN {$wpdb->term_taxonomy} tt ON tr.term_taxonomy_id=tt.term_taxonomy_id";
			$sql         .= " INNER JOIN {$wpdb->terms} t ON tt.term_id=t.term_id";
			$sql         .= ' AND t.slug=%s';
			$sql_params[] = $query['group'];
		}
		$sql         .= ' WHERE post_type=%s';
		$sql_params[] = self::POST_TYPE;
		if ( $query['hook'] ) {
			$sql         .= ' AND p.post_title=%s';
			$sql_params[] = $query['hook'];
		}
		if ( ! is_null( $query['args'] ) ) {
			$sql         .= ' AND p.post_content=%s';
			$sql_params[] = wp_json_encode( $query['args'] );
		}

		if ( $query['status'] ) {
			$post_statuses = array_map( array( $this, 'get_post_status_by_action_status' ), (array) $query['status'] );
			$placeholders  = array_fill( 0, count( $post_statuses ), '%s' );
			$sql          .= ' AND p.post_status IN (' . join( ', ', $placeholders ) . ')';
			$sql_params    = array_merge( $sql_params, array_values( $post_statuses ) );
		}

		if ( $query['date'] instanceof DateTime ) {
			$date = clone $query['date'];
			$date->setTimezone( new DateTimeZone( 'UTC' ) );
			$date_string  = $date->format( 'Y-m-d H:i:s' );
			$comparator   = $this->validate_sql_comparator( $query['date_compare'] );
			$sql         .= " AND p.post_date_gmt $comparator %s";
			$sql_params[] = $date_string;
		}

		if ( $query['modified'] instanceof DateTime ) {
			$modified = clone $query['modified'];
			$modified->setTimezone( new DateTimeZone( 'UTC' ) );
			$date_string  = $modified->format( 'Y-m-d H:i:s' );
			$comparator   = $this->validate_sql_comparator( $query['modified_compare'] );
			$sql         .= " AND p.post_modified_gmt $comparator %s";
			$sql_params[] = $date_string;
		}

		if ( true === $query['claimed'] ) {
			$sql .= " AND p.post_password != ''";
		} elseif ( false === $query['claimed'] ) {
			$sql .= " AND p.post_password = ''";
		} elseif ( ! is_null( $query['claimed'] ) ) {
			$sql         .= ' AND p.post_password = %s';
			$sql_params[] = $query['claimed'];
		}

		if ( ! empty( $query['search'] ) ) {
			$sql .= ' AND (p.post_title LIKE %s OR p.post_content LIKE %s OR p.post_password LIKE %s)';
			for ( $i = 0; $i < 3; $i++ ) {
				$sql_params[] = sprintf( '%%%s%%', $query['search'] );
			}
		}

		if ( 'select' === $select_or_count ) {
			switch ( $query['orderby'] ) {
				case 'hook':
					$orderby = 'p.post_title';
					break;
				case 'group':
					$orderby = 't.name';
					break;
				case 'status':
					$orderby = 'p.post_status';
					break;
				case 'modified':
					$orderby = 'p.post_modified';
					break;
				case 'claim_id':
					$orderby = 'p.post_password';
					break;
				case 'schedule':
				case 'date':
				default:
					$orderby = 'p.post_date_gmt';
					break;
			}
			if ( 'ASC' === strtoupper( $query['order'] ) ) {
				$order = 'ASC';
			} else {
				$order = 'DESC';
			}
			$sql .= " ORDER BY $orderby $order";
			if ( $query['per_page'] > 0 ) {
				$sql         .= ' LIMIT %d, %d';
				$sql_params[] = $query['offset'];
				$sql_params[] = $query['per_page'];
			}
		}

		return $wpdb->prepare( $sql, $sql_params ); // phpcs:ignore WordPress.DB.PreparedSQL.NotPrepared
	}

	/**
	 * Query for action count or list of action IDs.
	 *
	 * @since x.x.x $query['status'] accepts array of statuses instead of a single status.
	 *
	 * @see ActionScheduler_Store::query_actions for $query arg usage.
	 *
	 * @param array  $query      Query filtering options.
	 * @param string $query_type Whether to select or count the results. Defaults to select.
	 *
	 * @return string|array|null The IDs of actions matching the query. Null on failure.
	 */
	public function query_actions( $query = array(), $query_type = 'select' ) {
		/**
		 * Global $wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;

		$sql = $this->get_query_actions_sql( $query, $query_type );

		return ( 'count' === $query_type ) ? $wpdb->get_var( $sql ) : $wpdb->get_col( $sql ); // phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery,WordPress.DB.DirectDatabaseQuery.NoCaching,WordPress.DB.PreparedSQL.NotPrepared
	}

	/**
	 * Get a count of all actions in the store, grouped by status
	 *
	 * @return array
	 */
	public function action_counts() {

		$action_counts_by_status = array();
		$action_stati_and_labels = $this->get_status_labels();
		$posts_count_by_status   = (array) wp_count_posts( self::POST_TYPE, 'readable' );

		foreach ( $posts_count_by_status as $post_status_name => $count ) {

			try {
				$action_status_name = $this->get_action_status_by_post_status( $post_status_name );
			} catch ( Exception $e ) {
				// Ignore any post statuses that aren't for actions.
				continue;
			}
			if ( array_key_exists( $action_status_name, $action_stati_and_labels ) ) {
				$action_counts_by_status[ $action_status_name ] = $count;
			}
		}

		return $action_counts_by_status;
	}

	/**
	 * Cancel action.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @throws InvalidArgumentException If $action_id is not identified.
	 */
	public function cancel_action( $action_id ) {
		$post = get_post( $action_id );
		if ( empty( $post ) || ( self::POST_TYPE !== $post->post_type ) ) {
			/* translators: %s is the action ID */
			throw new InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) );
		}
		do_action( 'action_scheduler_canceled_action', $action_id );
		add_filter( 'pre_wp_unique_post_slug', array( $this, 'set_unique_post_slug' ), 10, 5 );
		wp_trash_post( $action_id );
		remove_filter( 'pre_wp_unique_post_slug', array( $this, 'set_unique_post_slug' ), 10 );
	}

	/**
	 * Delete action.
	 *
	 * @param int $action_id Action ID.
	 * @return void
	 * @throws InvalidArgumentException If action is not identified.
	 */
	public function delete_action( $action_id ) {
		$post = get_post( $action_id );
		if ( empty( $post ) || ( self::POST_TYPE !== $post->post_type ) ) {
			/* translators: %s is the action ID */
			throw new InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) );
		}
		do_action( 'action_scheduler_deleted_action', $action_id );

		wp_delete_post( $action_id, true );
	}

	/**
	 * Get date for claim id.
	 *
	 * @param int $action_id Action ID.
	 * @return ActionScheduler_DateTime The date the action is schedule to run, or the date that it ran.
	 */
	public function get_date( $action_id ) {
		$next = $this->get_date_gmt( $action_id );
		return ActionScheduler_TimezoneHelper::set_local_timezone( $next );
	}

	/**
	 * Get Date GMT.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @throws InvalidArgumentException If $action_id is not identified.
	 * @return ActionScheduler_DateTime The date the action is schedule to run, or the date that it ran.
	 */
	public function get_date_gmt( $action_id ) {
		$post = get_post( $action_id );
		if ( empty( $post ) || ( self::POST_TYPE !== $post->post_type ) ) {
			/* translators: %s is the action ID */
			throw new InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) );
		}
		if ( 'publish' === $post->post_status ) {
			return as_get_datetime_object( $post->post_modified_gmt );
		} else {
			return as_get_datetime_object( $post->post_date_gmt );
		}
	}

	/**
	 * Stake claim.
	 *
	 * @param int      $max_actions Maximum number of actions.
	 * @param DateTime $before_date Jobs must be schedule before this date. Defaults to now.
	 * @param array    $hooks       Claim only actions with a hook or hooks.
	 * @param string   $group       Claim only actions in the given group.
	 *
	 * @return ActionScheduler_ActionClaim
	 * @throws RuntimeException When there is an error staking a claim.
	 * @throws InvalidArgumentException When the given group is not valid.
	 */
	public function stake_claim( $max_actions = 10, DateTime $before_date = null, $hooks = array(), $group = '' ) {
		$this->claim_before_date = $before_date;
		$claim_id                = $this->generate_claim_id();
		$this->claim_actions( $claim_id, $max_actions, $before_date, $hooks, $group );
		$action_ids              = $this->find_actions_by_claim_id( $claim_id );
		$this->claim_before_date = null;

		return new ActionScheduler_ActionClaim( $claim_id, $action_ids );
	}

	/**
	 * Get claim count.
	 *
	 * @return int
	 */
	public function get_claim_count() {
		global $wpdb;

		// phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery,WordPress.DB.DirectDatabaseQuery.NoCaching
		return $wpdb->get_var(
			$wpdb->prepare(
				"SELECT COUNT(DISTINCT post_password) FROM {$wpdb->posts} WHERE post_password != '' AND post_type = %s AND post_status IN ('in-progress','pending')",
				array( self::POST_TYPE )
			)
		);
	}

	/**
	 * Generate claim id.
	 *
	 * @return string
	 */
	protected function generate_claim_id() {
		$claim_id = md5( microtime( true ) . wp_rand( 0, 1000 ) );
		return substr( $claim_id, 0, 20 ); // to fit in db field with 20 char limit.
	}

	/**
	 * Claim actions.
	 *
	 * @param string   $claim_id    Claim ID.
	 * @param int      $limit       Limit.
	 * @param DateTime $before_date Should use UTC timezone.
	 * @param array    $hooks       Claim only actions with a hook or hooks.
	 * @param string   $group       Claim only actions in the given group.
	 *
	 * @return int The number of actions that were claimed.
	 * @throws RuntimeException  When there is a database error.
	 */
	protected function claim_actions( $claim_id, $limit, DateTime $before_date = null, $hooks = array(), $group = '' ) {
		// Set up initial variables.
		$date      = null === $before_date ? as_get_datetime_object() : clone $before_date;
		$limit_ids = ! empty( $group );
		$ids       = $limit_ids ? $this->get_actions_by_group( $group, $limit, $date ) : array();

		// If limiting by IDs and no posts found, then return early since we have nothing to update.
		if ( $limit_ids && 0 === count( $ids ) ) {
			return 0;
		}

		/**
		 * Global wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;

		/*
		 * Build up custom query to update the affected posts. Parameters are built as a separate array
		 * to make it easier to identify where they are in the query.
		 *
		 * We can't use $wpdb->update() here because of the "ID IN ..." clause.
		 */
		$update = "UPDATE {$wpdb->posts} SET post_password = %s, post_modified_gmt = %s, post_modified = %s";
		$params = array(
			$claim_id,
			current_time( 'mysql', true ),
			current_time( 'mysql' ),
		);

		// Build initial WHERE clause.
		$where    = "WHERE post_type = %s AND post_status = %s AND post_password = ''";
		$params[] = self::POST_TYPE;
		$params[] = ActionScheduler_Store::STATUS_PENDING;

		if ( ! empty( $hooks ) ) {
			$placeholders = array_fill( 0, count( $hooks ), '%s' );
			$where       .= ' AND post_title IN (' . join( ', ', $placeholders ) . ')';
			$params       = array_merge( $params, array_values( $hooks ) );
		}

		/*
		 * Add the IDs to the WHERE clause. IDs not escaped because they came directly from a prior DB query.
		 *
		 * If we're not limiting by IDs, then include the post_date_gmt clause.
		 */
		if ( $limit_ids ) {
			$where .= ' AND ID IN (' . join( ',', $ids ) . ')';
		} else {
			$where   .= ' AND post_date_gmt <= %s';
			$params[] = $date->format( 'Y-m-d H:i:s' );
		}

		// Add the ORDER BY clause and,ms limit.
		$order    = 'ORDER BY menu_order ASC, post_date_gmt ASC, ID ASC LIMIT %d';
		$params[] = $limit;

		// Run the query and gather results.
		$rows_affected = $wpdb->query( $wpdb->prepare( "{$update} {$where} {$order}", $params ) ); // phpcs:ignore // phpcs:ignore WordPress.DB.PreparedSQL.InterpolatedNotPrepared, WordPress.DB.PreparedSQLPlaceholders.UnfinishedPrepare

		if ( false === $rows_affected ) {
			throw new RuntimeException( __( 'Unable to claim actions. Database error.', 'action-scheduler' ) );
		}

		return (int) $rows_affected;
	}

	/**
	 * Get IDs of actions within a certain group and up to a certain date/time.
	 *
	 * @param string   $group The group to use in finding actions.
	 * @param int      $limit The number of actions to retrieve.
	 * @param DateTime $date  DateTime object representing cutoff time for actions. Actions retrieved will be
	 *                        up to and including this DateTime.
	 *
	 * @return array IDs of actions in the appropriate group and before the appropriate time.
	 * @throws InvalidArgumentException When the group does not exist.
	 */
	protected function get_actions_by_group( $group, $limit, DateTime $date ) {
		// Ensure the group exists before continuing.
		if ( ! term_exists( $group, self::GROUP_TAXONOMY ) ) {
			/* translators: %s is the group name */
			throw new InvalidArgumentException( sprintf( __( 'The group "%s" does not exist.', 'action-scheduler' ), $group ) );
		}

		// Set up a query for post IDs to use later.
		$query      = new WP_Query();
		$query_args = array(
			'fields'           => 'ids',
			'post_type'        => self::POST_TYPE,
			'post_status'      => ActionScheduler_Store::STATUS_PENDING,
			'has_password'     => false,
			'posts_per_page'   => $limit * 3,
			'suppress_filters' => true,
			'no_found_rows'    => true,
			'orderby'          => array(
				'menu_order' => 'ASC',
				'date'       => 'ASC',
				'ID'         => 'ASC',
			),
			'date_query'       => array(
				'column'    => 'post_date_gmt',
				'before'    => $date->format( 'Y-m-d H:i' ),
				'inclusive' => true,
			),
			'tax_query'        => array( // phpcs:ignore WordPress.DB.SlowDBQuery
				array(
					'taxonomy'         => self::GROUP_TAXONOMY,
					'field'            => 'slug',
					'terms'            => $group,
					'include_children' => false,
				),
			),
		);

		return $query->query( $query_args );
	}

	/**
	 * Find actions by claim ID.
	 *
	 * @param string $claim_id Claim ID.
	 * @return array
	 */
	public function find_actions_by_claim_id( $claim_id ) {
		/**
		 * Global wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;

		$action_ids  = array();
		$before_date = isset( $this->claim_before_date ) ? $this->claim_before_date : as_get_datetime_object();
		$cut_off     = $before_date->format( 'Y-m-d H:i:s' );

		// phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery, WordPress.DB.DirectDatabaseQuery.NoCaching
		$results = $wpdb->get_results(
			$wpdb->prepare(
				"SELECT ID, post_date_gmt FROM {$wpdb->posts} WHERE post_type = %s AND post_password = %s",
				array(
					self::POST_TYPE,
					$claim_id,
				)
			)
		);

		// Verify that the scheduled date for each action is within the expected bounds (in some unusual
		// cases, we cannot depend on MySQL to honor all of the WHERE conditions we specify).
		foreach ( $results as $claimed_action ) {
			if ( $claimed_action->post_date_gmt <= $cut_off ) {
				$action_ids[] = absint( $claimed_action->ID );
			}
		}

		return $action_ids;
	}

	/**
	 * Release claim.
	 *
	 * @param ActionScheduler_ActionClaim $claim Claim object to release.
	 * @return void
	 * @throws RuntimeException When the claim is not unlocked.
	 */
	public function release_claim( ActionScheduler_ActionClaim $claim ) {
		$action_ids = $this->find_actions_by_claim_id( $claim->get_id() );
		if ( empty( $action_ids ) ) {
			return; // nothing to do.
		}
		$action_id_string = implode( ',', array_map( 'intval', $action_ids ) );
		/**
		 * Global wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;

		// phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery, WordPress.DB.DirectDatabaseQuery.NoCaching
		$result = $wpdb->query(
			$wpdb->prepare(
				"UPDATE {$wpdb->posts} SET post_password = '' WHERE ID IN ($action_id_string) AND post_password = %s", //phpcs:ignore
				array(
					$claim->get_id(),
				)
			)
		);
		if ( false === $result ) {
			/* translators: %s: claim ID */
			throw new RuntimeException( sprintf( __( 'Unable to unlock claim %s. Database error.', 'action-scheduler' ), $claim->get_id() ) );
		}
	}

	/**
	 * Unclaim action.
	 *
	 * @param string $action_id Action ID.
	 * @throws RuntimeException When unable to unlock claim on action ID.
	 */
	public function unclaim_action( $action_id ) {
		/**
		 * Global wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;

		//phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery, WordPress.DB.DirectDatabaseQuery.NoCaching
		$result = $wpdb->query(
			$wpdb->prepare(
				"UPDATE {$wpdb->posts} SET post_password = '' WHERE ID = %d AND post_type = %s",
				$action_id,
				self::POST_TYPE
			)
		);
		if ( false === $result ) {
			/* translators: %s: action ID */
			throw new RuntimeException( sprintf( __( 'Unable to unlock claim on action %s. Database error.', 'action-scheduler' ), $action_id ) );
		}
	}

	/**
	 * Mark failure on action.
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return void
	 * @throws RuntimeException When unable to mark failure on action ID.
	 */
	public function mark_failure( $action_id ) {
		/**
		 * Global wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;

		// phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery, WordPress.DB.DirectDatabaseQuery.NoCaching
		$result = $wpdb->query(
			$wpdb->prepare( "UPDATE {$wpdb->posts} SET post_status = %s WHERE ID = %d AND post_type = %s", self::STATUS_FAILED, $action_id, self::POST_TYPE )
		);
		if ( false === $result ) {
			/* translators: %s: action ID */
			throw new RuntimeException( sprintf( __( 'Unable to mark failure on action %s. Database error.', 'action-scheduler' ), $action_id ) );
		}
	}

	/**
	 * Return an action's claim ID, as stored in the post password column
	 *
	 * @param int $action_id Action ID.
	 * @return mixed
	 */
	public function get_claim_id( $action_id ) {
		return $this->get_post_column( $action_id, 'post_password' );
	}

	/**
	 * Return an action's status, as stored in the post status column
	 *
	 * @param int $action_id Action ID.
	 *
	 * @return mixed
	 * @throws InvalidArgumentException When the action ID is invalid.
	 */
	public function get_status( $action_id ) {
		$status = $this->get_post_column( $action_id, 'post_status' );

		if ( null === $status ) {
			throw new InvalidArgumentException( __( 'Invalid action ID. No status found.', 'action-scheduler' ) );
		}

		return $this->get_action_status_by_post_status( $status );
	}

	/**
	 * Get post column
	 *
	 * @param string $action_id Action ID.
	 * @param string $column_name Column Name.
	 *
	 * @return string|null
	 */
	private function get_post_column( $action_id, $column_name ) {
		/**
		 * Global wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;

		// phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery, WordPress.DB.DirectDatabaseQuery.NoCaching
		return $wpdb->get_var(
			$wpdb->prepare(
				"SELECT {$column_name} FROM {$wpdb->posts} WHERE ID=%d AND post_type=%s", // phpcs:ignore
				$action_id,
				self::POST_TYPE
			)
		);
	}

	/**
	 * Log Execution.
	 *
	 * @param string $action_id Action ID.
	 */
	public function log_execution( $action_id ) {
		/**
		 * Global wpdb object.
		 *
		 * @var wpdb $wpdb
		 */
		global $wpdb;

		// phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery, WordPress.DB.DirectDatabaseQuery.NoCaching
		$wpdb->query(
			$wpdb->prepare(
				"UPDATE {$wpdb->posts} SET menu_order = menu_order+1, post_status=%s, post_modified_gmt = %s, post_modified = %s WHERE ID = %d AND post_type = %s",
				self::STATUS_RUNNING,
				current_time( 'mysql', true ),
				current_time( 'mysql' ),
				$action_id,
				self::POST_TYPE
			)
		);
	}

	/**
	 * Record that an action was completed.
	 *
	 * @param string $action_id ID of the completed action.
	 *
	 * @throws InvalidArgumentException When the action ID is invalid.
	 * @throws RuntimeException         When there was an error executing the action.
	 */
	public function mark_complete( $action_id ) {
		$post = get_post( $action_id );
		if ( empty( $post ) || ( self::POST_TYPE !== $post->post_type ) ) {
			/* translators: %s is the action ID */
			throw new InvalidArgumentException( sprintf( __( 'Unidentified action %s', 'action-scheduler' ), $action_id ) );
		}
		add_filter( 'wp_insert_post_data', array( $this, 'filter_insert_post_data' ), 10, 1 );
		add_filter( 'pre_wp_unique_post_slug', array( $this, 'set_unique_post_slug' ), 10, 5 );
		$result = wp_update_post(
			array(
				'ID'          => $action_id,
				'post_status' => 'publish',
			),
			true
		);
		remove_filter( 'wp_insert_post_data', array( $this, 'filter_insert_post_data' ), 10 );
		remove_filter( 'pre_wp_unique_post_slug', array( $this, 'set_unique_post_slug' ), 10 );
		if ( is_wp_error( $result ) ) {
			throw new RuntimeException( $result->get_error_message() );
		}

		/**
		 * Fires after a scheduled action has been completed.
		 *
		 * @since 3.4.2
		 *
		 * @param int $action_id Action ID.
		 */
		do_action( 'action_scheduler_completed_action', $action_id );
	}

	/**
	 * Mark action as migrated when there is an error deleting the action.
	 *
	 * @param int $action_id Action ID.
	 */
	public function mark_migrated( $action_id ) {
		wp_update_post(
			array(
				'ID'          => $action_id,
				'post_status' => 'migrated',
			)
		);
	}

	/**
	 * Determine whether the post store can be migrated.
	 *
	 * @param [type] $setting - Setting value.
	 * @return bool
	 */
	public function migration_dependencies_met( $setting ) {
		global $wpdb;

		$dependencies_met = get_transient( self::DEPENDENCIES_MET );
		if ( empty( $dependencies_met ) ) {
			$maximum_args_length = apply_filters( 'action_scheduler_maximum_args_length', 191 );
			$found_action        = $wpdb->get_var( // phpcs:ignore WordPress.DB.DirectDatabaseQuery.DirectQuery, WordPress.DB.DirectDatabaseQuery.NoCaching
				$wpdb->prepare(
					"SELECT ID FROM {$wpdb->posts} WHERE post_type = %s AND CHAR_LENGTH(post_content) > %d LIMIT 1",
					$maximum_args_length,
					self::POST_TYPE
				)
			);
			$dependencies_met    = $found_action ? 'no' : 'yes';
			set_transient( self::DEPENDENCIES_MET, $dependencies_met, DAY_IN_SECONDS );
		}

		return 'yes' === $dependencies_met ? $setting : false;
	}

	/**
	 * InnoDB indexes have a maximum size of 767 bytes by default, which is only 191 characters with utf8mb4.
	 *
	 * Previously, AS wasn't concerned about args length, as we used the (unindex) post_content column. However,
	 * as we prepare to move to custom tables, and can use an indexed VARCHAR column instead, we want to warn
	 * developers of this impending requirement.
	 *
	 * @param ActionScheduler_Action $action Action object.
	 */
	protected function validate_action( ActionScheduler_Action $action ) {
		try {
			parent::validate_action( $action );
		} catch ( Exception $e ) {
			/* translators: %s is the error message */
			$message = sprintf( __( '%s Support for strings longer than this will be removed in a future version.', 'action-scheduler' ), $e->getMessage() );
			_doing_it_wrong( 'ActionScheduler_Action::$args', esc_html( $message ), '2.1.0' );
		}
	}

	/**
	 * (@codeCoverageIgnore)
	 */
	public function init() {
		add_filter( 'action_scheduler_migration_dependencies_met', array( $this, 'migration_dependencies_met' ) );

		$post_type_registrar = new ActionScheduler_wpPostStore_PostTypeRegistrar();
		$post_type_registrar->register();

		$post_status_registrar = new ActionScheduler_wpPostStore_PostStatusRegistrar();
		$post_status_registrar->register();

		$taxonomy_registrar = new ActionScheduler_wpPostStore_TaxonomyRegistrar();
		$taxonomy_registrar->register();
	}
}
woocommerce/action-scheduler/classes/data-stores/ActionScheduler_wpPostStore_TaxonomyRegistrar.php000064400000001212151330736600030136 0ustar00<?php

/**
 * Class ActionScheduler_wpPostStore_TaxonomyRegistrar
 * @codeCoverageIgnore
 */
class ActionScheduler_wpPostStore_TaxonomyRegistrar {
	public function register() {
		register_taxonomy( ActionScheduler_wpPostStore::GROUP_TAXONOMY, ActionScheduler_wpPostStore::POST_TYPE, $this->taxonomy_args() );
	}

	protected function taxonomy_args() {
		$args = array(
			'label' => __( 'Action Group', 'action-scheduler' ),
			'public' => false,
			'hierarchical' => false,
			'show_admin_column' => true,
			'query_var' => false,
			'rewrite' => false,
		);

		$args = apply_filters( 'action_scheduler_taxonomy_args', $args );
		return $args;
	}
}
 woocommerce/action-scheduler/classes/ActionScheduler_QueueRunner.php000064400000016565151330736600022115 0ustar00<?php

/**
 * Class ActionScheduler_QueueRunner
 */
class ActionScheduler_QueueRunner extends ActionScheduler_Abstract_QueueRunner {
	const WP_CRON_HOOK = 'action_scheduler_run_queue';

	const WP_CRON_SCHEDULE = 'every_minute';

	/** @var ActionScheduler_AsyncRequest_QueueRunner */
	protected $async_request;

	/** @var ActionScheduler_QueueRunner  */
	private static $runner = null;

	/**
	 * @return ActionScheduler_QueueRunner
	 * @codeCoverageIgnore
	 */
	public static function instance() {
		if ( empty(self::$runner) ) {
			$class = apply_filters('action_scheduler_queue_runner_class', 'ActionScheduler_QueueRunner');
			self::$runner = new $class();
		}
		return self::$runner;
	}

	/**
	 * ActionScheduler_QueueRunner constructor.
	 *
	 * @param ActionScheduler_Store             $store
	 * @param ActionScheduler_FatalErrorMonitor $monitor
	 * @param ActionScheduler_QueueCleaner      $cleaner
	 */
	public function __construct( ActionScheduler_Store $store = null, ActionScheduler_FatalErrorMonitor $monitor = null, ActionScheduler_QueueCleaner $cleaner = null, ActionScheduler_AsyncRequest_QueueRunner $async_request = null ) {
		parent::__construct( $store, $monitor, $cleaner );

		if ( is_null( $async_request ) ) {
			$async_request = new ActionScheduler_AsyncRequest_QueueRunner( $this->store );
		}

		$this->async_request = $async_request;
	}

	/**
	 * @codeCoverageIgnore
	 */
	public function init() {

		add_filter( 'cron_schedules', array( self::instance(), 'add_wp_cron_schedule' ) );

		// Check for and remove any WP Cron hook scheduled by Action Scheduler < 3.0.0, which didn't include the $context param
		$next_timestamp = wp_next_scheduled( self::WP_CRON_HOOK );
		if ( $next_timestamp ) {
			wp_unschedule_event( $next_timestamp, self::WP_CRON_HOOK );
		}

		$cron_context = array( 'WP Cron' );

		if ( ! wp_next_scheduled( self::WP_CRON_HOOK, $cron_context ) ) {
			$schedule = apply_filters( 'action_scheduler_run_schedule', self::WP_CRON_SCHEDULE );
			wp_schedule_event( time(), $schedule, self::WP_CRON_HOOK, $cron_context );
		}

		add_action( self::WP_CRON_HOOK, array( self::instance(), 'run' ) );
		$this->hook_dispatch_async_request();
	}

	/**
	 * Hook check for dispatching an async request.
	 */
	public function hook_dispatch_async_request() {
		add_action( 'shutdown', array( $this, 'maybe_dispatch_async_request' ) );
	}

	/**
	 * Unhook check for dispatching an async request.
	 */
	public function unhook_dispatch_async_request() {
		remove_action( 'shutdown', array( $this, 'maybe_dispatch_async_request' ) );
	}

	/**
	 * Check if we should dispatch an async request to process actions.
	 *
	 * This method is attached to 'shutdown', so is called frequently. To avoid slowing down
	 * the site, it mitigates the work performed in each request by:
	 * 1. checking if it's in the admin context and then
	 * 2. haven't run on the 'shutdown' hook within the lock time (60 seconds by default)
	 * 3. haven't exceeded the number of allowed batches.
	 *
	 * The order of these checks is important, because they run from a check on a value:
	 * 1. in memory - is_admin() maps to $GLOBALS or the WP_ADMIN constant
	 * 2. in memory - transients use autoloaded options by default
	 * 3. from a database query - has_maximum_concurrent_batches() run the query
	 *    $this->store->get_claim_count() to find the current number of claims in the DB.
	 *
	 * If all of these conditions are met, then we request an async runner check whether it
	 * should dispatch a request to process pending actions.
	 */
	public function maybe_dispatch_async_request() {
		if ( is_admin() && ! ActionScheduler::lock()->is_locked( 'async-request-runner' ) ) {
			// Only start an async queue at most once every 60 seconds
			ActionScheduler::lock()->set( 'async-request-runner' );
			$this->async_request->maybe_dispatch();
		}
	}

	/**
	 * Process actions in the queue. Attached to self::WP_CRON_HOOK i.e. 'action_scheduler_run_queue'
	 *
	 * The $context param of this method defaults to 'WP Cron', because prior to Action Scheduler 3.0.0
	 * that was the only context in which this method was run, and the self::WP_CRON_HOOK hook had no context
	 * passed along with it. New code calling this method directly, or by triggering the self::WP_CRON_HOOK,
	 * should set a context as the first parameter. For an example of this, refer to the code seen in
	 * @see ActionScheduler_AsyncRequest_QueueRunner::handle()
	 *
	 * @param string $context Optional identifer for the context in which this action is being processed, e.g. 'WP CLI' or 'WP Cron'
	 *        Generally, this should be capitalised and not localised as it's a proper noun.
	 * @return int The number of actions processed.
	 */
	public function run( $context = 'WP Cron' ) {
		ActionScheduler_Compatibility::raise_memory_limit();
		ActionScheduler_Compatibility::raise_time_limit( $this->get_time_limit() );
		do_action( 'action_scheduler_before_process_queue' );
		$this->run_cleanup();
		$processed_actions = 0;
		if ( false === $this->has_maximum_concurrent_batches() ) {
			$batch_size = apply_filters( 'action_scheduler_queue_runner_batch_size', 25 );
			do {
				$processed_actions_in_batch = $this->do_batch( $batch_size, $context );
				$processed_actions         += $processed_actions_in_batch;
			} while ( $processed_actions_in_batch > 0 && ! $this->batch_limits_exceeded( $processed_actions ) ); // keep going until we run out of actions, time, or memory
		}

		do_action( 'action_scheduler_after_process_queue' );
		return $processed_actions;
	}

	/**
	 * Process a batch of actions pending in the queue.
	 *
	 * Actions are processed by claiming a set of pending actions then processing each one until either the batch
	 * size is completed, or memory or time limits are reached, defined by @see $this->batch_limits_exceeded().
	 *
	 * @param int $size The maximum number of actions to process in the batch.
	 * @param string $context Optional identifer for the context in which this action is being processed, e.g. 'WP CLI' or 'WP Cron'
	 *        Generally, this should be capitalised and not localised as it's a proper noun.
	 * @return int The number of actions processed.
	 */
	protected function do_batch( $size = 100, $context = '' ) {
		$claim = $this->store->stake_claim($size);
		$this->monitor->attach($claim);
		$processed_actions = 0;

		foreach ( $claim->get_actions() as $action_id ) {
			// bail if we lost the claim
			if ( ! in_array( $action_id, $this->store->find_actions_by_claim_id( $claim->get_id() ) ) ) {
				break;
			}
			$this->process_action( $action_id, $context );
			$processed_actions++;

			if ( $this->batch_limits_exceeded( $processed_actions ) ) {
				break;
			}
		}
		$this->store->release_claim($claim);
		$this->monitor->detach();
		$this->clear_caches();
		return $processed_actions;
	}

	/**
	 * Running large batches can eat up memory, as WP adds data to its object cache.
	 *
	 * If using a persistent object store, this has the side effect of flushing that
	 * as well, so this is disabled by default. To enable:
	 *
	 * add_filter( 'action_scheduler_queue_runner_flush_cache', '__return_true' );
	 */
	protected function clear_caches() {
		if ( ! wp_using_ext_object_cache() || apply_filters( 'action_scheduler_queue_runner_flush_cache', false ) ) {
			wp_cache_flush();
		}
	}

	public function add_wp_cron_schedule( $schedules ) {
		$schedules['every_minute'] = array(
			'interval' => 60, // in seconds
			'display'  => __( 'Every minute', 'action-scheduler' ),
		);

		return $schedules;
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_DateTime.php000064400000003206151330736600021317 0ustar00<?php

/**
 * ActionScheduler DateTime class.
 *
 * This is a custom extension to DateTime that
 */
class ActionScheduler_DateTime extends DateTime {

	/**
	 * UTC offset.
	 *
	 * Only used when a timezone is not set. When a timezone string is
	 * used, this will be set to 0.
	 *
	 * @var int
	 */
	protected $utcOffset = 0;

	/**
	 * Get the unix timestamp of the current object.
	 *
	 * Missing in PHP 5.2 so just here so it can be supported consistently.
	 *
	 * @return int
	 */
	#[\ReturnTypeWillChange]
	public function getTimestamp() {
		return method_exists( 'DateTime', 'getTimestamp' ) ? parent::getTimestamp() : $this->format( 'U' );
	}

	/**
	 * Set the UTC offset.
	 *
	 * This represents a fixed offset instead of a timezone setting.
	 *
	 * @param $offset
	 */
	public function setUtcOffset( $offset ) {
		$this->utcOffset = intval( $offset );
	}

	/**
	 * Returns the timezone offset.
	 *
	 * @return int
	 * @link http://php.net/manual/en/datetime.getoffset.php
	 */
	#[\ReturnTypeWillChange]
	public function getOffset() {
		return $this->utcOffset ? $this->utcOffset : parent::getOffset();
	}

	/**
	 * Set the TimeZone associated with the DateTime
	 *
	 * @param DateTimeZone $timezone
	 *
	 * @return static
	 * @link http://php.net/manual/en/datetime.settimezone.php
	 */
	#[\ReturnTypeWillChange]
	public function setTimezone( $timezone ) {
		$this->utcOffset = 0;
		parent::setTimezone( $timezone );

		return $this;
	}

	/**
	 * Get the timestamp with the WordPress timezone offset added or subtracted.
	 *
	 * @since  3.0.0
	 * @return int
	 */
	public function getOffsetTimestamp() {
		return $this->getTimestamp() + $this->getOffset();
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_wcSystemStatus.php000064400000012270151330736600022646 0ustar00<?php

/**
 * Class ActionScheduler_wcSystemStatus
 */
class ActionScheduler_wcSystemStatus {

	/**
	 * The active data stores
	 *
	 * @var ActionScheduler_Store
	 */
	protected $store;

	/**
	 * Constructor method for ActionScheduler_wcSystemStatus.
	 *
	 * @param ActionScheduler_Store $store Active store object.
	 *
	 * @return void
	 */
	public function __construct( $store ) {
		$this->store = $store;
	}

	/**
	 * Display action data, including number of actions grouped by status and the oldest & newest action in each status.
	 *
	 * Helpful to identify issues, like a clogged queue.
	 */
	public function render() {
		$action_counts     = $this->store->action_counts();
		$status_labels     = $this->store->get_status_labels();
		$oldest_and_newest = $this->get_oldest_and_newest( array_keys( $status_labels ) );

		$this->get_template( $status_labels, $action_counts, $oldest_and_newest );
	}

	/**
	 * Get oldest and newest scheduled dates for a given set of statuses.
	 *
	 * @param array $status_keys Set of statuses to find oldest & newest action for.
	 * @return array
	 */
	protected function get_oldest_and_newest( $status_keys ) {

		$oldest_and_newest = array();

		foreach ( $status_keys as $status ) {
			$oldest_and_newest[ $status ] = array(
				'oldest' => '&ndash;',
				'newest' => '&ndash;',
			);

			if ( 'in-progress' === $status ) {
				continue;
			}

			$oldest_and_newest[ $status ]['oldest'] = $this->get_action_status_date( $status, 'oldest' );
			$oldest_and_newest[ $status ]['newest'] = $this->get_action_status_date( $status, 'newest' );
		}

		return $oldest_and_newest;
	}

	/**
	 * Get oldest or newest scheduled date for a given status.
	 *
	 * @param string $status Action status label/name string.
	 * @param string $date_type Oldest or Newest.
	 * @return DateTime
	 */
	protected function get_action_status_date( $status, $date_type = 'oldest' ) {

		$order = 'oldest' === $date_type ? 'ASC' : 'DESC';

		$action = $this->store->query_actions(
			array(
				'claimed'  => false,
				'status'   => $status,
				'per_page' => 1,
				'order'    => $order,
			)
		);

		if ( ! empty( $action ) ) {
			$date_object = $this->store->get_date( $action[0] );
			$action_date = $date_object->format( 'Y-m-d H:i:s O' );
		} else {
			$action_date = '&ndash;';
		}

		return $action_date;
	}

	/**
	 * Get oldest or newest scheduled date for a given status.
	 *
	 * @param array $status_labels Set of statuses to find oldest & newest action for.
	 * @param array $action_counts Number of actions grouped by status.
	 * @param array $oldest_and_newest Date of the oldest and newest action with each status.
	 */
	protected function get_template( $status_labels, $action_counts, $oldest_and_newest ) {
		$as_version   = ActionScheduler_Versions::instance()->latest_version();
		$as_datastore = get_class( ActionScheduler_Store::instance() );
		?>

		<table class="wc_status_table widefat" cellspacing="0">
			<thead>
				<tr>
					<th colspan="5" data-export-label="Action Scheduler"><h2><?php esc_html_e( 'Action Scheduler', 'action-scheduler' ); ?><?php echo wc_help_tip( esc_html__( 'This section shows details of Action Scheduler.', 'action-scheduler' ) ); ?></h2></th>
				</tr>
				<tr>
					<td colspan="2" data-export-label="Version"><?php esc_html_e( 'Version:', 'action-scheduler' ); ?></td>
					<td colspan="3"><?php echo esc_html( $as_version ); ?></td>
				</tr>
				<tr>
					<td colspan="2" data-export-label="Data store"><?php esc_html_e( 'Data store:', 'action-scheduler' ); ?></td>
					<td colspan="3"><?php echo esc_html( $as_datastore ); ?></td>
				</tr>
				<tr>
					<td><strong><?php esc_html_e( 'Action Status', 'action-scheduler' ); ?></strong></td>
					<td class="help">&nbsp;</td>
					<td><strong><?php esc_html_e( 'Count', 'action-scheduler' ); ?></strong></td>
					<td><strong><?php esc_html_e( 'Oldest Scheduled Date', 'action-scheduler' ); ?></strong></td>
					<td><strong><?php esc_html_e( 'Newest Scheduled Date', 'action-scheduler' ); ?></strong></td>
				</tr>
			</thead>
			<tbody>
				<?php
				foreach ( $action_counts as $status => $count ) {
					// WC uses the 3rd column for export, so we need to display more data in that (hidden when viewed as part of the table) and add an empty 2nd column.
					printf(
						'<tr><td>%1$s</td><td>&nbsp;</td><td>%2$s<span style="display: none;">, Oldest: %3$s, Newest: %4$s</span></td><td>%3$s</td><td>%4$s</td></tr>',
						esc_html( $status_labels[ $status ] ),
						esc_html( number_format_i18n( $count ) ),
						esc_html( $oldest_and_newest[ $status ]['oldest'] ),
						esc_html( $oldest_and_newest[ $status ]['newest'] )
					);
				}
				?>
			</tbody>
		</table>

		<?php
	}

	/**
	 * Is triggered when invoking inaccessible methods in an object context.
	 *
	 * @param string $name Name of method called.
	 * @param array  $arguments Parameters to invoke the method with.
	 *
	 * @return mixed
	 * @link https://php.net/manual/en/language.oop5.overloading.php#language.oop5.overloading.methods
	 */
	public function __call( $name, $arguments ) {
		switch ( $name ) {
			case 'print':
				_deprecated_function( __CLASS__ . '::print()', '2.2.4', __CLASS__ . '::render()' );
				return call_user_func_array( array( $this, 'render' ), $arguments );
		}

		return null;
	}
}
woocommerce/action-scheduler/classes/migration/LogMigrator.php000064400000002272151330736600020710 0ustar00<?php


namespace Action_Scheduler\Migration;

use ActionScheduler_Logger;

/**
 * Class LogMigrator
 *
 * @package Action_Scheduler\Migration
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class LogMigrator {
	/** @var ActionScheduler_Logger */
	private $source;

	/** @var ActionScheduler_Logger */
	private $destination;

	/**
	 * ActionMigrator constructor.
	 *
	 * @param ActionScheduler_Logger $source_logger Source logger object.
	 * @param ActionScheduler_Logger $destination_Logger Destination logger object.
	 */
	public function __construct( ActionScheduler_Logger $source_logger, ActionScheduler_Logger $destination_Logger ) {
		$this->source      = $source_logger;
		$this->destination = $destination_Logger;
	}

	/**
	 * Migrate an action log.
	 *
	 * @param int $source_action_id Source logger object.
	 * @param int $destination_action_id Destination logger object.
	 */
	public function migrate( $source_action_id, $destination_action_id ) {
		$logs = $this->source->get_logs( $source_action_id );
		foreach ( $logs as $log ) {
			if ( $log->get_action_id() == $source_action_id ) {
				$this->destination->log( $destination_action_id, $log->get_message(), $log->get_date() );
			}
		}
	}
}
woocommerce/action-scheduler/classes/migration/ActionScheduler_DBStoreMigrator.php000064400000003260151330736600024623 0ustar00<?php

/**
 * Class ActionScheduler_DBStoreMigrator
 *
 * A  class for direct saving of actions to the table data store during migration.
 *
 * @since 3.0.0
 */
class ActionScheduler_DBStoreMigrator extends ActionScheduler_DBStore {

	/**
	 * Save an action with optional last attempt date.
	 *
	 * Normally, saving an action sets its attempted date to 0000-00-00 00:00:00 because when an action is first saved,
	 * it can't have been attempted yet, but migrated completed actions will have an attempted date, so we need to save
	 * that when first saving the action.
	 *
	 * @param ActionScheduler_Action $action
	 * @param \DateTime $scheduled_date Optional date of the first instance to store.
	 * @param \DateTime $last_attempt_date Optional date the action was last attempted.
	 *
	 * @return string The action ID
	 * @throws \RuntimeException When the action is not saved.
	 */
	public function save_action( ActionScheduler_Action $action, \DateTime $scheduled_date = null, \DateTime $last_attempt_date = null ){
		try {
			/** @var \wpdb $wpdb */
			global $wpdb;

			$action_id = parent::save_action( $action, $scheduled_date );

			if ( null !== $last_attempt_date ) {
				$data = [
					'last_attempt_gmt'   => $this->get_scheduled_date_string( $action, $last_attempt_date ),
					'last_attempt_local' => $this->get_scheduled_date_string_local( $action, $last_attempt_date ),
				];

				$wpdb->update( $wpdb->actionscheduler_actions, $data, array( 'action_id' => $action_id ), array( '%s', '%s' ), array( '%d' ) );
			}

			return $action_id;
		} catch ( \Exception $e ) {
			throw new \RuntimeException( sprintf( __( 'Error saving action: %s', 'action-scheduler' ), $e->getMessage() ), 0 );
		}
	}
}
woocommerce/action-scheduler/classes/migration/Controller.php000064400000014155151330736600020610 0ustar00<?php

namespace Action_Scheduler\Migration;

use ActionScheduler_DataController;
use ActionScheduler_LoggerSchema;
use ActionScheduler_StoreSchema;
use Action_Scheduler\WP_CLI\ProgressBar;

/**
 * Class Controller
 *
 * The main plugin/initialization class for migration to custom tables.
 *
 * @package Action_Scheduler\Migration
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class Controller {
	private static $instance;

	/** @var Action_Scheduler\Migration\Scheduler */
	private $migration_scheduler;

	/** @var string */
	private $store_classname;

	/** @var string */
	private $logger_classname;

	/** @var bool */
	private $migrate_custom_store;

	/**
	 * Controller constructor.
	 *
	 * @param Scheduler $migration_scheduler Migration scheduler object.
	 */
	protected function __construct( Scheduler $migration_scheduler ) {
		$this->migration_scheduler = $migration_scheduler;
		$this->store_classname     = '';
	}

	/**
	 * Set the action store class name.
	 *
	 * @param string $class Classname of the store class.
	 *
	 * @return string
	 */
	public function get_store_class( $class ) {
		if ( \ActionScheduler_DataController::is_migration_complete() ) {
			return \ActionScheduler_DataController::DATASTORE_CLASS;
		} elseif ( \ActionScheduler_Store::DEFAULT_CLASS !== $class ) {
			$this->store_classname = $class;
			return $class;
		} else {
			return 'ActionScheduler_HybridStore';
		}
	}

	/**
	 * Set the action logger class name.
	 *
	 * @param string $class Classname of the logger class.
	 *
	 * @return string
	 */
	public function get_logger_class( $class ) {
		\ActionScheduler_Store::instance();

		if ( $this->has_custom_datastore() ) {
			$this->logger_classname = $class;
			return $class;
		} else {
			return \ActionScheduler_DataController::LOGGER_CLASS;
		}
	}

	/**
	 * Get flag indicating whether a custom datastore is in use.
	 *
	 * @return bool
	 */
	public function has_custom_datastore() {
		return (bool) $this->store_classname;
	}

	/**
	 * Set up the background migration process.
	 *
	 * @return void
	 */
	public function schedule_migration() {
		$logging_tables = new ActionScheduler_LoggerSchema();
		$store_tables   = new ActionScheduler_StoreSchema();

		/*
		 * In some unusual cases, the expected tables may not have been created. In such cases
		 * we do not schedule a migration as doing so will lead to fatal error conditions.
		 *
		 * In such cases the user will likely visit the Tools > Scheduled Actions screen to
		 * investigate, and will see appropriate messaging (this step also triggers an attempt
		 * to rebuild any missing tables).
		 *
		 * @see https://github.com/woocommerce/action-scheduler/issues/653
		 */
		if (
			ActionScheduler_DataController::is_migration_complete()
			|| $this->migration_scheduler->is_migration_scheduled()
			|| ! $store_tables->tables_exist()
			|| ! $logging_tables->tables_exist()
		) {
			return;
		}

		$this->migration_scheduler->schedule_migration();
	}

	/**
	 * Get the default migration config object
	 *
	 * @return ActionScheduler\Migration\Config
	 */
	public function get_migration_config_object() {
		static $config = null;

		if ( ! $config ) {
			$source_store  = $this->store_classname ? new $this->store_classname() : new \ActionScheduler_wpPostStore();
			$source_logger = $this->logger_classname ? new $this->logger_classname() : new \ActionScheduler_wpCommentLogger();

			$config = new Config();
			$config->set_source_store( $source_store );
			$config->set_source_logger( $source_logger );
			$config->set_destination_store( new \ActionScheduler_DBStoreMigrator() );
			$config->set_destination_logger( new \ActionScheduler_DBLogger() );

			if ( defined( 'WP_CLI' ) && WP_CLI ) {
				$config->set_progress_bar( new ProgressBar( '', 0 ) );
			}
		}

		return apply_filters( 'action_scheduler/migration_config', $config );
	}

	/**
	 * Hook dashboard migration notice.
	 */
	public function hook_admin_notices() {
		if ( ! $this->allow_migration() || \ActionScheduler_DataController::is_migration_complete() ) {
			return;
		}
		add_action( 'admin_notices', array( $this, 'display_migration_notice' ), 10, 0 );
	}

	/**
	 * Show a dashboard notice that migration is in progress.
	 */
	public function display_migration_notice() {
		printf( '<div class="notice notice-warning"><p>%s</p></div>', esc_html__( 'Action Scheduler migration in progress. The list of scheduled actions may be incomplete.', 'action-scheduler' ) );
	}

	/**
	 * Add store classes. Hook migration.
	 */
	private function hook() {
		add_filter( 'action_scheduler_store_class', array( $this, 'get_store_class' ), 100, 1 );
		add_filter( 'action_scheduler_logger_class', array( $this, 'get_logger_class' ), 100, 1 );
		add_action( 'init', array( $this, 'maybe_hook_migration' ) );
		add_action( 'wp_loaded', array( $this, 'schedule_migration' ) );

		// Action Scheduler may be displayed as a Tools screen or WooCommerce > Status administration screen
		add_action( 'load-tools_page_action-scheduler', array( $this, 'hook_admin_notices' ), 10, 0 );
		add_action( 'load-woocommerce_page_wc-status', array( $this, 'hook_admin_notices' ), 10, 0 );
	}

	/**
	 * Possibly hook the migration scheduler action.
	 *
	 * @author Jeremy Pry
	 */
	public function maybe_hook_migration() {
		if ( ! $this->allow_migration() || \ActionScheduler_DataController::is_migration_complete() ) {
			return;
		}

		$this->migration_scheduler->hook();
	}

	/**
	 * Allow datastores to enable migration to AS tables.
	 */
	public function allow_migration() {
		if ( ! \ActionScheduler_DataController::dependencies_met() ) {
			return false;
		}

		if ( null === $this->migrate_custom_store ) {
			$this->migrate_custom_store = apply_filters( 'action_scheduler_migrate_data_store', false );
		}

		return ( ! $this->has_custom_datastore() ) || $this->migrate_custom_store;
	}

	/**
	 * Proceed with the migration if the dependencies have been met.
	 */
	public static function init() {
		if ( \ActionScheduler_DataController::dependencies_met() ) {
			self::instance()->hook();
		}
	}

	/**
	 * Singleton factory.
	 */
	public static function instance() {
		if ( ! isset( self::$instance ) ) {
			self::$instance = new static( new Scheduler() );
		}

		return self::$instance;
	}
}
woocommerce/action-scheduler/classes/migration/ActionMigrator.php000064400000007065151330736600021411 0ustar00<?php


namespace Action_Scheduler\Migration;

/**
 * Class ActionMigrator
 *
 * @package Action_Scheduler\Migration
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class ActionMigrator {
	/** var ActionScheduler_Store */
	private $source;

	/** var ActionScheduler_Store */
	private $destination;

	/** var LogMigrator */
	private $log_migrator;

	/**
	 * ActionMigrator constructor.
	 *
	 * @param ActionScheduler_Store $source_store Source store object.
	 * @param ActionScheduler_Store $destination_store Destination store object.
	 * @param LogMigrator           $log_migrator Log migrator object.
	 */
	public function __construct( \ActionScheduler_Store $source_store, \ActionScheduler_Store $destination_store, LogMigrator $log_migrator ) {
		$this->source       = $source_store;
		$this->destination  = $destination_store;
		$this->log_migrator = $log_migrator;
	}

	/**
	 * Migrate an action.
	 *
	 * @param int $source_action_id Action ID.
	 *
	 * @return int 0|new action ID
	 */
	public function migrate( $source_action_id ) {
		try {
			$action = $this->source->fetch_action( $source_action_id );
			$status = $this->source->get_status( $source_action_id );
		} catch ( \Exception $e ) {
			$action = null;
			$status = '';
		}

		if ( is_null( $action ) || empty( $status ) || ! $action->get_schedule()->get_date() ) {
			// null action or empty status means the fetch operation failed or the action didn't exist
			// null schedule means it's missing vital data
			// delete it and move on
			try {
				$this->source->delete_action( $source_action_id );
			} catch ( \Exception $e ) {
				// nothing to do, it didn't exist in the first place
			}
			do_action( 'action_scheduler/no_action_to_migrate', $source_action_id, $this->source, $this->destination );

			return 0;
		}

		try {

			// Make sure the last attempt date is set correctly for completed and failed actions
			$last_attempt_date = ( $status !== \ActionScheduler_Store::STATUS_PENDING ) ? $this->source->get_date( $source_action_id ) : null;

			$destination_action_id = $this->destination->save_action( $action, null, $last_attempt_date );
		} catch ( \Exception $e ) {
			do_action( 'action_scheduler/migrate_action_failed', $source_action_id, $this->source, $this->destination );

			return 0; // could not save the action in the new store
		}

		try {
			switch ( $status ) {
				case \ActionScheduler_Store::STATUS_FAILED :
					$this->destination->mark_failure( $destination_action_id );
					break;
				case \ActionScheduler_Store::STATUS_CANCELED :
					$this->destination->cancel_action( $destination_action_id );
					break;
			}

			$this->log_migrator->migrate( $source_action_id, $destination_action_id );
			$this->source->delete_action( $source_action_id );

			$test_action = $this->source->fetch_action( $source_action_id );
			if ( ! is_a( $test_action, 'ActionScheduler_NullAction' ) ) {
				throw new \RuntimeException( sprintf( __( 'Unable to remove source migrated action %s', 'action-scheduler' ), $source_action_id ) );
			}
			do_action( 'action_scheduler/migrated_action', $source_action_id, $destination_action_id, $this->source, $this->destination );

			return $destination_action_id;
		} catch ( \Exception $e ) {
			// could not delete from the old store
			$this->source->mark_migrated( $source_action_id );
			do_action( 'action_scheduler/migrate_action_incomplete', $source_action_id, $destination_action_id, $this->source, $this->destination );
			do_action( 'action_scheduler/migrated_action', $source_action_id, $destination_action_id, $this->source, $this->destination );

			return $destination_action_id;
		}
	}
}
woocommerce/action-scheduler/classes/migration/Runner.php000064400000007256151330736600017742 0ustar00<?php


namespace Action_Scheduler\Migration;

/**
 * Class Runner
 *
 * @package Action_Scheduler\Migration
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class Runner {
	/** @var ActionScheduler_Store */
	private $source_store;

	/** @var ActionScheduler_Store */
	private $destination_store;

	/** @var ActionScheduler_Logger */
	private $source_logger;

	/** @var ActionScheduler_Logger */
	private $destination_logger;

	/** @var BatchFetcher */
	private $batch_fetcher;

	/** @var ActionMigrator */
	private $action_migrator;

	/** @var LogMigrator */
	private $log_migrator;

	/** @var ProgressBar */
	private $progress_bar;

	/**
	 * Runner constructor.
	 *
	 * @param Config $config Migration configuration object.
	 */
	public function __construct( Config $config ) {
		$this->source_store       = $config->get_source_store();
		$this->destination_store  = $config->get_destination_store();
		$this->source_logger      = $config->get_source_logger();
		$this->destination_logger = $config->get_destination_logger();

		$this->batch_fetcher = new BatchFetcher( $this->source_store );
		if ( $config->get_dry_run() ) {
			$this->log_migrator    = new DryRun_LogMigrator( $this->source_logger, $this->destination_logger );
			$this->action_migrator = new DryRun_ActionMigrator( $this->source_store, $this->destination_store, $this->log_migrator );
		} else {
			$this->log_migrator    = new LogMigrator( $this->source_logger, $this->destination_logger );
			$this->action_migrator = new ActionMigrator( $this->source_store, $this->destination_store, $this->log_migrator );
		}

		if ( defined( 'WP_CLI' ) && WP_CLI ) {
			$this->progress_bar = $config->get_progress_bar();
		}
	}

	/**
	 * Run migration batch.
	 *
	 * @param int $batch_size Optional batch size. Default 10.
	 *
	 * @return int Size of batch processed.
	 */
	public function run( $batch_size = 10 ) {
		$batch = $this->batch_fetcher->fetch( $batch_size );
		$batch_size = count( $batch );

		if ( ! $batch_size ) {
			return 0;
		}

		if ( $this->progress_bar ) {
			/* translators: %d: amount of actions */
			$this->progress_bar->set_message( sprintf( _n( 'Migrating %d action', 'Migrating %d actions', $batch_size, 'action-scheduler' ), number_format_i18n( $batch_size ) ) );
			$this->progress_bar->set_count( $batch_size );
		}

		$this->migrate_actions( $batch );

		return $batch_size;
	}

	/**
	 * Migration a batch of actions.
	 *
	 * @param array $action_ids List of action IDs to migrate.
	 */
	public function migrate_actions( array $action_ids ) {
		do_action( 'action_scheduler/migration_batch_starting', $action_ids );

		\ActionScheduler::logger()->unhook_stored_action();
		$this->destination_logger->unhook_stored_action();

		foreach ( $action_ids as $source_action_id ) {
			$destination_action_id = $this->action_migrator->migrate( $source_action_id );
			if ( $destination_action_id ) {
				$this->destination_logger->log( $destination_action_id, sprintf(
					/* translators: 1: source action ID 2: source store class 3: destination action ID 4: destination store class */
					__( 'Migrated action with ID %1$d in %2$s to ID %3$d in %4$s', 'action-scheduler' ),
					$source_action_id,
					get_class( $this->source_store ),
					$destination_action_id,
					get_class( $this->destination_store )
				) );
			}

			if ( $this->progress_bar ) {
				$this->progress_bar->tick();
			}
		}

		if ( $this->progress_bar ) {
			$this->progress_bar->finish();
		}

		\ActionScheduler::logger()->hook_stored_action();

		do_action( 'action_scheduler/migration_batch_complete', $action_ids );
	}

	/**
	 * Initialize destination store and logger.
	 */
	public function init_destination() {
		$this->destination_store->init();
		$this->destination_logger->init();
	}
}
woocommerce/action-scheduler/classes/migration/Scheduler.php000064400000005542151330736600020403 0ustar00<?php


namespace Action_Scheduler\Migration;

/**
 * Class Scheduler
 *
 * @package Action_Scheduler\WP_CLI
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class Scheduler {
	/** Migration action hook. */
	const HOOK            = 'action_scheduler/migration_hook';

	/** Migration action group. */
	const GROUP           = 'action-scheduler-migration';

	/**
	 * Set up the callback for the scheduled job.
	 */
	public function hook() {
		add_action( self::HOOK, array( $this, 'run_migration' ), 10, 0 );
	}

	/**
	 * Remove the callback for the scheduled job.
	 */
	public function unhook() {
		remove_action( self::HOOK, array( $this, 'run_migration' ), 10 );
	}

	/**
	 * The migration callback.
	 */
	public function run_migration() {
		$migration_runner = $this->get_migration_runner();
		$count            = $migration_runner->run( $this->get_batch_size() );

		if ( $count === 0 ) {
			$this->mark_complete();
		} else {
			$this->schedule_migration( time() + $this->get_schedule_interval() );
		}
	}

	/**
	 * Mark the migration complete.
	 */
	public function mark_complete() {
		$this->unschedule_migration();

		\ActionScheduler_DataController::mark_migration_complete();
		do_action( 'action_scheduler/migration_complete' );
	}

	/**
	 * Get a flag indicating whether the migration is scheduled.
	 *
	 * @return bool Whether there is a pending action in the store to handle the migration
	 */
	public function is_migration_scheduled() {
		$next = as_next_scheduled_action( self::HOOK );

		return ! empty( $next );
	}

	/**
	 * Schedule the migration.
	 *
	 * @param int $when Optional timestamp to run the next migration batch. Defaults to now.
	 *
	 * @return string The action ID
	 */
	public function schedule_migration( $when = 0 ) {
		$next = as_next_scheduled_action( self::HOOK );

		if ( ! empty( $next ) ) {
			return $next;
		}

		if ( empty( $when ) ) {
			$when = time() + MINUTE_IN_SECONDS;
		}

		return as_schedule_single_action( $when, self::HOOK, array(), self::GROUP );
	}

	/**
	 * Remove the scheduled migration action.
	 */
	public function unschedule_migration() {
		as_unschedule_action( self::HOOK, null, self::GROUP );
	}

	/**
	 * Get migration batch schedule interval.
	 *
	 * @return int Seconds between migration runs. Defaults to 0 seconds to allow chaining migration via Async Runners.
	 */
	private function get_schedule_interval() {
		return (int) apply_filters( 'action_scheduler/migration_interval', 0 );
	}

	/**
	 * Get migration batch size.
	 *
	 * @return int Number of actions to migrate in each batch. Defaults to 250.
	 */
	private function get_batch_size() {
		return (int) apply_filters( 'action_scheduler/migration_batch_size', 250 );
	}

	/**
	 * Get migration runner object.
	 *
	 * @return Runner
	 */
	private function get_migration_runner() {
		$config = Controller::instance()->get_migration_config_object();

		return new Runner( $config );
	}

}
woocommerce/action-scheduler/classes/migration/DryRun_ActionMigrator.php000064400000000741151330736600022706 0ustar00<?php


namespace Action_Scheduler\Migration;

/**
 * Class DryRun_ActionMigrator
 *
 * @package Action_Scheduler\Migration
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class DryRun_ActionMigrator extends ActionMigrator {
	/**
	 * Simulate migrating an action.
	 *
	 * @param int $source_action_id Action ID.
	 *
	 * @return int
	 */
	public function migrate( $source_action_id ) {
		do_action( 'action_scheduler/migrate_action_dry_run', $source_action_id );

		return 0;
	}
}
woocommerce/action-scheduler/classes/migration/DryRun_LogMigrator.php000064400000000711151330736600022207 0ustar00<?php


namespace Action_Scheduler\Migration;

/**
 * Class DryRun_LogMigrator
 *
 * @package Action_Scheduler\Migration
 *
 * @codeCoverageIgnore
 */
class DryRun_LogMigrator extends LogMigrator {
	/**
	 * Simulate migrating an action log.
	 *
	 * @param int $source_action_id Source logger object.
	 * @param int $destination_action_id Destination logger object.
	 */
	public function migrate( $source_action_id, $destination_action_id ) {
		// no-op
	}
}woocommerce/action-scheduler/classes/migration/BatchFetcher.php000064400000003222151330736600021000 0ustar00<?php


namespace Action_Scheduler\Migration;


use ActionScheduler_Store as Store;

/**
 * Class BatchFetcher
 *
 * @package Action_Scheduler\Migration
 *
 * @since 3.0.0
 *
 * @codeCoverageIgnore
 */
class BatchFetcher {
	/** var ActionScheduler_Store */
	private $store;

	/**
	 * BatchFetcher constructor.
	 *
	 * @param ActionScheduler_Store $source_store Source store object.
	 */
	public function __construct( Store $source_store ) {
		$this->store = $source_store;
	}

	/**
	 * Retrieve a list of actions.
	 *
	 * @param int $count The number of actions to retrieve
	 *
	 * @return int[] A list of action IDs
	 */
	public function fetch( $count = 10 ) {
		foreach ( $this->get_query_strategies( $count ) as $query ) {
			$action_ids = $this->store->query_actions( $query );
			if ( ! empty( $action_ids ) ) {
				return $action_ids;
			}
		}

		return [];
	}

	/**
	 * Generate a list of prioritized of action search parameters.
	 *
	 * @param int $count Number of actions to find.
	 *
	 * @return array
	 */
	private function get_query_strategies( $count ) {
		$now  = as_get_datetime_object();
		$args = [
			'date'     => $now,
			'per_page' => $count,
			'offset'   => 0,
			'orderby'  => 'date',
			'order'    => 'ASC',
		];

		$priorities = [
			Store::STATUS_PENDING,
			Store::STATUS_FAILED,
			Store::STATUS_CANCELED,
			Store::STATUS_COMPLETE,
			Store::STATUS_RUNNING,
			'', // any other unanticipated status
		];

		foreach ( $priorities as $status ) {
			yield wp_parse_args( [
				'status'       => $status,
				'date_compare' => '<=',
			], $args );
			yield wp_parse_args( [
				'status'       => $status,
				'date_compare' => '>=',
			], $args );
		}
	}
}woocommerce/action-scheduler/classes/migration/Config.php000064400000006773151330736600017701 0ustar00<?php


namespace Action_Scheduler\Migration;

use Action_Scheduler\WP_CLI\ProgressBar;
use ActionScheduler_Logger as Logger;
use ActionScheduler_Store as Store;

/**
 * Class Config
 *
 * @package Action_Scheduler\Migration
 *
 * @since 3.0.0
 *
 * A config builder for the ActionScheduler\Migration\Runner class
 */
class Config {
	/** @var ActionScheduler_Store */
	private $source_store;

	/** @var ActionScheduler_Logger */
	private $source_logger;

	/** @var ActionScheduler_Store */
	private $destination_store;

	/** @var ActionScheduler_Logger */
	private $destination_logger;

	/** @var Progress bar */
	private $progress_bar;

	/** @var bool */
	private $dry_run = false;

	/**
	 * Config constructor.
	 */
	public function __construct() {

	}

	/**
	 * Get the configured source store.
	 *
	 * @return ActionScheduler_Store
	 */
	public function get_source_store() {
		if ( empty( $this->source_store ) ) {
			throw new \RuntimeException( __( 'Source store must be configured before running a migration', 'action-scheduler' ) );
		}

		return $this->source_store;
	}

	/**
	 * Set the configured source store.
	 *
	 * @param ActionScheduler_Store $store Source store object.
	 */
	public function set_source_store( Store $store ) {
		$this->source_store = $store;
	}

	/**
	 * Get the configured source loger.
	 *
	 * @return ActionScheduler_Logger
	 */
	public function get_source_logger() {
		if ( empty( $this->source_logger ) ) {
			throw new \RuntimeException( __( 'Source logger must be configured before running a migration', 'action-scheduler' ) );
		}

		return $this->source_logger;
	}

	/**
	 * Set the configured source logger.
	 *
	 * @param ActionScheduler_Logger $logger
	 */
	public function set_source_logger( Logger $logger ) {
		$this->source_logger = $logger;
	}

	/**
	 * Get the configured destination store.
	 *
	 * @return ActionScheduler_Store
	 */
	public function get_destination_store() {
		if ( empty( $this->destination_store ) ) {
			throw new \RuntimeException( __( 'Destination store must be configured before running a migration', 'action-scheduler' ) );
		}

		return $this->destination_store;
	}

	/**
	 * Set the configured destination store.
	 *
	 * @param ActionScheduler_Store $store
	 */
	public function set_destination_store( Store $store ) {
		$this->destination_store = $store;
	}

	/**
	 * Get the configured destination logger.
	 *
	 * @return ActionScheduler_Logger
	 */
	public function get_destination_logger() {
		if ( empty( $this->destination_logger ) ) {
			throw new \RuntimeException( __( 'Destination logger must be configured before running a migration', 'action-scheduler' ) );
		}

		return $this->destination_logger;
	}

	/**
	 * Set the configured destination logger.
	 *
	 * @param ActionScheduler_Logger $logger
	 */
	public function set_destination_logger( Logger $logger ) {
		$this->destination_logger = $logger;
	}

	/**
	 * Get flag indicating whether it's a dry run.
	 *
	 * @return bool
	 */
	public function get_dry_run() {
		return $this->dry_run;
	}

	/**
	 * Set flag indicating whether it's a dry run.
	 *
	 * @param bool $dry_run
	 */
	public function set_dry_run( $dry_run ) {
		$this->dry_run = (bool) $dry_run;
	}

	/**
	 * Get progress bar object.
	 *
	 * @return ActionScheduler\WPCLI\ProgressBar
	 */
	public function get_progress_bar() {
		return $this->progress_bar;
	}

	/**
	 * Set progress bar object.
	 *
	 * @param ActionScheduler\WPCLI\ProgressBar $progress_bar
	 */
	public function set_progress_bar( ProgressBar $progress_bar ) {
		$this->progress_bar = $progress_bar;
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_QueueCleaner.php000064400000012170151330736600022201 0ustar00<?php

/**
 * Class ActionScheduler_QueueCleaner
 */
class ActionScheduler_QueueCleaner {

	/** @var int */
	protected $batch_size;

	/** @var ActionScheduler_Store */
	private $store = null;

	/**
	 * 31 days in seconds.
	 *
	 * @var int
	 */
	private $month_in_seconds = 2678400;

	/**
	 * ActionScheduler_QueueCleaner constructor.
	 *
	 * @param ActionScheduler_Store $store      The store instance.
	 * @param int                   $batch_size The batch size.
	 */
	public function __construct( ActionScheduler_Store $store = null, $batch_size = 20 ) {
		$this->store = $store ? $store : ActionScheduler_Store::instance();
		$this->batch_size = $batch_size;
	}

	public function delete_old_actions() {
		$lifespan = apply_filters( 'action_scheduler_retention_period', $this->month_in_seconds );
		$cutoff = as_get_datetime_object($lifespan.' seconds ago');

		$statuses_to_purge = array(
			ActionScheduler_Store::STATUS_COMPLETE,
			ActionScheduler_Store::STATUS_CANCELED,
		);

		foreach ( $statuses_to_purge as $status ) {
			$actions_to_delete = $this->store->query_actions( array(
				'status'           => $status,
				'modified'         => $cutoff,
				'modified_compare' => '<=',
				'per_page'         => $this->get_batch_size(),
				'orderby'          => 'none',
			) );

			foreach ( $actions_to_delete as $action_id ) {
				try {
					$this->store->delete_action( $action_id );
				} catch ( Exception $e ) {

					/**
					 * Notify 3rd party code of exceptions when deleting a completed action older than the retention period
					 *
					 * This hook provides a way for 3rd party code to log or otherwise handle exceptions relating to their
					 * actions.
					 *
					 * @since 2.0.0
					 *
					 * @param int $action_id The scheduled actions ID in the data store
					 * @param Exception $e The exception thrown when attempting to delete the action from the data store
					 * @param int $lifespan The retention period, in seconds, for old actions
					 * @param int $count_of_actions_to_delete The number of old actions being deleted in this batch
					 */
					do_action( 'action_scheduler_failed_old_action_deletion', $action_id, $e, $lifespan, count( $actions_to_delete ) );
				}
			}
		}
	}

	/**
	 * Unclaim pending actions that have not been run within a given time limit.
	 *
	 * When called by ActionScheduler_Abstract_QueueRunner::run_cleanup(), the time limit passed
	 * as a parameter is 10x the time limit used for queue processing.
	 *
	 * @param int $time_limit The number of seconds to allow a queue to run before unclaiming its pending actions. Default 300 (5 minutes).
	 */
	public function reset_timeouts( $time_limit = 300 ) {
		$timeout = apply_filters( 'action_scheduler_timeout_period', $time_limit );
		if ( $timeout < 0 ) {
			return;
		}
		$cutoff = as_get_datetime_object($timeout.' seconds ago');
		$actions_to_reset = $this->store->query_actions( array(
			'status'           => ActionScheduler_Store::STATUS_PENDING,
			'modified'         => $cutoff,
			'modified_compare' => '<=',
			'claimed'          => true,
			'per_page'         => $this->get_batch_size(),
			'orderby'          => 'none',
		) );

		foreach ( $actions_to_reset as $action_id ) {
			$this->store->unclaim_action( $action_id );
			do_action( 'action_scheduler_reset_action', $action_id );
		}
	}

	/**
	 * Mark actions that have been running for more than a given time limit as failed, based on
	 * the assumption some uncatachable and unloggable fatal error occurred during processing.
	 *
	 * When called by ActionScheduler_Abstract_QueueRunner::run_cleanup(), the time limit passed
	 * as a parameter is 10x the time limit used for queue processing.
	 *
	 * @param int $time_limit The number of seconds to allow an action to run before it is considered to have failed. Default 300 (5 minutes).
	 */
	public function mark_failures( $time_limit = 300 ) {
		$timeout = apply_filters( 'action_scheduler_failure_period', $time_limit );
		if ( $timeout < 0 ) {
			return;
		}
		$cutoff = as_get_datetime_object($timeout.' seconds ago');
		$actions_to_reset = $this->store->query_actions( array(
			'status'           => ActionScheduler_Store::STATUS_RUNNING,
			'modified'         => $cutoff,
			'modified_compare' => '<=',
			'per_page'         => $this->get_batch_size(),
			'orderby'          => 'none',
		) );

		foreach ( $actions_to_reset as $action_id ) {
			$this->store->mark_failure( $action_id );
			do_action( 'action_scheduler_failed_action', $action_id, $timeout );
		}
	}

	/**
	 * Do all of the cleaning actions.
	 *
	 * @param int $time_limit The number of seconds to use as the timeout and failure period. Default 300 (5 minutes).
	 * @author Jeremy Pry
	 */
	public function clean( $time_limit = 300 ) {
		$this->delete_old_actions();
		$this->reset_timeouts( $time_limit );
		$this->mark_failures( $time_limit );
	}

	/**
	 * Get the batch size for cleaning the queue.
	 *
	 * @author Jeremy Pry
	 * @return int
	 */
	protected function get_batch_size() {
		/**
		 * Filter the batch size when cleaning the queue.
		 *
		 * @param int $batch_size The number of actions to clean in one batch.
		 */
		return absint( apply_filters( 'action_scheduler_cleanup_batch_size', $this->batch_size ) );
	}
}
woocommerce/action-scheduler/classes/ActionScheduler_NullLogEntry.php000064400000000333151330736600022217 0ustar00<?php

/**
 * Class ActionScheduler_NullLogEntry
 */
class ActionScheduler_NullLogEntry extends ActionScheduler_LogEntry {
	public function __construct( $action_id = '', $message = '' ) {
		// nothing to see here
	}
}
 woocommerce/action-scheduler/action-scheduler.php000064400000005071151330736600016265 0ustar00<?php
/**
 * Plugin Name: Action Scheduler
 * Plugin URI: https://actionscheduler.org
 * Description: A robust scheduling library for use in WordPress plugins.
 * Author: Automattic
 * Author URI: https://automattic.com/
 * Version: 3.4.2
 * License: GPLv3
 *
 * Copyright 2019 Automattic, Inc.  (https://automattic.com/contact/)
 *
 * This program is free software: you can redistribute it and/or modify
 * it under the terms of the GNU General Public License as published by
 * the Free Software Foundation, either version 3 of the License, or
 * (at your option) any later version.
 *
 * This program is distributed in the hope that it will be useful,
 * but WITHOUT ANY WARRANTY; without even the implied warranty of
 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
 * GNU General Public License for more details.
 *
 * You should have received a copy of the GNU General Public License
 * along with this program.  If not, see <https://www.gnu.org/licenses/>.
 *
 * @package ActionScheduler
 */

if ( ! function_exists( 'action_scheduler_register_3_dot_4_dot_0' ) && function_exists( 'add_action' ) ) {

	if ( ! class_exists( 'ActionScheduler_Versions', false ) ) {
		require_once __DIR__ . '/classes/ActionScheduler_Versions.php';
		add_action( 'plugins_loaded', array( 'ActionScheduler_Versions', 'initialize_latest_version' ), 1, 0 );
	}

	add_action( 'plugins_loaded', 'action_scheduler_register_3_dot_4_dot_0', 0, 0 );

	/**
	 * Registers this version of Action Scheduler.
	 */
	function action_scheduler_register_3_dot_4_dot_0() {
		$versions = ActionScheduler_Versions::instance();
		$versions->register( '3.4.0', 'action_scheduler_initialize_3_dot_4_dot_0' );
	}

	/**
	 * Initializes this version of Action Scheduler.
	 */
	function action_scheduler_initialize_3_dot_4_dot_0() {
		// A final safety check is required even here, because historic versions of Action Scheduler
		// followed a different pattern (in some unusual cases, we could reach this point and the
		// ActionScheduler class is already defined—so we need to guard against that).
		if ( ! class_exists( 'ActionScheduler', false ) ) {
			require_once __DIR__ . '/classes/abstracts/ActionScheduler.php';
			ActionScheduler::init( __FILE__ );
		}
	}

	// Support usage in themes - load this version if no plugin has loaded a version yet.
	if ( did_action( 'plugins_loaded' ) && ! doing_action( 'plugins_loaded' ) && ! class_exists( 'ActionScheduler', false ) ) {
		action_scheduler_initialize_3_dot_4_dot_0();
		do_action( 'action_scheduler_pre_theme_init' );
		ActionScheduler_Versions::initialize_latest_version();
	}
}
woocommerce/action-scheduler/license.txt000064400000104515151330736600014511 0ustar00                    GNU GENERAL PUBLIC LICENSE
                       Version 3, 29 June 2007

 Copyright (C) 2007 Free Software Foundation, Inc. <https://fsf.org/>
 Everyone is permitted to copy and distribute verbatim copies
 of this license document, but changing it is not allowed.

                            Preamble

  The GNU General Public License is a free, copyleft license for
software and other kinds of works.

  The licenses for most software and other practical works are designed
to take away your freedom to share and change the works.  By contrast,
the GNU General Public License is intended to guarantee your freedom to
share and change all versions of a program--to make sure it remains free
software for all its users.  We, the Free Software Foundation, use the
GNU General Public License for most of our software; it applies also to
any other work released this way by its authors.  You can apply it to
your programs, too.

  When we speak of free software, we are referring to freedom, not
price.  Our General Public Licenses are designed to make sure that you
have the freedom to distribute copies of free software (and charge for
them if you wish), that you receive source code or can get it if you
want it, that you can change the software or use pieces of it in new
free programs, and that you know you can do these things.

  To protect your rights, we need to prevent others from denying you
these rights or asking you to surrender the rights.  Therefore, you have
certain responsibilities if you distribute copies of the software, or if
you modify it: responsibilities to respect the freedom of others.

  For example, if you distribute copies of such a program, whether
gratis or for a fee, you must pass on to the recipients the same
freedoms that you received.  You must make sure that they, too, receive
or can get the source code.  And you must show them these terms so they
know their rights.

  Developers that use the GNU GPL protect your rights with two steps:
(1) assert copyright on the software, and (2) offer you this License
giving you legal permission to copy, distribute and/or modify it.

  For the developers' and authors' protection, the GPL clearly explains
that there is no warranty for this free software.  For both users' and
authors' sake, the GPL requires that modified versions be marked as
changed, so that their problems will not be attributed erroneously to
authors of previous versions.

  Some devices are designed to deny users access to install or run
modified versions of the software inside them, although the manufacturer
can do so.  This is fundamentally incompatible with the aim of
protecting users' freedom to change the software.  The systematic
pattern of such abuse occurs in the area of products for individuals to
use, which is precisely where it is most unacceptable.  Therefore, we
have designed this version of the GPL to prohibit the practice for those
products.  If such problems arise substantially in other domains, we
stand ready to extend this provision to those domains in future versions
of the GPL, as needed to protect the freedom of users.

  Finally, every program is threatened constantly by software patents.
States should not allow patents to restrict development and use of
software on general-purpose computers, but in those that do, we wish to
avoid the special danger that patents applied to a free program could
make it effectively proprietary.  To prevent this, the GPL assures that
patents cannot be used to render the program non-free.

  The precise terms and conditions for copying, distribution and
modification follow.

                       TERMS AND CONDITIONS

  0. Definitions.

  "This License" refers to version 3 of the GNU General Public License.

  "Copyright" also means copyright-like laws that apply to other kinds of
works, such as semiconductor masks.

  "The Program" refers to any copyrightable work licensed under this
License.  Each licensee is addressed as "you".  "Licensees" and
"recipients" may be individuals or organizations.

  To "modify" a work means to copy from or adapt all or part of the work
in a fashion requiring copyright permission, other than the making of an
exact copy.  The resulting work is called a "modified version" of the
earlier work or a work "based on" the earlier work.

  A "covered work" means either the unmodified Program or a work based
on the Program.

  To "propagate" a work means to do anything with it that, without
permission, would make you directly or secondarily liable for
infringement under applicable copyright law, except executing it on a
computer or modifying a private copy.  Propagation includes copying,
distribution (with or without modification), making available to the
public, and in some countries other activities as well.

  To "convey" a work means any kind of propagation that enables other
parties to make or receive copies.  Mere interaction with a user through
a computer network, with no transfer of a copy, is not conveying.

  An interactive user interface displays "Appropriate Legal Notices"
to the extent that it includes a convenient and prominently visible
feature that (1) displays an appropriate copyright notice, and (2)
tells the user that there is no warranty for the work (except to the
extent that warranties are provided), that licensees may convey the
work under this License, and how to view a copy of this License.  If
the interface presents a list of user commands or options, such as a
menu, a prominent item in the list meets this criterion.

  1. Source Code.

  The "source code" for a work means the preferred form of the work
for making modifications to it.  "Object code" means any non-source
form of a work.

  A "Standard Interface" means an interface that either is an official
standard defined by a recognized standards body, or, in the case of
interfaces specified for a particular programming language, one that
is widely used among developers working in that language.

  The "System Libraries" of an executable work include anything, other
than the work as a whole, that (a) is included in the normal form of
packaging a Major Component, but which is not part of that Major
Component, and (b) serves only to enable use of the work with that
Major Component, or to implement a Standard Interface for which an
implementation is available to the public in source code form.  A
"Major Component", in this context, means a major essential component
(kernel, window system, and so on) of the specific operating system
(if any) on which the executable work runs, or a compiler used to
produce the work, or an object code interpreter used to run it.

  The "Corresponding Source" for a work in object code form means all
the source code needed to generate, install, and (for an executable
work) run the object code and to modify the work, including scripts to
control those activities.  However, it does not include the work's
System Libraries, or general-purpose tools or generally available free
programs which are used unmodified in performing those activities but
which are not part of the work.  For example, Corresponding Source
includes interface definition files associated with source files for
the work, and the source code for shared libraries and dynamically
linked subprograms that the work is specifically designed to require,
such as by intimate data communication or control flow between those
subprograms and other parts of the work.

  The Corresponding Source need not include anything that users
can regenerate automatically from other parts of the Corresponding
Source.

  The Corresponding Source for a work in source code form is that
same work.

  2. Basic Permissions.

  All rights granted under this License are granted for the term of
copyright on the Program, and are irrevocable provided the stated
conditions are met.  This License explicitly affirms your unlimited
permission to run the unmodified Program.  The output from running a
covered work is covered by this License only if the output, given its
content, constitutes a covered work.  This License acknowledges your
rights of fair use or other equivalent, as provided by copyright law.

  You may make, run and propagate covered works that you do not
convey, without conditions so long as your license otherwise remains
in force.  You may convey covered works to others for the sole purpose
of having them make modifications exclusively for you, or provide you
with facilities for running those works, provided that you comply with
the terms of this License in conveying all material for which you do
not control copyright.  Those thus making or running the covered works
for you must do so exclusively on your behalf, under your direction
and control, on terms that prohibit them from making any copies of
your copyrighted material outside their relationship with you.

  Conveying under any other circumstances is permitted solely under
the conditions stated below.  Sublicensing is not allowed; section 10
makes it unnecessary.

  3. Protecting Users' Legal Rights From Anti-Circumvention Law.

  No covered work shall be deemed part of an effective technological
measure under any applicable law fulfilling obligations under article
11 of the WIPO copyright treaty adopted on 20 December 1996, or
similar laws prohibiting or restricting circumvention of such
measures.

  When you convey a covered work, you waive any legal power to forbid
circumvention of technological measures to the extent such circumvention
is effected by exercising rights under this License with respect to
the covered work, and you disclaim any intention to limit operation or
modification of the work as a means of enforcing, against the work's
users, your or third parties' legal rights to forbid circumvention of
technological measures.

  4. Conveying Verbatim Copies.

  You may convey verbatim copies of the Program's source code as you
receive it, in any medium, provided that you conspicuously and
appropriately publish on each copy an appropriate copyright notice;
keep intact all notices stating that this License and any
non-permissive terms added in accord with section 7 apply to the code;
keep intact all notices of the absence of any warranty; and give all
recipients a copy of this License along with the Program.

  You may charge any price or no price for each copy that you convey,
and you may offer support or warranty protection for a fee.

  5. Conveying Modified Source Versions.

  You may convey a work based on the Program, or the modifications to
produce it from the Program, in the form of source code under the
terms of section 4, provided that you also meet all of these conditions:

    a) The work must carry prominent notices stating that you modified
    it, and giving a relevant date.

    b) The work must carry prominent notices stating that it is
    released under this License and any conditions added under section
    7.  This requirement modifies the requirement in section 4 to
    "keep intact all notices".

    c) You must license the entire work, as a whole, under this
    License to anyone who comes into possession of a copy.  This
    License will therefore apply, along with any applicable section 7
    additional terms, to the whole of the work, and all its parts,
    regardless of how they are packaged.  This License gives no
    permission to license the work in any other way, but it does not
    invalidate such permission if you have separately received it.

    d) If the work has interactive user interfaces, each must display
    Appropriate Legal Notices; however, if the Program has interactive
    interfaces that do not display Appropriate Legal Notices, your
    work need not make them do so.

  A compilation of a covered work with other separate and independent
works, which are not by their nature extensions of the covered work,
and which are not combined with it such as to form a larger program,
in or on a volume of a storage or distribution medium, is called an
"aggregate" if the compilation and its resulting copyright are not
used to limit the access or legal rights of the compilation's users
beyond what the individual works permit.  Inclusion of a covered work
in an aggregate does not cause this License to apply to the other
parts of the aggregate.

  6. Conveying Non-Source Forms.

  You may convey a covered work in object code form under the terms
of sections 4 and 5, provided that you also convey the
machine-readable Corresponding Source under the terms of this License,
in one of these ways:

    a) Convey the object code in, or embodied in, a physical product
    (including a physical distribution medium), accompanied by the
    Corresponding Source fixed on a durable physical medium
    customarily used for software interchange.

    b) Convey the object code in, or embodied in, a physical product
    (including a physical distribution medium), accompanied by a
    written offer, valid for at least three years and valid for as
    long as you offer spare parts or customer support for that product
    model, to give anyone who possesses the object code either (1) a
    copy of the Corresponding Source for all the software in the
    product that is covered by this License, on a durable physical
    medium customarily used for software interchange, for a price no
    more than your reasonable cost of physically performing this
    conveying of source, or (2) access to copy the
    Corresponding Source from a network server at no charge.

    c) Convey individual copies of the object code with a copy of the
    written offer to provide the Corresponding Source.  This
    alternative is allowed only occasionally and noncommercially, and
    only if you received the object code with such an offer, in accord
    with subsection 6b.

    d) Convey the object code by offering access from a designated
    place (gratis or for a charge), and offer equivalent access to the
    Corresponding Source in the same way through the same place at no
    further charge.  You need not require recipients to copy the
    Corresponding Source along with the object code.  If the place to
    copy the object code is a network server, the Corresponding Source
    may be on a different server (operated by you or a third party)
    that supports equivalent copying facilities, provided you maintain
    clear directions next to the object code saying where to find the
    Corresponding Source.  Regardless of what server hosts the
    Corresponding Source, you remain obligated to ensure that it is
    available for as long as needed to satisfy these requirements.

    e) Convey the object code using peer-to-peer transmission, provided
    you inform other peers where the object code and Corresponding
    Source of the work are being offered to the general public at no
    charge under subsection 6d.

  A separable portion of the object code, whose source code is excluded
from the Corresponding Source as a System Library, need not be
included in conveying the object code work.

  A "User Product" is either (1) a "consumer product", which means any
tangible personal property which is normally used for personal, family,
or household purposes, or (2) anything designed or sold for incorporation
into a dwelling.  In determining whether a product is a consumer product,
doubtful cases shall be resolved in favor of coverage.  For a particular
product received by a particular user, "normally used" refers to a
typical or common use of that class of product, regardless of the status
of the particular user or of the way in which the particular user
actually uses, or expects or is expected to use, the product.  A product
is a consumer product regardless of whether the product has substantial
commercial, industrial or non-consumer uses, unless such uses represent
the only significant mode of use of the product.

  "Installation Information" for a User Product means any methods,
procedures, authorization keys, or other information required to install
and execute modified versions of a covered work in that User Product from
a modified version of its Corresponding Source.  The information must
suffice to ensure that the continued functioning of the modified object
code is in no case prevented or interfered with solely because
modification has been made.

  If you convey an object code work under this section in, or with, or
specifically for use in, a User Product, and the conveying occurs as
part of a transaction in which the right of possession and use of the
User Product is transferred to the recipient in perpetuity or for a
fixed term (regardless of how the transaction is characterized), the
Corresponding Source conveyed under this section must be accompanied
by the Installation Information.  But this requirement does not apply
if neither you nor any third party retains the ability to install
modified object code on the User Product (for example, the work has
been installed in ROM).

  The requirement to provide Installation Information does not include a
requirement to continue to provide support service, warranty, or updates
for a work that has been modified or installed by the recipient, or for
the User Product in which it has been modified or installed.  Access to a
network may be denied when the modification itself materially and
adversely affects the operation of the network or violates the rules and
protocols for communication across the network.

  Corresponding Source conveyed, and Installation Information provided,
in accord with this section must be in a format that is publicly
documented (and with an implementation available to the public in
source code form), and must require no special password or key for
unpacking, reading or copying.

  7. Additional Terms.

  "Additional permissions" are terms that supplement the terms of this
License by making exceptions from one or more of its conditions.
Additional permissions that are applicable to the entire Program shall
be treated as though they were included in this License, to the extent
that they are valid under applicable law.  If additional permissions
apply only to part of the Program, that part may be used separately
under those permissions, but the entire Program remains governed by
this License without regard to the additional permissions.

  When you convey a copy of a covered work, you may at your option
remove any additional permissions from that copy, or from any part of
it.  (Additional permissions may be written to require their own
removal in certain cases when you modify the work.)  You may place
additional permissions on material, added by you to a covered work,
for which you have or can give appropriate copyright permission.

  Notwithstanding any other provision of this License, for material you
add to a covered work, you may (if authorized by the copyright holders of
that material) supplement the terms of this License with terms:

    a) Disclaiming warranty or limiting liability differently from the
    terms of sections 15 and 16 of this License; or

    b) Requiring preservation of specified reasonable legal notices or
    author attributions in that material or in the Appropriate Legal
    Notices displayed by works containing it; or

    c) Prohibiting misrepresentation of the origin of that material, or
    requiring that modified versions of such material be marked in
    reasonable ways as different from the original version; or

    d) Limiting the use for publicity purposes of names of licensors or
    authors of the material; or

    e) Declining to grant rights under trademark law for use of some
    trade names, trademarks, or service marks; or

    f) Requiring indemnification of licensors and authors of that
    material by anyone who conveys the material (or modified versions of
    it) with contractual assumptions of liability to the recipient, for
    any liability that these contractual assumptions directly impose on
    those licensors and authors.

  All other non-permissive additional terms are considered "further
restrictions" within the meaning of section 10.  If the Program as you
received it, or any part of it, contains a notice stating that it is
governed by this License along with a term that is a further
restriction, you may remove that term.  If a license document contains
a further restriction but permits relicensing or conveying under this
License, you may add to a covered work material governed by the terms
of that license document, provided that the further restriction does
not survive such relicensing or conveying.

  If you add terms to a covered work in accord with this section, you
must place, in the relevant source files, a statement of the
additional terms that apply to those files, or a notice indicating
where to find the applicable terms.

  Additional terms, permissive or non-permissive, may be stated in the
form of a separately written license, or stated as exceptions;
the above requirements apply either way.

  8. Termination.

  You may not propagate or modify a covered work except as expressly
provided under this License.  Any attempt otherwise to propagate or
modify it is void, and will automatically terminate your rights under
this License (including any patent licenses granted under the third
paragraph of section 11).

  However, if you cease all violation of this License, then your
license from a particular copyright holder is reinstated (a)
provisionally, unless and until the copyright holder explicitly and
finally terminates your license, and (b) permanently, if the copyright
holder fails to notify you of the violation by some reasonable means
prior to 60 days after the cessation.

  Moreover, your license from a particular copyright holder is
reinstated permanently if the copyright holder notifies you of the
violation by some reasonable means, this is the first time you have
received notice of violation of this License (for any work) from that
copyright holder, and you cure the violation prior to 30 days after
your receipt of the notice.

  Termination of your rights under this section does not terminate the
licenses of parties who have received copies or rights from you under
this License.  If your rights have been terminated and not permanently
reinstated, you do not qualify to receive new licenses for the same
material under section 10.

  9. Acceptance Not Required for Having Copies.

  You are not required to accept this License in order to receive or
run a copy of the Program.  Ancillary propagation of a covered work
occurring solely as a consequence of using peer-to-peer transmission
to receive a copy likewise does not require acceptance.  However,
nothing other than this License grants you permission to propagate or
modify any covered work.  These actions infringe copyright if you do
not accept this License.  Therefore, by modifying or propagating a
covered work, you indicate your acceptance of this License to do so.

  10. Automatic Licensing of Downstream Recipients.

  Each time you convey a covered work, the recipient automatically
receives a license from the original licensors, to run, modify and
propagate that work, subject to this License.  You are not responsible
for enforcing compliance by third parties with this License.

  An "entity transaction" is a transaction transferring control of an
organization, or substantially all assets of one, or subdividing an
organization, or merging organizations.  If propagation of a covered
work results from an entity transaction, each party to that
transaction who receives a copy of the work also receives whatever
licenses to the work the party's predecessor in interest had or could
give under the previous paragraph, plus a right to possession of the
Corresponding Source of the work from the predecessor in interest, if
the predecessor has it or can get it with reasonable efforts.

  You may not impose any further restrictions on the exercise of the
rights granted or affirmed under this License.  For example, you may
not impose a license fee, royalty, or other charge for exercise of
rights granted under this License, and you may not initiate litigation
(including a cross-claim or counterclaim in a lawsuit) alleging that
any patent claim is infringed by making, using, selling, offering for
sale, or importing the Program or any portion of it.

  11. Patents.

  A "contributor" is a copyright holder who authorizes use under this
License of the Program or a work on which the Program is based.  The
work thus licensed is called the contributor's "contributor version".

  A contributor's "essential patent claims" are all patent claims
owned or controlled by the contributor, whether already acquired or
hereafter acquired, that would be infringed by some manner, permitted
by this License, of making, using, or selling its contributor version,
but do not include claims that would be infringed only as a
consequence of further modification of the contributor version.  For
purposes of this definition, "control" includes the right to grant
patent sublicenses in a manner consistent with the requirements of
this License.

  Each contributor grants you a non-exclusive, worldwide, royalty-free
patent license under the contributor's essential patent claims, to
make, use, sell, offer for sale, import and otherwise run, modify and
propagate the contents of its contributor version.

  In the following three paragraphs, a "patent license" is any express
agreement or commitment, however denominated, not to enforce a patent
(such as an express permission to practice a patent or covenant not to
sue for patent infringement).  To "grant" such a patent license to a
party means to make such an agreement or commitment not to enforce a
patent against the party.

  If you convey a covered work, knowingly relying on a patent license,
and the Corresponding Source of the work is not available for anyone
to copy, free of charge and under the terms of this License, through a
publicly available network server or other readily accessible means,
then you must either (1) cause the Corresponding Source to be so
available, or (2) arrange to deprive yourself of the benefit of the
patent license for this particular work, or (3) arrange, in a manner
consistent with the requirements of this License, to extend the patent
license to downstream recipients.  "Knowingly relying" means you have
actual knowledge that, but for the patent license, your conveying the
covered work in a country, or your recipient's use of the covered work
in a country, would infringe one or more identifiable patents in that
country that you have reason to believe are valid.

  If, pursuant to or in connection with a single transaction or
arrangement, you convey, or propagate by procuring conveyance of, a
covered work, and grant a patent license to some of the parties
receiving the covered work authorizing them to use, propagate, modify
or convey a specific copy of the covered work, then the patent license
you grant is automatically extended to all recipients of the covered
work and works based on it.

  A patent license is "discriminatory" if it does not include within
the scope of its coverage, prohibits the exercise of, or is
conditioned on the non-exercise of one or more of the rights that are
specifically granted under this License.  You may not convey a covered
work if you are a party to an arrangement with a third party that is
in the business of distributing software, under which you make payment
to the third party based on the extent of your activity of conveying
the work, and under which the third party grants, to any of the
parties who would receive the covered work from you, a discriminatory
patent license (a) in connection with copies of the covered work
conveyed by you (or copies made from those copies), or (b) primarily
for and in connection with specific products or compilations that
contain the covered work, unless you entered into that arrangement,
or that patent license was granted, prior to 28 March 2007.

  Nothing in this License shall be construed as excluding or limiting
any implied license or other defenses to infringement that may
otherwise be available to you under applicable patent law.

  12. No Surrender of Others' Freedom.

  If conditions are imposed on you (whether by court order, agreement or
otherwise) that contradict the conditions of this License, they do not
excuse you from the conditions of this License.  If you cannot convey a
covered work so as to satisfy simultaneously your obligations under this
License and any other pertinent obligations, then as a consequence you may
not convey it at all.  For example, if you agree to terms that obligate you
to collect a royalty for further conveying from those to whom you convey
the Program, the only way you could satisfy both those terms and this
License would be to refrain entirely from conveying the Program.

  13. Use with the GNU Affero General Public License.

  Notwithstanding any other provision of this License, you have
permission to link or combine any covered work with a work licensed
under version 3 of the GNU Affero General Public License into a single
combined work, and to convey the resulting work.  The terms of this
License will continue to apply to the part which is the covered work,
but the special requirements of the GNU Affero General Public License,
section 13, concerning interaction through a network will apply to the
combination as such.

  14. Revised Versions of this License.

  The Free Software Foundation may publish revised and/or new versions of
the GNU General Public License from time to time.  Such new versions will
be similar in spirit to the present version, but may differ in detail to
address new problems or concerns.

  Each version is given a distinguishing version number.  If the
Program specifies that a certain numbered version of the GNU General
Public License "or any later version" applies to it, you have the
option of following the terms and conditions either of that numbered
version or of any later version published by the Free Software
Foundation.  If the Program does not specify a version number of the
GNU General Public License, you may choose any version ever published
by the Free Software Foundation.

  If the Program specifies that a proxy can decide which future
versions of the GNU General Public License can be used, that proxy's
public statement of acceptance of a version permanently authorizes you
to choose that version for the Program.

  Later license versions may give you additional or different
permissions.  However, no additional obligations are imposed on any
author or copyright holder as a result of your choosing to follow a
later version.

  15. Disclaimer of Warranty.

  THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
APPLICABLE LAW.  EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
PURPOSE.  THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
IS WITH YOU.  SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
ALL NECESSARY SERVICING, REPAIR OR CORRECTION.

  16. Limitation of Liability.

  IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
SUCH DAMAGES.

  17. Interpretation of Sections 15 and 16.

  If the disclaimer of warranty and limitation of liability provided
above cannot be given local legal effect according to their terms,
reviewing courts shall apply local law that most closely approximates
an absolute waiver of all civil liability in connection with the
Program, unless a warranty or assumption of liability accompanies a
copy of the Program in return for a fee.

                     END OF TERMS AND CONDITIONS

            How to Apply These Terms to Your New Programs

  If you develop a new program, and you want it to be of the greatest
possible use to the public, the best way to achieve this is to make it
free software which everyone can redistribute and change under these terms.

  To do so, attach the following notices to the program.  It is safest
to attach them to the start of each source file to most effectively
state the exclusion of warranty; and each file should have at least
the "copyright" line and a pointer to where the full notice is found.

    <one line to give the program's name and a brief idea of what it does.>
    Copyright (C) <year>  <name of author>

    This program is free software: you can redistribute it and/or modify
    it under the terms of the GNU General Public License as published by
    the Free Software Foundation, either version 3 of the License, or
    (at your option) any later version.

    This program is distributed in the hope that it will be useful,
    but WITHOUT ANY WARRANTY; without even the implied warranty of
    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
    GNU General Public License for more details.

    You should have received a copy of the GNU General Public License
    along with this program.  If not, see <https://www.gnu.org/licenses/>.

Also add information on how to contact you by electronic and paper mail.

  If the program does terminal interaction, make it output a short
notice like this when it starts in an interactive mode:

    <program>  Copyright (C) <year>  <name of author>
    This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
    This is free software, and you are welcome to redistribute it
    under certain conditions; type `show c' for details.

The hypothetical commands `show w' and `show c' should show the appropriate
parts of the General Public License.  Of course, your program's commands
might be different; for a GUI interface, you would use an "about box".

  You should also get your employer (if you work as a programmer) or school,
if any, to sign a "copyright disclaimer" for the program, if necessary.
For more information on this, and how to apply and follow the GNU GPL, see
<https://www.gnu.org/licenses/>.

  The GNU General Public License does not permit incorporating your program
into proprietary programs.  If your program is a subroutine library, you
may consider it more useful to permit linking proprietary applications with
the library.  If this is what you want to do, use the GNU Lesser General
Public License instead of this License.  But first, please read
<https://www.gnu.org/licenses/why-not-lgpl.html>.
woocommerce/action-scheduler/functions.php000064400000027621151330736600015051 0ustar00<?php

/**
 * General API functions for scheduling actions
 */

/**
 * Enqueue an action to run one time, as soon as possible
 *
 * @param string $hook The hook to trigger.
 * @param array  $args Arguments to pass when the hook triggers.
 * @param string $group The group to assign this job to.
 * @return int The action ID.
 */
function as_enqueue_async_action( $hook, $args = array(), $group = '' ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return 0;
	}
	return ActionScheduler::factory()->async( $hook, $args, $group );
}

/**
 * Schedule an action to run one time
 *
 * @param int $timestamp When the job will run.
 * @param string $hook The hook to trigger.
 * @param array $args Arguments to pass when the hook triggers.
 * @param string $group The group to assign this job to.
 *
 * @return int The action ID.
 */
function as_schedule_single_action( $timestamp, $hook, $args = array(), $group = '' ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return 0;
	}
	return ActionScheduler::factory()->single( $hook, $args, $timestamp, $group );
}

/**
 * Schedule a recurring action
 *
 * @param int $timestamp When the first instance of the job will run.
 * @param int $interval_in_seconds How long to wait between runs.
 * @param string $hook The hook to trigger.
 * @param array $args Arguments to pass when the hook triggers.
 * @param string $group The group to assign this job to.
 *
 * @return int The action ID.
 */
function as_schedule_recurring_action( $timestamp, $interval_in_seconds, $hook, $args = array(), $group = '' ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return 0;
	}
	return ActionScheduler::factory()->recurring( $hook, $args, $timestamp, $interval_in_seconds, $group );
}

/**
 * Schedule an action that recurs on a cron-like schedule.
 *
 * @param int $base_timestamp The first instance of the action will be scheduled
 *        to run at a time calculated after this timestamp matching the cron
 *        expression. This can be used to delay the first instance of the action.
 * @param string $schedule A cron-link schedule string
 * @see http://en.wikipedia.org/wiki/Cron
 *   *    *    *    *    *    *
 *   ┬    ┬    ┬    ┬    ┬    ┬
 *   |    |    |    |    |    |
 *   |    |    |    |    |    + year [optional]
 *   |    |    |    |    +----- day of week (0 - 7) (Sunday=0 or 7)
 *   |    |    |    +---------- month (1 - 12)
 *   |    |    +--------------- day of month (1 - 31)
 *   |    +-------------------- hour (0 - 23)
 *   +------------------------- min (0 - 59)
 * @param string $hook The hook to trigger.
 * @param array $args Arguments to pass when the hook triggers.
 * @param string $group The group to assign this job to.
 *
 * @return int The action ID.
 */
function as_schedule_cron_action( $timestamp, $schedule, $hook, $args = array(), $group = '' ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return 0;
	}
	return ActionScheduler::factory()->cron( $hook, $args, $timestamp, $schedule, $group );
}

/**
 * Cancel the next occurrence of a scheduled action.
 *
 * While only the next instance of a recurring or cron action is unscheduled by this method, that will also prevent
 * all future instances of that recurring or cron action from being run. Recurring and cron actions are scheduled in
 * a sequence instead of all being scheduled at once. Each successive occurrence of a recurring action is scheduled
 * only after the former action is run. If the next instance is never run, because it's unscheduled by this function,
 * then the following instance will never be scheduled (or exist), which is effectively the same as being unscheduled
 * by this method also.
 *
 * @param string $hook The hook that the job will trigger.
 * @param array $args Args that would have been passed to the job.
 * @param string $group The group the job is assigned to.
 *
 * @return int|null The scheduled action ID if a scheduled action was found, or null if no matching action found.
 */
function as_unschedule_action( $hook, $args = array(), $group = '' ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return 0;
	}
	$params = array(
		'hook'    => $hook,
		'status'  => ActionScheduler_Store::STATUS_PENDING,
		'orderby' => 'date',
		'order'   => 'ASC',
		'group'   => $group,
	);
	if ( is_array( $args ) ) {
		$params['args'] = $args;
	}

	$action_id = ActionScheduler::store()->query_action( $params );

	if ( $action_id ) {
		try {
			ActionScheduler::store()->cancel_action( $action_id );
		} catch ( Exception $exception ) {
			ActionScheduler::logger()->log(
				$action_id,
				sprintf(
					/* translators: %s is the name of the hook to be cancelled. */
					__( 'Caught exception while cancelling action: %s', 'action-scheduler' ),
					esc_attr( $hook )
				)
			);

			$action_id = null;
		}
	}

	return $action_id;
}

/**
 * Cancel all occurrences of a scheduled action.
 *
 * @param string $hook The hook that the job will trigger.
 * @param array $args Args that would have been passed to the job.
 * @param string $group The group the job is assigned to.
 */
function as_unschedule_all_actions( $hook, $args = array(), $group = '' ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return;
	}
	if ( empty( $args ) ) {
		if ( ! empty( $hook ) && empty( $group ) ) {
			ActionScheduler_Store::instance()->cancel_actions_by_hook( $hook );
			return;
		}
		if ( ! empty( $group ) && empty( $hook ) ) {
			ActionScheduler_Store::instance()->cancel_actions_by_group( $group );
			return;
		}
	}
	do {
		$unscheduled_action = as_unschedule_action( $hook, $args, $group );
	} while ( ! empty( $unscheduled_action ) );
}

/**
 * Check if there is an existing action in the queue with a given hook, args and group combination.
 *
 * An action in the queue could be pending, in-progress or async. If the is pending for a time in
 * future, its scheduled date will be returned as a timestamp. If it is currently being run, or an
 * async action sitting in the queue waiting to be processed, in which case boolean true will be
 * returned. Or there may be no async, in-progress or pending action for this hook, in which case,
 * boolean false will be the return value.
 *
 * @param string $hook
 * @param array $args
 * @param string $group
 *
 * @return int|bool The timestamp for the next occurrence of a pending scheduled action, true for an async or in-progress action or false if there is no matching action.
 */
function as_next_scheduled_action( $hook, $args = null, $group = '' ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return false;
	}

	$params = array(
		'hook'    => $hook,
		'orderby' => 'date',
		'order'   => 'ASC',
		'group'   => $group,
	);

	if ( is_array( $args ) ) {
		$params['args'] = $args;
	}

	$params['status'] = ActionScheduler_Store::STATUS_RUNNING;
	$action_id        = ActionScheduler::store()->query_action( $params );
	if ( $action_id ) {
		return true;
	}

	$params['status'] = ActionScheduler_Store::STATUS_PENDING;
	$action_id        = ActionScheduler::store()->query_action( $params );
	if ( null === $action_id ) {
		return false;
	}

	$action         = ActionScheduler::store()->fetch_action( $action_id );
	$scheduled_date = $action->get_schedule()->get_date();
	if ( $scheduled_date ) {
		return (int) $scheduled_date->format( 'U' );
	} elseif ( null === $scheduled_date ) { // pending async action with NullSchedule
		return true;
	}

	return false;
}

/**
 * Check if there is a scheduled action in the queue but more efficiently than as_next_scheduled_action().
 *
 * It's recommended to use this function when you need to know whether a specific action is currently scheduled
 * (pending or in-progress).
 *
 * @since x.x.x
 *
 * @param string $hook  The hook of the action.
 * @param array  $args  Args that have been passed to the action. Null will matches any args.
 * @param string $group The group the job is assigned to.
 *
 * @return bool True if a matching action is pending or in-progress, false otherwise.
 */
function as_has_scheduled_action( $hook, $args = null, $group = '' ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return false;
	}

	$query_args = array(
		'hook'     => $hook,
		'status'   => array( ActionScheduler_Store::STATUS_RUNNING, ActionScheduler_Store::STATUS_PENDING ),
		'group'    => $group,
		'orderby'  => 'none',
	);

	if ( null !== $args ) {
		$query_args['args'] = $args;
	}

	$action_id = ActionScheduler::store()->query_action( $query_args );

	return $action_id !== null;
}

/**
 * Find scheduled actions
 *
 * @param array $args Possible arguments, with their default values:
 *        'hook' => '' - the name of the action that will be triggered
 *        'args' => NULL - the args array that will be passed with the action
 *        'date' => NULL - the scheduled date of the action. Expects a DateTime object, a unix timestamp, or a string that can parsed with strtotime(). Used in UTC timezone.
 *        'date_compare' => '<=' - operator for testing "date". accepted values are '!=', '>', '>=', '<', '<=', '='
 *        'modified' => NULL - the date the action was last updated. Expects a DateTime object, a unix timestamp, or a string that can parsed with strtotime(). Used in UTC timezone.
 *        'modified_compare' => '<=' - operator for testing "modified". accepted values are '!=', '>', '>=', '<', '<=', '='
 *        'group' => '' - the group the action belongs to
 *        'status' => '' - ActionScheduler_Store::STATUS_COMPLETE or ActionScheduler_Store::STATUS_PENDING
 *        'claimed' => NULL - TRUE to find claimed actions, FALSE to find unclaimed actions, a string to find a specific claim ID
 *        'per_page' => 5 - Number of results to return
 *        'offset' => 0
 *        'orderby' => 'date' - accepted values are 'hook', 'group', 'modified', 'date' or 'none'
 *        'order' => 'ASC'
 *
 * @param string $return_format OBJECT, ARRAY_A, or ids.
 *
 * @return array
 */
function as_get_scheduled_actions( $args = array(), $return_format = OBJECT ) {
	if ( ! ActionScheduler::is_initialized( __FUNCTION__ ) ) {
		return array();
	}
	$store = ActionScheduler::store();
	foreach ( array('date', 'modified') as $key ) {
		if ( isset($args[$key]) ) {
			$args[$key] = as_get_datetime_object($args[$key]);
		}
	}
	$ids = $store->query_actions( $args );

	if ( $return_format == 'ids' || $return_format == 'int' ) {
		return $ids;
	}

	$actions = array();
	foreach ( $ids as $action_id ) {
		$actions[$action_id] = $store->fetch_action( $action_id );
	}

	if ( $return_format == ARRAY_A ) {
		foreach ( $actions as $action_id => $action_object ) {
			$actions[$action_id] = get_object_vars($action_object);
		}
	}

	return $actions;
}

/**
 * Helper function to create an instance of DateTime based on a given
 * string and timezone. By default, will return the current date/time
 * in the UTC timezone.
 *
 * Needed because new DateTime() called without an explicit timezone
 * will create a date/time in PHP's timezone, but we need to have
 * assurance that a date/time uses the right timezone (which we almost
 * always want to be UTC), which means we need to always include the
 * timezone when instantiating datetimes rather than leaving it up to
 * the PHP default.
 *
 * @param mixed $date_string A date/time string. Valid formats are explained in http://php.net/manual/en/datetime.formats.php.
 * @param string $timezone A timezone identifier, like UTC or Europe/Lisbon. The list of valid identifiers is available http://php.net/manual/en/timezones.php.
 *
 * @return ActionScheduler_DateTime
 */
function as_get_datetime_object( $date_string = null, $timezone = 'UTC' ) {
	if ( is_object( $date_string ) && $date_string instanceof DateTime ) {
		$date = new ActionScheduler_DateTime( $date_string->format( 'Y-m-d H:i:s' ), new DateTimeZone( $timezone ) );
	} elseif ( is_numeric( $date_string ) ) {
		$date = new ActionScheduler_DateTime( '@' . $date_string, new DateTimeZone( $timezone ) );
	} else {
		$date = new ActionScheduler_DateTime( null === $date_string ? 'now' : $date_string, new DateTimeZone( $timezone ) );
	}
	return $date;
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression_YearField.php000064400000001651151330736600023645 0ustar00<?php

/**
 * Year field.  Allows: * , / -
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 */
class CronExpression_YearField extends CronExpression_AbstractField
{
    /**
     * {@inheritdoc}
     */
    public function isSatisfiedBy(DateTime $date, $value)
    {
        return $this->isSatisfied($date->format('Y'), $value);
    }

    /**
     * {@inheritdoc}
     */
    public function increment(DateTime $date, $invert = false)
    {
        if ($invert) {
            $date->modify('-1 year');
            $date->setDate($date->format('Y'), 12, 31);
            $date->setTime(23, 59, 0);
        } else {
            $date->modify('+1 year');
            $date->setDate($date->format('Y'), 1, 1);
            $date->setTime(0, 0, 0);
        }

        return $this;
    }

    /**
     * {@inheritdoc}
     */
    public function validate($value)
    {
        return (bool) preg_match('/[\*,\/\-0-9]+/', $value);
    }
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression_FieldFactory.php000064400000003321151330736600024350 0ustar00<?php

/**
 * CRON field factory implementing a flyweight factory
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 * @link http://en.wikipedia.org/wiki/Cron
 */
class CronExpression_FieldFactory
{
    /**
     * @var array Cache of instantiated fields
     */
    private $fields = array();

    /**
     * Get an instance of a field object for a cron expression position
     *
     * @param int $position CRON expression position value to retrieve
     *
     * @return CronExpression_FieldInterface
     * @throws InvalidArgumentException if a position is not valid
     */
    public function getField($position)
    {
        if (!isset($this->fields[$position])) {
            switch ($position) {
                case 0:
                    $this->fields[$position] = new CronExpression_MinutesField();
                    break;
                case 1:
                    $this->fields[$position] = new CronExpression_HoursField();
                    break;
                case 2:
                    $this->fields[$position] = new CronExpression_DayOfMonthField();
                    break;
                case 3:
                    $this->fields[$position] = new CronExpression_MonthField();
                    break;
                case 4:
                    $this->fields[$position] = new CronExpression_DayOfWeekField();
                    break;
                case 5:
                    $this->fields[$position] = new CronExpression_YearField();
                    break;
                default:
                    throw new InvalidArgumentException(
                        $position . ' is not a valid position'
                    );
            }
        }

        return $this->fields[$position];
    }
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression_AbstractField.php000064400000005020151330736600024502 0ustar00<?php

/**
 * Abstract CRON expression field
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 */
abstract class CronExpression_AbstractField implements CronExpression_FieldInterface
{
    /**
     * Check to see if a field is satisfied by a value
     *
     * @param string $dateValue Date value to check
     * @param string $value     Value to test
     *
     * @return bool
     */
    public function isSatisfied($dateValue, $value)
    {
        if ($this->isIncrementsOfRanges($value)) {
            return $this->isInIncrementsOfRanges($dateValue, $value);
        } elseif ($this->isRange($value)) {
            return $this->isInRange($dateValue, $value);
        }

        return $value == '*' || $dateValue == $value;
    }

    /**
     * Check if a value is a range
     *
     * @param string $value Value to test
     *
     * @return bool
     */
    public function isRange($value)
    {
        return strpos($value, '-') !== false;
    }

    /**
     * Check if a value is an increments of ranges
     *
     * @param string $value Value to test
     *
     * @return bool
     */
    public function isIncrementsOfRanges($value)
    {
        return strpos($value, '/') !== false;
    }

    /**
     * Test if a value is within a range
     *
     * @param string $dateValue Set date value
     * @param string $value     Value to test
     *
     * @return bool
     */
    public function isInRange($dateValue, $value)
    {
        $parts = array_map('trim', explode('-', $value, 2));

        return $dateValue >= $parts[0] && $dateValue <= $parts[1];
    }

    /**
     * Test if a value is within an increments of ranges (offset[-to]/step size)
     *
     * @param string $dateValue Set date value
     * @param string $value     Value to test
     *
     * @return bool
     */
    public function isInIncrementsOfRanges($dateValue, $value)
    {
        $parts = array_map('trim', explode('/', $value, 2));
        $stepSize = isset($parts[1]) ? $parts[1] : 0;
        if ($parts[0] == '*' || $parts[0] === '0') {
            return (int) $dateValue % $stepSize == 0;
        }

        $range = explode('-', $parts[0], 2);
        $offset = $range[0];
        $to = isset($range[1]) ? $range[1] : $dateValue;
        // Ensure that the date value is within the range
        if ($dateValue < $offset || $dateValue > $to) {
            return false;
        }

        for ($i = $offset; $i <= $to; $i+= $stepSize) {
            if ($i == $dateValue) {
                return true;
            }
        }

        return false;
    }
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression_MinutesField.php000064400000001371151330736600024370 0ustar00<?php

/**
 * Minutes field.  Allows: * , / -
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 */
class CronExpression_MinutesField extends CronExpression_AbstractField
{
    /**
     * {@inheritdoc}
     */
    public function isSatisfiedBy(DateTime $date, $value)
    {
        return $this->isSatisfied($date->format('i'), $value);
    }

    /**
     * {@inheritdoc}
     */
    public function increment(DateTime $date, $invert = false)
    {
        if ($invert) {
            $date->modify('-1 minute');
        } else {
            $date->modify('+1 minute');
        }

        return $this;
    }

    /**
     * {@inheritdoc}
     */
    public function validate($value)
    {
        return (bool) preg_match('/[\*,\/\-0-9]+/', $value);
    }
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression_DayOfWeekField.php000064400000007521151330736600024565 0ustar00<?php

/**
 * Day of week field.  Allows: * / , - ? L #
 *
 * Days of the week can be represented as a number 0-7 (0|7 = Sunday)
 * or as a three letter string: SUN, MON, TUE, WED, THU, FRI, SAT.
 *
 * 'L' stands for "last". It allows you to specify constructs such as
 * "the last Friday" of a given month.
 *
 * '#' is allowed for the day-of-week field, and must be followed by a
 * number between one and five. It allows you to specify constructs such as
 * "the second Friday" of a given month.
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 */
class CronExpression_DayOfWeekField extends CronExpression_AbstractField
{
    /**
     * {@inheritdoc}
     */
    public function isSatisfiedBy(DateTime $date, $value)
    {
        if ($value == '?') {
            return true;
        }

        // Convert text day of the week values to integers
        $value = str_ireplace(
            array('SUN', 'MON', 'TUE', 'WED', 'THU', 'FRI', 'SAT'),
            range(0, 6),
            $value
        );

        $currentYear = $date->format('Y');
        $currentMonth = $date->format('m');
        $lastDayOfMonth = $date->format('t');

        // Find out if this is the last specific weekday of the month
        if (strpos($value, 'L')) {
            $weekday = str_replace('7', '0', substr($value, 0, strpos($value, 'L')));
            $tdate = clone $date;
            $tdate->setDate($currentYear, $currentMonth, $lastDayOfMonth);
            while ($tdate->format('w') != $weekday) {
                $tdate->setDate($currentYear, $currentMonth, --$lastDayOfMonth);
            }

            return $date->format('j') == $lastDayOfMonth;
        }

        // Handle # hash tokens
        if (strpos($value, '#')) {
            list($weekday, $nth) = explode('#', $value);
            // Validate the hash fields
            if ($weekday < 1 || $weekday > 5) {
                throw new InvalidArgumentException("Weekday must be a value between 1 and 5. {$weekday} given");
            }
            if ($nth > 5) {
                throw new InvalidArgumentException('There are never more than 5 of a given weekday in a month');
            }
            // The current weekday must match the targeted weekday to proceed
            if ($date->format('N') != $weekday) {
                return false;
            }

            $tdate = clone $date;
            $tdate->setDate($currentYear, $currentMonth, 1);
            $dayCount = 0;
            $currentDay = 1;
            while ($currentDay < $lastDayOfMonth + 1) {
                if ($tdate->format('N') == $weekday) {
                    if (++$dayCount >= $nth) {
                        break;
                    }
                }
                $tdate->setDate($currentYear, $currentMonth, ++$currentDay);
            }

            return $date->format('j') == $currentDay;
        }

        // Handle day of the week values
        if (strpos($value, '-')) {
            $parts = explode('-', $value);
            if ($parts[0] == '7') {
                $parts[0] = '0';
            } elseif ($parts[1] == '0') {
                $parts[1] = '7';
            }
            $value = implode('-', $parts);
        }

        // Test to see which Sunday to use -- 0 == 7 == Sunday
        $format = in_array(7, str_split($value)) ? 'N' : 'w';
        $fieldValue = $date->format($format);

        return $this->isSatisfied($fieldValue, $value);
    }

    /**
     * {@inheritdoc}
     */
    public function increment(DateTime $date, $invert = false)
    {
        if ($invert) {
            $date->modify('-1 day');
            $date->setTime(23, 59, 0);
        } else {
            $date->modify('+1 day');
            $date->setTime(0, 0, 0);
        }

        return $this;
    }

    /**
     * {@inheritdoc}
     */
    public function validate($value)
    {
        return (bool) preg_match('/[\*,\/\-0-9A-Z]+/', $value);
    }
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression.php000064400000026536151330736600021732 0ustar00<?php

/**
 * CRON expression parser that can determine whether or not a CRON expression is
 * due to run, the next run date and previous run date of a CRON expression.
 * The determinations made by this class are accurate if checked run once per
 * minute (seconds are dropped from date time comparisons).
 *
 * Schedule parts must map to:
 * minute [0-59], hour [0-23], day of month, month [1-12|JAN-DEC], day of week
 * [1-7|MON-SUN], and an optional year.
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 * @link http://en.wikipedia.org/wiki/Cron
 */
class CronExpression
{
    const MINUTE = 0;
    const HOUR = 1;
    const DAY = 2;
    const MONTH = 3;
    const WEEKDAY = 4;
    const YEAR = 5;

    /**
     * @var array CRON expression parts
     */
    private $cronParts;

    /**
     * @var CronExpression_FieldFactory CRON field factory
     */
    private $fieldFactory;

    /**
     * @var array Order in which to test of cron parts
     */
    private static $order = array(self::YEAR, self::MONTH, self::DAY, self::WEEKDAY, self::HOUR, self::MINUTE);

    /**
     * Factory method to create a new CronExpression.
     *
     * @param string $expression The CRON expression to create.  There are
     *      several special predefined values which can be used to substitute the
     *      CRON expression:
     *
     *      @yearly, @annually) - Run once a year, midnight, Jan. 1 - 0 0 1 1 *
     *      @monthly - Run once a month, midnight, first of month - 0 0 1 * *
     *      @weekly - Run once a week, midnight on Sun - 0 0 * * 0
     *      @daily - Run once a day, midnight - 0 0 * * *
     *      @hourly - Run once an hour, first minute - 0 * * * *
     *
*@param CronExpression_FieldFactory $fieldFactory (optional) Field factory to use
     *
     * @return CronExpression
     */
    public static function factory($expression, CronExpression_FieldFactory $fieldFactory = null)
    {
        $mappings = array(
            '@yearly' => '0 0 1 1 *',
            '@annually' => '0 0 1 1 *',
            '@monthly' => '0 0 1 * *',
            '@weekly' => '0 0 * * 0',
            '@daily' => '0 0 * * *',
            '@hourly' => '0 * * * *'
        );

        if (isset($mappings[$expression])) {
            $expression = $mappings[$expression];
        }

        return new self($expression, $fieldFactory ? $fieldFactory : new CronExpression_FieldFactory());
    }

    /**
     * Parse a CRON expression
     *
     * @param string       $expression   CRON expression (e.g. '8 * * * *')
     * @param CronExpression_FieldFactory $fieldFactory Factory to create cron fields
     */
    public function __construct($expression, CronExpression_FieldFactory $fieldFactory)
    {
        $this->fieldFactory = $fieldFactory;
        $this->setExpression($expression);
    }

    /**
     * Set or change the CRON expression
     *
     * @param string $value CRON expression (e.g. 8 * * * *)
     *
     * @return CronExpression
     * @throws InvalidArgumentException if not a valid CRON expression
     */
    public function setExpression($value)
    {
        $this->cronParts = preg_split('/\s/', $value, -1, PREG_SPLIT_NO_EMPTY);
        if (count($this->cronParts) < 5) {
            throw new InvalidArgumentException(
                $value . ' is not a valid CRON expression'
            );
        }

        foreach ($this->cronParts as $position => $part) {
            $this->setPart($position, $part);
        }

        return $this;
    }

    /**
     * Set part of the CRON expression
     *
     * @param int    $position The position of the CRON expression to set
     * @param string $value    The value to set
     *
     * @return CronExpression
     * @throws InvalidArgumentException if the value is not valid for the part
     */
    public function setPart($position, $value)
    {
        if (!$this->fieldFactory->getField($position)->validate($value)) {
            throw new InvalidArgumentException(
                'Invalid CRON field value ' . $value . ' as position ' . $position
            );
        }

        $this->cronParts[$position] = $value;

        return $this;
    }

    /**
     * Get a next run date relative to the current date or a specific date
     *
     * @param string|DateTime $currentTime (optional) Relative calculation date
     * @param int             $nth         (optional) Number of matches to skip before returning a
     *     matching next run date.  0, the default, will return the current
     *     date and time if the next run date falls on the current date and
     *     time.  Setting this value to 1 will skip the first match and go to
     *     the second match.  Setting this value to 2 will skip the first 2
     *     matches and so on.
     * @param bool $allowCurrentDate (optional) Set to TRUE to return the
     *     current date if it matches the cron expression
     *
     * @return DateTime
     * @throws RuntimeException on too many iterations
     */
    public function getNextRunDate($currentTime = 'now', $nth = 0, $allowCurrentDate = false)
    {
        return $this->getRunDate($currentTime, $nth, false, $allowCurrentDate);
    }

    /**
     * Get a previous run date relative to the current date or a specific date
     *
     * @param string|DateTime $currentTime      (optional) Relative calculation date
     * @param int             $nth              (optional) Number of matches to skip before returning
     * @param bool            $allowCurrentDate (optional) Set to TRUE to return the
     *     current date if it matches the cron expression
     *
     * @return DateTime
     * @throws RuntimeException on too many iterations
     * @see CronExpression::getNextRunDate
     */
    public function getPreviousRunDate($currentTime = 'now', $nth = 0, $allowCurrentDate = false)
    {
        return $this->getRunDate($currentTime, $nth, true, $allowCurrentDate);
    }

    /**
     * Get multiple run dates starting at the current date or a specific date
     *
     * @param int             $total            Set the total number of dates to calculate
     * @param string|DateTime $currentTime      (optional) Relative calculation date
     * @param bool            $invert           (optional) Set to TRUE to retrieve previous dates
     * @param bool            $allowCurrentDate (optional) Set to TRUE to return the
     *     current date if it matches the cron expression
     *
     * @return array Returns an array of run dates
     */
    public function getMultipleRunDates($total, $currentTime = 'now', $invert = false, $allowCurrentDate = false)
    {
        $matches = array();
        for ($i = 0; $i < max(0, $total); $i++) {
            $matches[] = $this->getRunDate($currentTime, $i, $invert, $allowCurrentDate);
        }

        return $matches;
    }

    /**
     * Get all or part of the CRON expression
     *
     * @param string $part (optional) Specify the part to retrieve or NULL to
     *      get the full cron schedule string.
     *
     * @return string|null Returns the CRON expression, a part of the
     *      CRON expression, or NULL if the part was specified but not found
     */
    public function getExpression($part = null)
    {
        if (null === $part) {
            return implode(' ', $this->cronParts);
        } elseif (array_key_exists($part, $this->cronParts)) {
            return $this->cronParts[$part];
        }

        return null;
    }

    /**
     * Helper method to output the full expression.
     *
     * @return string Full CRON expression
     */
    public function __toString()
    {
        return $this->getExpression();
    }

    /**
     * Determine if the cron is due to run based on the current date or a
     * specific date.  This method assumes that the current number of
     * seconds are irrelevant, and should be called once per minute.
     *
     * @param string|DateTime $currentTime (optional) Relative calculation date
     *
     * @return bool Returns TRUE if the cron is due to run or FALSE if not
     */
    public function isDue($currentTime = 'now')
    {
        if ('now' === $currentTime) {
            $currentDate = date('Y-m-d H:i');
            $currentTime = strtotime($currentDate);
        } elseif ($currentTime instanceof DateTime) {
            $currentDate = $currentTime->format('Y-m-d H:i');
            $currentTime = strtotime($currentDate);
        } else {
            $currentTime = new DateTime($currentTime);
            $currentTime->setTime($currentTime->format('H'), $currentTime->format('i'), 0);
            $currentDate = $currentTime->format('Y-m-d H:i');
            $currentTime = (int)($currentTime->getTimestamp());
        }

        return $this->getNextRunDate($currentDate, 0, true)->getTimestamp() == $currentTime;
    }

    /**
     * Get the next or previous run date of the expression relative to a date
     *
     * @param string|DateTime $currentTime      (optional) Relative calculation date
     * @param int             $nth              (optional) Number of matches to skip before returning
     * @param bool            $invert           (optional) Set to TRUE to go backwards in time
     * @param bool            $allowCurrentDate (optional) Set to TRUE to return the
     *     current date if it matches the cron expression
     *
     * @return DateTime
     * @throws RuntimeException on too many iterations
     */
    protected function getRunDate($currentTime = null, $nth = 0, $invert = false, $allowCurrentDate = false)
    {
        if ($currentTime instanceof DateTime) {
            $currentDate = $currentTime;
        } else {
            $currentDate = new DateTime($currentTime ? $currentTime : 'now');
            $currentDate->setTimezone(new DateTimeZone(date_default_timezone_get()));
        }

        $currentDate->setTime($currentDate->format('H'), $currentDate->format('i'), 0);
        $nextRun = clone $currentDate;
        $nth = (int) $nth;

        // Set a hard limit to bail on an impossible date
        for ($i = 0; $i < 1000; $i++) {

            foreach (self::$order as $position) {
                $part = $this->getExpression($position);
                if (null === $part) {
                    continue;
                }

                $satisfied = false;
                // Get the field object used to validate this part
                $field = $this->fieldFactory->getField($position);
                // Check if this is singular or a list
                if (strpos($part, ',') === false) {
                    $satisfied = $field->isSatisfiedBy($nextRun, $part);
                } else {
                    foreach (array_map('trim', explode(',', $part)) as $listPart) {
                        if ($field->isSatisfiedBy($nextRun, $listPart)) {
                            $satisfied = true;
                            break;
                        }
                    }
                }

                // If the field is not satisfied, then start over
                if (!$satisfied) {
                    $field->increment($nextRun, $invert);
                    continue 2;
                }
            }

            // Skip this match if needed
            if ((!$allowCurrentDate && $nextRun == $currentDate) || --$nth > -1) {
                $this->fieldFactory->getField(0)->increment($nextRun, $invert);
                continue;
            }

            return $nextRun;
        }

        // @codeCoverageIgnoreStart
        throw new RuntimeException('Impossible CRON expression');
        // @codeCoverageIgnoreEnd
    }
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression_HoursField.php000064400000002205151330736600024041 0ustar00<?php

/**
 * Hours field.  Allows: * , / -
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 */
class CronExpression_HoursField extends CronExpression_AbstractField
{
    /**
     * {@inheritdoc}
     */
    public function isSatisfiedBy(DateTime $date, $value)
    {
        return $this->isSatisfied($date->format('H'), $value);
    }

    /**
     * {@inheritdoc}
     */
    public function increment(DateTime $date, $invert = false)
    {
        // Change timezone to UTC temporarily. This will
        // allow us to go back or forwards and hour even
        // if DST will be changed between the hours.
        $timezone = $date->getTimezone();
        $date->setTimezone(new DateTimeZone('UTC'));
        if ($invert) {
            $date->modify('-1 hour');
            $date->setTime($date->format('H'), 59);
        } else {
            $date->modify('+1 hour');
            $date->setTime($date->format('H'), 0);
        }
        $date->setTimezone($timezone);

        return $this;
    }

    /**
     * {@inheritdoc}
     */
    public function validate($value)
    {
        return (bool) preg_match('/[\*,\/\-0-9]+/', $value);
    }
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression_FieldInterface.php000064400000002162151330736600024643 0ustar00<?php

/**
 * CRON field interface
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 */
interface CronExpression_FieldInterface
{
    /**
     * Check if the respective value of a DateTime field satisfies a CRON exp
     *
     * @param DateTime $date  DateTime object to check
     * @param string   $value CRON expression to test against
     *
     * @return bool Returns TRUE if satisfied, FALSE otherwise
     */
    public function isSatisfiedBy(DateTime $date, $value);

    /**
     * When a CRON expression is not satisfied, this method is used to increment
     * or decrement a DateTime object by the unit of the cron field
     *
     * @param DateTime $date   DateTime object to change
     * @param bool     $invert (optional) Set to TRUE to decrement
     *
     * @return CronExpression_FieldInterface
     */
    public function increment(DateTime $date, $invert = false);

    /**
     * Validates a CRON expression for a given field
     *
     * @param string $value CRON expression value to validate
     *
     * @return bool Returns TRUE if valid, FALSE otherwise
     */
    public function validate($value);
}
woocommerce/action-scheduler/lib/cron-expression/CronExpression_MonthField.php000064400000002567151330736600024041 0ustar00<?php

/**
 * Month field.  Allows: * , / -
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 */
class CronExpression_MonthField extends CronExpression_AbstractField
{
    /**
     * {@inheritdoc}
     */
    public function isSatisfiedBy(DateTime $date, $value)
    {
        // Convert text month values to integers
        $value = str_ireplace(
            array(
                'JAN', 'FEB', 'MAR', 'APR', 'MAY', 'JUN',
                'JUL', 'AUG', 'SEP', 'OCT', 'NOV', 'DEC'
            ),
            range(1, 12),
            $value
        );

        return $this->isSatisfied($date->format('m'), $value);
    }

    /**
     * {@inheritdoc}
     */
    public function increment(DateTime $date, $invert = false)
    {
        if ($invert) {
            // $date->modify('last day of previous month'); // remove for php 5.2 compat
            $date->modify('previous month');
            $date->modify($date->format('Y-m-t'));
            $date->setTime(23, 59);
        } else {
            //$date->modify('first day of next month'); // remove for php 5.2 compat
            $date->modify('next month');
            $date->modify($date->format('Y-m-01'));
            $date->setTime(0, 0);
        }

        return $this;
    }

    /**
     * {@inheritdoc}
     */
    public function validate($value)
    {
        return (bool) preg_match('/[\*,\/\-0-9A-Z]+/', $value);
    }
}
woocommerce/action-scheduler/lib/cron-expression/LICENSE000064400000002112151330736600017225 0ustar00Copyright (c) 2011 Michael Dowling <mtdowling@gmail.com> and contributors

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.
woocommerce/action-scheduler/lib/cron-expression/CronExpression_DayOfMonthField.php000064400000007014151330736600024754 0ustar00<?php

/**
 * Day of month field.  Allows: * , / - ? L W
 *
 * 'L' stands for "last" and specifies the last day of the month.
 *
 * The 'W' character is used to specify the weekday (Monday-Friday) nearest the
 * given day. As an example, if you were to specify "15W" as the value for the
 * day-of-month field, the meaning is: "the nearest weekday to the 15th of the
 * month". So if the 15th is a Saturday, the trigger will fire on Friday the
 * 14th. If the 15th is a Sunday, the trigger will fire on Monday the 16th. If
 * the 15th is a Tuesday, then it will fire on Tuesday the 15th. However if you
 * specify "1W" as the value for day-of-month, and the 1st is a Saturday, the
 * trigger will fire on Monday the 3rd, as it will not 'jump' over the boundary
 * of a month's days. The 'W' character can only be specified when the
 * day-of-month is a single day, not a range or list of days.
 *
 * @author Michael Dowling <mtdowling@gmail.com>
 */
class CronExpression_DayOfMonthField extends CronExpression_AbstractField
{
    /**
     * Get the nearest day of the week for a given day in a month
     *
     * @param int $currentYear  Current year
     * @param int $currentMonth Current month
     * @param int $targetDay    Target day of the month
     *
     * @return DateTime Returns the nearest date
     */
    private static function getNearestWeekday($currentYear, $currentMonth, $targetDay)
    {
        $tday = str_pad($targetDay, 2, '0', STR_PAD_LEFT);
        $target = new DateTime("$currentYear-$currentMonth-$tday");
        $currentWeekday = (int) $target->format('N');

        if ($currentWeekday < 6) {
            return $target;
        }

        $lastDayOfMonth = $target->format('t');

        foreach (array(-1, 1, -2, 2) as $i) {
            $adjusted = $targetDay + $i;
            if ($adjusted > 0 && $adjusted <= $lastDayOfMonth) {
                $target->setDate($currentYear, $currentMonth, $adjusted);
                if ($target->format('N') < 6 && $target->format('m') == $currentMonth) {
                    return $target;
                }
            }
        }
    }

    /**
     * {@inheritdoc}
     */
    public function isSatisfiedBy(DateTime $date, $value)
    {
        // ? states that the field value is to be skipped
        if ($value == '?') {
            return true;
        }

        $fieldValue = $date->format('d');

        // Check to see if this is the last day of the month
        if ($value == 'L') {
            return $fieldValue == $date->format('t');
        }

        // Check to see if this is the nearest weekday to a particular value
        if (strpos($value, 'W')) {
            // Parse the target day
            $targetDay = substr($value, 0, strpos($value, 'W'));
            // Find out if the current day is the nearest day of the week
            return $date->format('j') == self::getNearestWeekday(
                $date->format('Y'),
                $date->format('m'),
                $targetDay
            )->format('j');
        }

        return $this->isSatisfied($date->format('d'), $value);
    }

    /**
     * {@inheritdoc}
     */
    public function increment(DateTime $date, $invert = false)
    {
        if ($invert) {
            $date->modify('previous day');
            $date->setTime(23, 59);
        } else {
            $date->modify('next day');
            $date->setTime(0, 0);
        }

        return $this;
    }

    /**
     * {@inheritdoc}
     */
    public function validate($value)
    {
        return (bool) preg_match('/[\*,\/\-\?LW0-9A-Za-z]+/', $value);
    }
}
woocommerce/action-scheduler/lib/WP_Async_Request.php000064400000007340151330736600016776 0ustar00<?php
/**
 * WP Async Request
 *
 * @package WP-Background-Processing
 */
/*
Library URI: https://github.com/deliciousbrains/wp-background-processing/blob/fbbc56f2480910d7959972ec9ec0819a13c6150a/classes/wp-async-request.php
Author: Delicious Brains Inc.
Author URI: https://deliciousbrains.com/
License: GNU General Public License v2.0
License URI: https://github.com/deliciousbrains/wp-background-processing/commit/126d7945dd3d39f39cb6488ca08fe1fb66cb351a
*/

if ( ! class_exists( 'WP_Async_Request' ) ) {

	/**
	 * Abstract WP_Async_Request class.
	 *
	 * @abstract
	 */
	abstract class WP_Async_Request {

		/**
		 * Prefix
		 *
		 * (default value: 'wp')
		 *
		 * @var string
		 * @access protected
		 */
		protected $prefix = 'wp';

		/**
		 * Action
		 *
		 * (default value: 'async_request')
		 *
		 * @var string
		 * @access protected
		 */
		protected $action = 'async_request';

		/**
		 * Identifier
		 *
		 * @var mixed
		 * @access protected
		 */
		protected $identifier;

		/**
		 * Data
		 *
		 * (default value: array())
		 *
		 * @var array
		 * @access protected
		 */
		protected $data = array();

		/**
		 * Initiate new async request
		 */
		public function __construct() {
			$this->identifier = $this->prefix . '_' . $this->action;

			add_action( 'wp_ajax_' . $this->identifier, array( $this, 'maybe_handle' ) );
			add_action( 'wp_ajax_nopriv_' . $this->identifier, array( $this, 'maybe_handle' ) );
		}

		/**
		 * Set data used during the request
		 *
		 * @param array $data Data.
		 *
		 * @return $this
		 */
		public function data( $data ) {
			$this->data = $data;

			return $this;
		}

		/**
		 * Dispatch the async request
		 *
		 * @return array|WP_Error
		 */
		public function dispatch() {
			$url  = add_query_arg( $this->get_query_args(), $this->get_query_url() );
			$args = $this->get_post_args();

			return wp_remote_post( esc_url_raw( $url ), $args );
		}

		/**
		 * Get query args
		 *
		 * @return array
		 */
		protected function get_query_args() {
			if ( property_exists( $this, 'query_args' ) ) {
				return $this->query_args;
			}

			$args = array(
				'action' => $this->identifier,
				'nonce'  => wp_create_nonce( $this->identifier ),
			);

			/**
			 * Filters the post arguments used during an async request.
			 *
			 * @param array $url
			 */
			return apply_filters( $this->identifier . '_query_args', $args );
		}

		/**
		 * Get query URL
		 *
		 * @return string
		 */
		protected function get_query_url() {
			if ( property_exists( $this, 'query_url' ) ) {
				return $this->query_url;
			}

			$url = admin_url( 'admin-ajax.php' );

			/**
			 * Filters the post arguments used during an async request.
			 *
			 * @param string $url
			 */
			return apply_filters( $this->identifier . '_query_url', $url );
		}

		/**
		 * Get post args
		 *
		 * @return array
		 */
		protected function get_post_args() {
			if ( property_exists( $this, 'post_args' ) ) {
				return $this->post_args;
			}

			$args = array(
				'timeout'   => 0.01,
				'blocking'  => false,
				'body'      => $this->data,
				'cookies'   => $_COOKIE,
				'sslverify' => apply_filters( 'https_local_ssl_verify', false ),
			);

			/**
			 * Filters the post arguments used during an async request.
			 *
			 * @param array $args
			 */
			return apply_filters( $this->identifier . '_post_args', $args );
		}

		/**
		 * Maybe handle
		 *
		 * Check for correct nonce and pass to handler.
		 */
		public function maybe_handle() {
			// Don't lock up other requests while processing
			session_write_close();

			check_ajax_referer( $this->identifier, 'nonce' );

			$this->handle();

			wp_die();
		}

		/**
		 * Handle
		 *
		 * Override this method to perform any actions required
		 * during the async request.
		 */
		abstract protected function handle();

	}
}
woocommerce/action-scheduler/deprecated/ActionScheduler_AdminView_Deprecated.php000064400000012507151330736600024275 0ustar00<?php

/**
 * Class ActionScheduler_AdminView_Deprecated
 *
 * Store deprecated public functions previously found in the ActionScheduler_AdminView class.
 * Keeps them out of the way of the main class.
 *
 * @codeCoverageIgnore
 */
class ActionScheduler_AdminView_Deprecated {

	public function action_scheduler_post_type_args( $args ) {
		_deprecated_function( __METHOD__, '2.0.0' );
		return $args;
	}

	/**
	 * Customise the post status related views displayed on the Scheduled Actions administration screen.
	 *
	 * @param array $views An associative array of views and view labels which can be used to filter the 'scheduled-action' posts displayed on the Scheduled Actions administration screen.
	 * @return array $views An associative array of views and view labels which can be used to filter the 'scheduled-action' posts displayed on the Scheduled Actions administration screen.
	 */
	public function list_table_views( $views ) {
		_deprecated_function( __METHOD__, '2.0.0' );
		return $views;
	}

	/**
	 * Do not include the "Edit" action for the Scheduled Actions administration screen.
	 *
	 * Hooked to the 'bulk_actions-edit-action-scheduler' filter.
	 *
	 * @param array $actions An associative array of actions which can be performed on the 'scheduled-action' post type.
	 * @return array $actions An associative array of actions which can be performed on the 'scheduled-action' post type.
	 */
	public function bulk_actions( $actions ) {
		_deprecated_function( __METHOD__, '2.0.0' );
		return $actions;
	}

	/**
	 * Completely customer the columns displayed on the Scheduled Actions administration screen.
	 *
	 * Because we can't filter the content of the default title and date columns, we need to recreate our own
	 * custom columns for displaying those post fields. For the column content, @see self::list_table_column_content().
	 *
	 * @param array $columns An associative array of columns that are use for the table on the Scheduled Actions administration screen.
	 * @return array $columns An associative array of columns that are use for the table on the Scheduled Actions administration screen.
	 */
	public function list_table_columns( $columns ) {
		_deprecated_function( __METHOD__, '2.0.0' );
		return $columns;
	}

	/**
	 * Make our custom title & date columns use defaulting title & date sorting.
	 *
	 * @param array $columns An associative array of columns that can be used to sort the table on the Scheduled Actions administration screen.
	 * @return array $columns An associative array of columns that can be used to sort the table on the Scheduled Actions administration screen.
	 */
	public static function list_table_sortable_columns( $columns ) {
		_deprecated_function( __METHOD__, '2.0.0' );
		return $columns;
	}

	/**
	 * Print the content for our custom columns.
	 *
	 * @param string $column_name The key for the column for which we should output our content.
	 * @param int $post_id The ID of the 'scheduled-action' post for which this row relates.
	 */
	public static function list_table_column_content( $column_name, $post_id ) {
		_deprecated_function( __METHOD__, '2.0.0' );
	}

	/**
	 * Hide the inline "Edit" action for all 'scheduled-action' posts.
	 *
	 * Hooked to the 'post_row_actions' filter.
	 *
	 * @param array $actions An associative array of actions which can be performed on the 'scheduled-action' post type.
	 * @return array $actions An associative array of actions which can be performed on the 'scheduled-action' post type.
	 */
	public static function row_actions( $actions, $post ) {
		_deprecated_function( __METHOD__, '2.0.0' );
		return $actions;
	}

	/**
	 * Run an action when triggered from the Action Scheduler administration screen.
	 *
	 * @codeCoverageIgnore
	 */
	public static function maybe_execute_action() {
		_deprecated_function( __METHOD__, '2.0.0' );
	}

	/**
	 * Convert an interval of seconds into a two part human friendly string.
	 *
	 * The WordPress human_time_diff() function only calculates the time difference to one degree, meaning
	 * even if an action is 1 day and 11 hours away, it will display "1 day". This funciton goes one step
	 * further to display two degrees of accuracy.
	 *
	 * Based on Crontrol::interval() function by Edward Dale: https://wordpress.org/plugins/wp-crontrol/
	 *
	 * @param int $interval A interval in seconds.
	 * @return string A human friendly string representation of the interval.
	 */
	public static function admin_notices() {
		_deprecated_function( __METHOD__, '2.0.0' );
	}

	/**
	 * Filter search queries to allow searching by Claim ID (i.e. post_password).
	 *
	 * @param string $orderby MySQL orderby string.
	 * @param WP_Query $query Instance of a WP_Query object
	 * @return string MySQL orderby string.
	 */
	public function custom_orderby( $orderby, $query ){
		_deprecated_function( __METHOD__, '2.0.0' );
	}

	/**
	 * Filter search queries to allow searching by Claim ID (i.e. post_password).
	 *
	 * @param string $search MySQL search string.
	 * @param WP_Query $query Instance of a WP_Query object
	 * @return string MySQL search string.
	 */
	public function search_post_password( $search, $query ) {
		_deprecated_function( __METHOD__, '2.0.0' );
	}

	/**
	 * Change messages when a scheduled action is updated.
	 *
	 * @param  array $messages
	 * @return array
	 */
	public function post_updated_messages( $messages ) {
		_deprecated_function( __METHOD__, '2.0.0' );
		return $messages;
	}
}woocommerce/action-scheduler/deprecated/ActionScheduler_Abstract_QueueRunner_Deprecated.php000064400000001523151330736600026507 0ustar00<?php

/**
 * Abstract class with common Queue Cleaner functionality.
 */
abstract class ActionScheduler_Abstract_QueueRunner_Deprecated {

	/**
	 * Get the maximum number of seconds a batch can run for.
	 *
	 * @deprecated 2.1.1
	 * @return int The number of seconds.
	 */
	protected function get_maximum_execution_time() {
		_deprecated_function( __METHOD__, '2.1.1', 'ActionScheduler_Abstract_QueueRunner::get_time_limit()' );

		$maximum_execution_time = 30;

		// Apply deprecated filter
		if ( has_filter( 'action_scheduler_maximum_execution_time' ) ) {
			_deprecated_function( 'action_scheduler_maximum_execution_time', '2.1.1', 'action_scheduler_queue_runner_time_limit' );
			$maximum_execution_time = apply_filters( 'action_scheduler_maximum_execution_time', $maximum_execution_time );
		}

		return absint( $maximum_execution_time );
	}
}
woocommerce/action-scheduler/deprecated/ActionScheduler_Store_Deprecated.php000064400000002040151330736600023475 0ustar00<?php

/**
 * Class ActionScheduler_Store_Deprecated
 * @codeCoverageIgnore
 */
abstract class ActionScheduler_Store_Deprecated {

	/**
	 * Mark an action that failed to fetch correctly as failed.
	 *
	 * @since 2.2.6
	 *
	 * @param int $action_id The ID of the action.
	 */
	public function mark_failed_fetch_action( $action_id ) {
		_deprecated_function( __METHOD__, '3.0.0', 'ActionScheduler_Store::mark_failure()' );
		self::$store->mark_failure( $action_id );
	}

	/**
	 * Add base hooks
	 *
	 * @since 2.2.6
	 */
	protected static function hook() {
		_deprecated_function( __METHOD__, '3.0.0' );
	}

	/**
	 * Remove base hooks
	 *
	 * @since 2.2.6
	 */
	protected static function unhook() {
		_deprecated_function( __METHOD__, '3.0.0' );
	}

	/**
	 * Get the site's local time.
	 *
	 * @deprecated 2.1.0
	 * @return DateTimeZone
	 */
	protected function get_local_timezone() {
		_deprecated_function( __FUNCTION__, '2.1.0', 'ActionScheduler_TimezoneHelper::set_local_timezone()' );
		return ActionScheduler_TimezoneHelper::get_local_timezone();
	}
}
woocommerce/action-scheduler/deprecated/ActionScheduler_Schedule_Deprecated.php000064400000001477151330736600024152 0ustar00<?php

/**
 * Class ActionScheduler_Abstract_Schedule
 */
abstract class ActionScheduler_Schedule_Deprecated implements ActionScheduler_Schedule {

	/**
	 * Get the date & time this schedule was created to run, or calculate when it should be run
	 * after a given date & time.
	 *
	 * @param DateTime $after DateTime to calculate against.
	 *
	 * @return DateTime|null
	 */
	public function next( DateTime $after = null ) {
		if ( empty( $after ) ) {
			$return_value       = $this->get_date();
			$replacement_method = 'get_date()';
		} else {
			$return_value       = $this->get_next( $after );
			$replacement_method = 'get_next( $after )';
		}

		_deprecated_function( __METHOD__, '3.0.0', __CLASS__ . '::' . $replacement_method ); // phpcs:ignore WordPress.Security.EscapeOutput.OutputNotEscaped

		return $return_value;
	}
}
woocommerce/action-scheduler/deprecated/functions.php000064400000011766151330736600017154 0ustar00<?php

/**
 * Deprecated API functions for scheduling actions
 *
 * Functions with the wc prefix were deprecated to avoid confusion with
 * Action Scheduler being included in WooCommerce core, and it providing
 * a different set of APIs for working with the action queue.
 */

/**
 * Schedule an action to run one time
 *
 * @param int $timestamp When the job will run
 * @param string $hook The hook to trigger
 * @param array $args Arguments to pass when the hook triggers
 * @param string $group The group to assign this job to
 *
 * @return string The job ID
 */
function wc_schedule_single_action( $timestamp, $hook, $args = array(), $group = '' ) {
	_deprecated_function( __FUNCTION__, '2.1.0', 'as_schedule_single_action()' );
	return as_schedule_single_action( $timestamp, $hook, $args, $group );
}

/**
 * Schedule a recurring action
 *
 * @param int $timestamp When the first instance of the job will run
 * @param int $interval_in_seconds How long to wait between runs
 * @param string $hook The hook to trigger
 * @param array $args Arguments to pass when the hook triggers
 * @param string $group The group to assign this job to
 *
 * @deprecated 2.1.0
 *
 * @return string The job ID
 */
function wc_schedule_recurring_action( $timestamp, $interval_in_seconds, $hook, $args = array(), $group = '' ) {
	_deprecated_function( __FUNCTION__, '2.1.0', 'as_schedule_recurring_action()' );
	return as_schedule_recurring_action( $timestamp, $interval_in_seconds, $hook, $args, $group );
}

/**
 * Schedule an action that recurs on a cron-like schedule.
 *
 * @param int $timestamp The schedule will start on or after this time
 * @param string $schedule A cron-link schedule string
 * @see http://en.wikipedia.org/wiki/Cron
 *   *    *    *    *    *    *
 *   ┬    ┬    ┬    ┬    ┬    ┬
 *   |    |    |    |    |    |
 *   |    |    |    |    |    + year [optional]
 *   |    |    |    |    +----- day of week (0 - 7) (Sunday=0 or 7)
 *   |    |    |    +---------- month (1 - 12)
 *   |    |    +--------------- day of month (1 - 31)
 *   |    +-------------------- hour (0 - 23)
 *   +------------------------- min (0 - 59)
 * @param string $hook The hook to trigger
 * @param array $args Arguments to pass when the hook triggers
 * @param string $group The group to assign this job to
 *
 * @deprecated 2.1.0
 *
 * @return string The job ID
 */
function wc_schedule_cron_action( $timestamp, $schedule, $hook, $args = array(), $group = '' ) {
	_deprecated_function( __FUNCTION__, '2.1.0', 'as_schedule_cron_action()' );
	return as_schedule_cron_action( $timestamp, $schedule, $hook, $args, $group );
}

/**
 * Cancel the next occurrence of a job.
 *
 * @param string $hook The hook that the job will trigger
 * @param array $args Args that would have been passed to the job
 * @param string $group
 *
 * @deprecated 2.1.0
 */
function wc_unschedule_action( $hook, $args = array(), $group = '' ) {
	_deprecated_function( __FUNCTION__, '2.1.0', 'as_unschedule_action()' );
	as_unschedule_action( $hook, $args, $group );
}

/**
 * @param string $hook
 * @param array $args
 * @param string $group
 *
 * @deprecated 2.1.0
 *
 * @return int|bool The timestamp for the next occurrence, or false if nothing was found
 */
function wc_next_scheduled_action( $hook, $args = NULL, $group = '' ) {
	_deprecated_function( __FUNCTION__, '2.1.0', 'as_next_scheduled_action()' );
	return as_next_scheduled_action( $hook, $args, $group );
}

/**
 * Find scheduled actions
 *
 * @param array $args Possible arguments, with their default values:
 *        'hook' => '' - the name of the action that will be triggered
 *        'args' => NULL - the args array that will be passed with the action
 *        'date' => NULL - the scheduled date of the action. Expects a DateTime object, a unix timestamp, or a string that can parsed with strtotime(). Used in UTC timezone.
 *        'date_compare' => '<=' - operator for testing "date". accepted values are '!=', '>', '>=', '<', '<=', '='
 *        'modified' => NULL - the date the action was last updated. Expects a DateTime object, a unix timestamp, or a string that can parsed with strtotime(). Used in UTC timezone.
 *        'modified_compare' => '<=' - operator for testing "modified". accepted values are '!=', '>', '>=', '<', '<=', '='
 *        'group' => '' - the group the action belongs to
 *        'status' => '' - ActionScheduler_Store::STATUS_COMPLETE or ActionScheduler_Store::STATUS_PENDING
 *        'claimed' => NULL - TRUE to find claimed actions, FALSE to find unclaimed actions, a string to find a specific claim ID
 *        'per_page' => 5 - Number of results to return
 *        'offset' => 0
 *        'orderby' => 'date' - accepted values are 'hook', 'group', 'modified', or 'date'
 *        'order' => 'ASC'
 * @param string $return_format OBJECT, ARRAY_A, or ids
 *
 * @deprecated 2.1.0
 *
 * @return array
 */
function wc_get_scheduled_actions( $args = array(), $return_format = OBJECT ) {
	_deprecated_function( __FUNCTION__, '2.1.0', 'as_get_scheduled_actions()' );
	return as_get_scheduled_actions( $args, $return_format );
}
autoload.php000064400000000262151330736600007071 0ustar00<?php

// autoload.php @generated by Composer

require_once __DIR__ . '/composer/autoload_real.php';

return ComposerAutoloaderInit830b4242f52dcda28eda3141289ea4bf::getLoader();
symfony/css-selector/Tests/Node/NegationNodeTest.php000064400000001663151332455420016602 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\ClassNode;
use Symfony\Component\CssSelector\Node\NegationNode;
use Symfony\Component\CssSelector\Node\ElementNode;

class NegationNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new NegationNode(new ElementNode(), new ClassNode(new ElementNode(), 'class')), 'Negation[Element[*]:not(Class[Element[*].class])]'),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new NegationNode(new ElementNode(), new ClassNode(new ElementNode(), 'class')), 10),
        );
    }
}
symfony/css-selector/Tests/Node/AbstractNodeTest.php000064400000001717151332455420016601 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Node\NodeInterface;

abstract class AbstractNodeTest extends TestCase
{
    /** @dataProvider getToStringConversionTestData */
    public function testToStringConversion(NodeInterface $node, $representation)
    {
        $this->assertEquals($representation, (string) $node);
    }

    /** @dataProvider getSpecificityValueTestData */
    public function testSpecificityValue(NodeInterface $node, $value)
    {
        $this->assertEquals($value, $node->getSpecificity()->getValue());
    }

    abstract public function getToStringConversionTestData();

    abstract public function getSpecificityValueTestData();
}
symfony/css-selector/Tests/Node/ClassNodeTest.php000064400000001550151332455420016076 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\ClassNode;
use Symfony\Component\CssSelector\Node\ElementNode;

class ClassNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new ClassNode(new ElementNode(), 'class'), 'Class[Element[*].class]'),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new ClassNode(new ElementNode(), 'class'), 10),
            array(new ClassNode(new ElementNode(null, 'element'), 'class'), 11),
        );
    }
}
symfony/css-selector/Tests/Node/CombinedSelectorNodeTest.php000064400000002343151332455420020253 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\CombinedSelectorNode;
use Symfony\Component\CssSelector\Node\ElementNode;

class CombinedSelectorNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new CombinedSelectorNode(new ElementNode(), '>', new ElementNode()), 'CombinedSelector[Element[*] > Element[*]]'),
            array(new CombinedSelectorNode(new ElementNode(), ' ', new ElementNode()), 'CombinedSelector[Element[*] <followed> Element[*]]'),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new CombinedSelectorNode(new ElementNode(), '>', new ElementNode()), 0),
            array(new CombinedSelectorNode(new ElementNode(null, 'element'), '>', new ElementNode()), 1),
            array(new CombinedSelectorNode(new ElementNode(null, 'element'), '>', new ElementNode(null, 'element')), 2),
        );
    }
}
symfony/css-selector/Tests/Node/FunctionNodeTest.php000064400000003242151332455420016616 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\ElementNode;
use Symfony\Component\CssSelector\Node\FunctionNode;
use Symfony\Component\CssSelector\Parser\Token;

class FunctionNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new FunctionNode(new ElementNode(), 'function'), 'Function[Element[*]:function()]'),
            array(new FunctionNode(new ElementNode(), 'function', array(
                new Token(Token::TYPE_IDENTIFIER, 'value', 0),
            )), "Function[Element[*]:function(['value'])]"),
            array(new FunctionNode(new ElementNode(), 'function', array(
                new Token(Token::TYPE_STRING, 'value1', 0),
                new Token(Token::TYPE_NUMBER, 'value2', 0),
            )), "Function[Element[*]:function(['value1', 'value2'])]"),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new FunctionNode(new ElementNode(), 'function'), 10),
            array(new FunctionNode(new ElementNode(), 'function', array(
                new Token(Token::TYPE_IDENTIFIER, 'value', 0),
            )), 10),
            array(new FunctionNode(new ElementNode(), 'function', array(
                new Token(Token::TYPE_STRING, 'value1', 0),
                new Token(Token::TYPE_NUMBER, 'value2', 0),
            )), 10),
        );
    }
}
symfony/css-selector/Tests/Node/HashNodeTest.php000064400000001526151332455420015717 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\HashNode;
use Symfony\Component\CssSelector\Node\ElementNode;

class HashNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new HashNode(new ElementNode(), 'id'), 'Hash[Element[*]#id]'),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new HashNode(new ElementNode(), 'id'), 100),
            array(new HashNode(new ElementNode(null, 'id'), 'class'), 101),
        );
    }
}
symfony/css-selector/Tests/Node/ElementNodeTest.php000064400000001703151332455420016422 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\ElementNode;

class ElementNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new ElementNode(), 'Element[*]'),
            array(new ElementNode(null, 'element'), 'Element[element]'),
            array(new ElementNode('namespace', 'element'), 'Element[namespace|element]'),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new ElementNode(), 0),
            array(new ElementNode(null, 'element'), 1),
            array(new ElementNode('namespace', 'element'), 1),
        );
    }
}
symfony/css-selector/Tests/Node/AttributeNodeTest.php000064400000002675151332455420017005 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\AttributeNode;
use Symfony\Component\CssSelector\Node\ElementNode;

class AttributeNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new AttributeNode(new ElementNode(), null, 'attribute', 'exists', null), 'Attribute[Element[*][attribute]]'),
            array(new AttributeNode(new ElementNode(), null, 'attribute', '$=', 'value'), "Attribute[Element[*][attribute $= 'value']]"),
            array(new AttributeNode(new ElementNode(), 'namespace', 'attribute', '$=', 'value'), "Attribute[Element[*][namespace|attribute $= 'value']]"),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new AttributeNode(new ElementNode(), null, 'attribute', 'exists', null), 10),
            array(new AttributeNode(new ElementNode(null, 'element'), null, 'attribute', 'exists', null), 11),
            array(new AttributeNode(new ElementNode(), null, 'attribute', '$=', 'value'), 10),
            array(new AttributeNode(new ElementNode(), 'namespace', 'attribute', '$=', 'value'), 10),
        );
    }
}
symfony/css-selector/Tests/Node/SelectorNodeTest.php000064400000001664151332455420016617 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\ElementNode;
use Symfony\Component\CssSelector\Node\SelectorNode;

class SelectorNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new SelectorNode(new ElementNode()), 'Selector[Element[*]]'),
            array(new SelectorNode(new ElementNode(), 'pseudo'), 'Selector[Element[*]::pseudo]'),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new SelectorNode(new ElementNode()), 0),
            array(new SelectorNode(new ElementNode(), 'pseudo'), 1),
        );
    }
}
symfony/css-selector/Tests/Node/PseudoNodeTest.php000064400000001437151332455420016274 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use Symfony\Component\CssSelector\Node\ElementNode;
use Symfony\Component\CssSelector\Node\PseudoNode;

class PseudoNodeTest extends AbstractNodeTest
{
    public function getToStringConversionTestData()
    {
        return array(
            array(new PseudoNode(new ElementNode(), 'pseudo'), 'Pseudo[Element[*]:pseudo]'),
        );
    }

    public function getSpecificityValueTestData()
    {
        return array(
            array(new PseudoNode(new ElementNode(), 'pseudo'), 10),
        );
    }
}
symfony/css-selector/Tests/Node/SpecificityTest.php000064400000004204151332455420016475 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Node;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Node\Specificity;

class SpecificityTest extends TestCase
{
    /** @dataProvider getValueTestData */
    public function testValue(Specificity $specificity, $value)
    {
        $this->assertEquals($value, $specificity->getValue());
    }

    /** @dataProvider getValueTestData */
    public function testPlusValue(Specificity $specificity, $value)
    {
        $this->assertEquals($value + 123, $specificity->plus(new Specificity(1, 2, 3))->getValue());
    }

    public function getValueTestData()
    {
        return array(
            array(new Specificity(0, 0, 0), 0),
            array(new Specificity(0, 0, 2), 2),
            array(new Specificity(0, 3, 0), 30),
            array(new Specificity(4, 0, 0), 400),
            array(new Specificity(4, 3, 2), 432),
        );
    }

    /** @dataProvider getCompareTestData */
    public function testCompareTo(Specificity $a, Specificity $b, $result)
    {
        $this->assertEquals($result, $a->compareTo($b));
    }

    public function getCompareTestData()
    {
        return array(
            array(new Specificity(0, 0, 0), new Specificity(0, 0, 0), 0),
            array(new Specificity(0, 0, 1), new Specificity(0, 0, 1), 0),
            array(new Specificity(0, 0, 2), new Specificity(0, 0, 1), 1),
            array(new Specificity(0, 0, 2), new Specificity(0, 0, 3), -1),
            array(new Specificity(0, 4, 0), new Specificity(0, 4, 0), 0),
            array(new Specificity(0, 6, 0), new Specificity(0, 5, 11), 1),
            array(new Specificity(0, 7, 0), new Specificity(0, 8, 0), -1),
            array(new Specificity(9, 0, 0), new Specificity(9, 0, 0), 0),
            array(new Specificity(11, 0, 0), new Specificity(10, 11, 0), 1),
            array(new Specificity(12, 11, 0), new Specificity(13, 0, 0), -1),
        );
    }
}
symfony/css-selector/Tests/XPath/TranslatorTest.php000064400000041515151332455420016520 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\XPath;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\XPath\Extension\HtmlExtension;
use Symfony\Component\CssSelector\XPath\Translator;

class TranslatorTest extends TestCase
{
    /** @dataProvider getXpathLiteralTestData */
    public function testXpathLiteral($value, $literal)
    {
        $this->assertEquals($literal, Translator::getXpathLiteral($value));
    }

    /** @dataProvider getCssToXPathTestData */
    public function testCssToXPath($css, $xpath)
    {
        $translator = new Translator();
        $translator->registerExtension(new HtmlExtension($translator));
        $this->assertEquals($xpath, $translator->cssToXPath($css, ''));
    }

    /** @dataProvider getXmlLangTestData */
    public function testXmlLang($css, array $elementsId)
    {
        $translator = new Translator();
        $document = new \SimpleXMLElement(file_get_contents(__DIR__.'/Fixtures/lang.xml'));
        $elements = $document->xpath($translator->cssToXPath($css));
        $this->assertEquals(count($elementsId), count($elements));
        foreach ($elements as $element) {
            $this->assertTrue(in_array($element->attributes()->id, $elementsId));
        }
    }

    /** @dataProvider getHtmlIdsTestData */
    public function testHtmlIds($css, array $elementsId)
    {
        $translator = new Translator();
        $translator->registerExtension(new HtmlExtension($translator));
        $document = new \DOMDocument();
        $document->strictErrorChecking = false;
        $internalErrors = libxml_use_internal_errors(true);
        $document->loadHTMLFile(__DIR__.'/Fixtures/ids.html');
        $document = simplexml_import_dom($document);
        $elements = $document->xpath($translator->cssToXPath($css));
        $this->assertCount(count($elementsId), $elementsId);
        foreach ($elements as $element) {
            if (null !== $element->attributes()->id) {
                $this->assertTrue(in_array($element->attributes()->id, $elementsId));
            }
        }
        libxml_clear_errors();
        libxml_use_internal_errors($internalErrors);
    }

    /** @dataProvider getHtmlShakespearTestData */
    public function testHtmlShakespear($css, $count)
    {
        $translator = new Translator();
        $translator->registerExtension(new HtmlExtension($translator));
        $document = new \DOMDocument();
        $document->strictErrorChecking = false;
        $document->loadHTMLFile(__DIR__.'/Fixtures/shakespear.html');
        $document = simplexml_import_dom($document);
        $bodies = $document->xpath('//body');
        $elements = $bodies[0]->xpath($translator->cssToXPath($css));
        $this->assertCount($count, $elements);
    }

    public function getXpathLiteralTestData()
    {
        return array(
            array('foo', "'foo'"),
            array("foo's bar", '"foo\'s bar"'),
            array("foo's \"middle\" bar", 'concat(\'foo\', "\'", \'s "middle" bar\')'),
            array("foo's 'middle' \"bar\"", 'concat(\'foo\', "\'", \'s \', "\'", \'middle\', "\'", \' "bar"\')'),
        );
    }

    public function getCssToXPathTestData()
    {
        return array(
            array('*', '*'),
            array('e', 'e'),
            array('*|e', 'e'),
            array('e|f', 'e:f'),
            array('e[foo]', 'e[@foo]'),
            array('e[foo|bar]', 'e[@foo:bar]'),
            array('e[foo="bar"]', "e[@foo = 'bar']"),
            array('e[foo~="bar"]', "e[@foo and contains(concat(' ', normalize-space(@foo), ' '), ' bar ')]"),
            array('e[foo^="bar"]', "e[@foo and starts-with(@foo, 'bar')]"),
            array('e[foo$="bar"]', "e[@foo and substring(@foo, string-length(@foo)-2) = 'bar']"),
            array('e[foo*="bar"]', "e[@foo and contains(@foo, 'bar')]"),
            array('e[hreflang|="en"]', "e[@hreflang and (@hreflang = 'en' or starts-with(@hreflang, 'en-'))]"),
            array('e:nth-child(1)', "*/*[name() = 'e' and (position() = 1)]"),
            array('e:nth-last-child(1)', "*/*[name() = 'e' and (position() = last() - 0)]"),
            array('e:nth-last-child(2n+2)', "*/*[name() = 'e' and (last() - position() - 1 >= 0 and (last() - position() - 1) mod 2 = 0)]"),
            array('e:nth-of-type(1)', '*/e[position() = 1]'),
            array('e:nth-last-of-type(1)', '*/e[position() = last() - 0]'),
            array('div e:nth-last-of-type(1) .aclass', "div/descendant-or-self::*/e[position() = last() - 0]/descendant-or-self::*/*[@class and contains(concat(' ', normalize-space(@class), ' '), ' aclass ')]"),
            array('e:first-child', "*/*[name() = 'e' and (position() = 1)]"),
            array('e:last-child', "*/*[name() = 'e' and (position() = last())]"),
            array('e:first-of-type', '*/e[position() = 1]'),
            array('e:last-of-type', '*/e[position() = last()]'),
            array('e:only-child', "*/*[name() = 'e' and (last() = 1)]"),
            array('e:only-of-type', 'e[last() = 1]'),
            array('e:empty', 'e[not(*) and not(string-length())]'),
            array('e:EmPTY', 'e[not(*) and not(string-length())]'),
            array('e:root', 'e[not(parent::*)]'),
            array('e:hover', 'e[0]'),
            array('e:contains("foo")', "e[contains(string(.), 'foo')]"),
            array('e:ConTains(foo)', "e[contains(string(.), 'foo')]"),
            array('e.warning', "e[@class and contains(concat(' ', normalize-space(@class), ' '), ' warning ')]"),
            array('e#myid', "e[@id = 'myid']"),
            array('e:not(:nth-child(odd))', 'e[not(position() - 1 >= 0 and (position() - 1) mod 2 = 0)]'),
            array('e:nOT(*)', 'e[0]'),
            array('e f', 'e/descendant-or-self::*/f'),
            array('e > f', 'e/f'),
            array('e + f', "e/following-sibling::*[name() = 'f' and (position() = 1)]"),
            array('e ~ f', 'e/following-sibling::f'),
            array('div#container p', "div[@id = 'container']/descendant-or-self::*/p"),
        );
    }

    public function getXmlLangTestData()
    {
        return array(
            array(':lang("EN")', array('first', 'second', 'third', 'fourth')),
            array(':lang("en-us")', array('second', 'fourth')),
            array(':lang(en-nz)', array('third')),
            array(':lang(fr)', array('fifth')),
            array(':lang(ru)', array('sixth')),
            array(":lang('ZH')", array('eighth')),
            array(':lang(de) :lang(zh)', array('eighth')),
            array(':lang(en), :lang(zh)', array('first', 'second', 'third', 'fourth', 'eighth')),
            array(':lang(es)', array()),
        );
    }

    public function getHtmlIdsTestData()
    {
        return array(
            array('div', array('outer-div', 'li-div', 'foobar-div')),
            array('DIV', array('outer-div', 'li-div', 'foobar-div')),  // case-insensitive in HTML
            array('div div', array('li-div')),
            array('div, div div', array('outer-div', 'li-div', 'foobar-div')),
            array('a[name]', array('name-anchor')),
            array('a[NAme]', array('name-anchor')), // case-insensitive in HTML:
            array('a[rel]', array('tag-anchor', 'nofollow-anchor')),
            array('a[rel="tag"]', array('tag-anchor')),
            array('a[href*="localhost"]', array('tag-anchor')),
            array('a[href*=""]', array()),
            array('a[href^="http"]', array('tag-anchor', 'nofollow-anchor')),
            array('a[href^="http:"]', array('tag-anchor')),
            array('a[href^=""]', array()),
            array('a[href$="org"]', array('nofollow-anchor')),
            array('a[href$=""]', array()),
            array('div[foobar~="bc"]', array('foobar-div')),
            array('div[foobar~="cde"]', array('foobar-div')),
            array('[foobar~="ab bc"]', array('foobar-div')),
            array('[foobar~=""]', array()),
            array('[foobar~=" \t"]', array()),
            array('div[foobar~="cd"]', array()),
            array('*[lang|="En"]', array('second-li')),
            array('[lang|="En-us"]', array('second-li')),
            // Attribute values are case sensitive
            array('*[lang|="en"]', array()),
            array('[lang|="en-US"]', array()),
            array('*[lang|="e"]', array()),
            // ... :lang() is not.
            array(':lang("EN")', array('second-li', 'li-div')),
            array('*:lang(en-US)', array('second-li', 'li-div')),
            array(':lang("e")', array()),
            array('li:nth-child(3)', array('third-li')),
            array('li:nth-child(10)', array()),
            array('li:nth-child(2n)', array('second-li', 'fourth-li', 'sixth-li')),
            array('li:nth-child(even)', array('second-li', 'fourth-li', 'sixth-li')),
            array('li:nth-child(2n+0)', array('second-li', 'fourth-li', 'sixth-li')),
            array('li:nth-child(+2n+1)', array('first-li', 'third-li', 'fifth-li', 'seventh-li')),
            array('li:nth-child(odd)', array('first-li', 'third-li', 'fifth-li', 'seventh-li')),
            array('li:nth-child(2n+4)', array('fourth-li', 'sixth-li')),
            array('li:nth-child(3n+1)', array('first-li', 'fourth-li', 'seventh-li')),
            array('li:nth-child(n)', array('first-li', 'second-li', 'third-li', 'fourth-li', 'fifth-li', 'sixth-li', 'seventh-li')),
            array('li:nth-child(n-1)', array('first-li', 'second-li', 'third-li', 'fourth-li', 'fifth-li', 'sixth-li', 'seventh-li')),
            array('li:nth-child(n+1)', array('first-li', 'second-li', 'third-li', 'fourth-li', 'fifth-li', 'sixth-li', 'seventh-li')),
            array('li:nth-child(n+3)', array('third-li', 'fourth-li', 'fifth-li', 'sixth-li', 'seventh-li')),
            array('li:nth-child(-n)', array()),
            array('li:nth-child(-n-1)', array()),
            array('li:nth-child(-n+1)', array('first-li')),
            array('li:nth-child(-n+3)', array('first-li', 'second-li', 'third-li')),
            array('li:nth-last-child(0)', array()),
            array('li:nth-last-child(2n)', array('second-li', 'fourth-li', 'sixth-li')),
            array('li:nth-last-child(even)', array('second-li', 'fourth-li', 'sixth-li')),
            array('li:nth-last-child(2n+2)', array('second-li', 'fourth-li', 'sixth-li')),
            array('li:nth-last-child(n)', array('first-li', 'second-li', 'third-li', 'fourth-li', 'fifth-li', 'sixth-li', 'seventh-li')),
            array('li:nth-last-child(n-1)', array('first-li', 'second-li', 'third-li', 'fourth-li', 'fifth-li', 'sixth-li', 'seventh-li')),
            array('li:nth-last-child(n-3)', array('first-li', 'second-li', 'third-li', 'fourth-li', 'fifth-li', 'sixth-li', 'seventh-li')),
            array('li:nth-last-child(n+1)', array('first-li', 'second-li', 'third-li', 'fourth-li', 'fifth-li', 'sixth-li', 'seventh-li')),
            array('li:nth-last-child(n+3)', array('first-li', 'second-li', 'third-li', 'fourth-li', 'fifth-li')),
            array('li:nth-last-child(-n)', array()),
            array('li:nth-last-child(-n-1)', array()),
            array('li:nth-last-child(-n+1)', array('seventh-li')),
            array('li:nth-last-child(-n+3)', array('fifth-li', 'sixth-li', 'seventh-li')),
            array('ol:first-of-type', array('first-ol')),
            array('ol:nth-child(1)', array('first-ol')),
            array('ol:nth-of-type(2)', array('second-ol')),
            array('ol:nth-last-of-type(1)', array('second-ol')),
            array('span:only-child', array('foobar-span')),
            array('li div:only-child', array('li-div')),
            array('div *:only-child', array('li-div', 'foobar-span')),
            array('p:only-of-type', array('paragraph')),
            array('a:empty', array('name-anchor')),
            array('a:EMpty', array('name-anchor')),
            array('li:empty', array('third-li', 'fourth-li', 'fifth-li', 'sixth-li')),
            array(':root', array('html')),
            array('html:root', array('html')),
            array('li:root', array()),
            array('* :root', array()),
            array('*:contains("link")', array('html', 'outer-div', 'tag-anchor', 'nofollow-anchor')),
            array(':CONtains("link")', array('html', 'outer-div', 'tag-anchor', 'nofollow-anchor')),
            array('*:contains("LInk")', array()),  // case sensitive
            array('*:contains("e")', array('html', 'nil', 'outer-div', 'first-ol', 'first-li', 'paragraph', 'p-em')),
            array('*:contains("E")', array()),  // case-sensitive
            array('.a', array('first-ol')),
            array('.b', array('first-ol')),
            array('*.a', array('first-ol')),
            array('ol.a', array('first-ol')),
            array('.c', array('first-ol', 'third-li', 'fourth-li')),
            array('*.c', array('first-ol', 'third-li', 'fourth-li')),
            array('ol *.c', array('third-li', 'fourth-li')),
            array('ol li.c', array('third-li', 'fourth-li')),
            array('li ~ li.c', array('third-li', 'fourth-li')),
            array('ol > li.c', array('third-li', 'fourth-li')),
            array('#first-li', array('first-li')),
            array('li#first-li', array('first-li')),
            array('*#first-li', array('first-li')),
            array('li div', array('li-div')),
            array('li > div', array('li-div')),
            array('div div', array('li-div')),
            array('div > div', array()),
            array('div>.c', array('first-ol')),
            array('div > .c', array('first-ol')),
            array('div + div', array('foobar-div')),
            array('a ~ a', array('tag-anchor', 'nofollow-anchor')),
            array('a[rel="tag"] ~ a', array('nofollow-anchor')),
            array('ol#first-ol li:last-child', array('seventh-li')),
            array('ol#first-ol *:last-child', array('li-div', 'seventh-li')),
            array('#outer-div:first-child', array('outer-div')),
            array('#outer-div :first-child', array('name-anchor', 'first-li', 'li-div', 'p-b', 'checkbox-fieldset-disabled', 'area-href')),
            array('a[href]', array('tag-anchor', 'nofollow-anchor')),
            array(':not(*)', array()),
            array('a:not([href])', array('name-anchor')),
            array('ol :Not(li[class])', array('first-li', 'second-li', 'li-div', 'fifth-li', 'sixth-li', 'seventh-li')),
            // HTML-specific
            array(':link', array('link-href', 'tag-anchor', 'nofollow-anchor', 'area-href')),
            array(':visited', array()),
            array(':enabled', array('link-href', 'tag-anchor', 'nofollow-anchor', 'checkbox-unchecked', 'text-checked', 'checkbox-checked', 'area-href')),
            array(':disabled', array('checkbox-disabled', 'checkbox-disabled-checked', 'fieldset', 'checkbox-fieldset-disabled')),
            array(':checked', array('checkbox-checked', 'checkbox-disabled-checked')),
        );
    }

    public function getHtmlShakespearTestData()
    {
        return array(
            array('*', 246),
            array('div:contains(CELIA)', 26),
            array('div:only-child', 22), // ?
            array('div:nth-child(even)', 106),
            array('div:nth-child(2n)', 106),
            array('div:nth-child(odd)', 137),
            array('div:nth-child(2n+1)', 137),
            array('div:nth-child(n)', 243),
            array('div:last-child', 53),
            array('div:first-child', 51),
            array('div > div', 242),
            array('div + div', 190),
            array('div ~ div', 190),
            array('body', 1),
            array('body div', 243),
            array('div', 243),
            array('div div', 242),
            array('div div div', 241),
            array('div, div, div', 243),
            array('div, a, span', 243),
            array('.dialog', 51),
            array('div.dialog', 51),
            array('div .dialog', 51),
            array('div.character, div.dialog', 99),
            array('div.direction.dialog', 0),
            array('div.dialog.direction', 0),
            array('div.dialog.scene', 1),
            array('div.scene.scene', 1),
            array('div.scene .scene', 0),
            array('div.direction .dialog ', 0),
            array('div .dialog .direction', 4),
            array('div.dialog .dialog .direction', 4),
            array('#speech5', 1),
            array('div#speech5', 1),
            array('div #speech5', 1),
            array('div.scene div.dialog', 49),
            array('div#scene1 div.dialog div', 142),
            array('#scene1 #speech1', 1),
            array('div[class]', 103),
            array('div[class=dialog]', 50),
            array('div[class^=dia]', 51),
            array('div[class$=log]', 50),
            array('div[class*=sce]', 1),
            array('div[class|=dialog]', 50), // ? Seems right
            array('div[class!=madeup]', 243), // ? Seems right
            array('div[class~=dialog]', 51), // ? Seems right
        );
    }
}
symfony/css-selector/Tests/XPath/Fixtures/ids.html000064400000003067151332455420016274 0ustar00<html id="html"><head>
  <link id="link-href" href="foo" />
  <link id="link-nohref" />
</head><body>
<div id="outer-div">
 <a id="name-anchor" name="foo"></a>
 <a id="tag-anchor" rel="tag" href="http://localhost/foo">link</a>
 <a id="nofollow-anchor" rel="nofollow" href="https://example.org">
    link</a>
 <ol id="first-ol" class="a b c">
   <li id="first-li">content</li>
   <li id="second-li" lang="En-us">
     <div id="li-div">
     </div>
   </li>
   <li id="third-li" class="ab c"></li>
   <li id="fourth-li" class="ab
c"></li>
   <li id="fifth-li"></li>
   <li id="sixth-li"></li>
   <li id="seventh-li">  </li>
 </ol>
 <p id="paragraph">
   <b id="p-b">hi</b> <em id="p-em">there</em>
   <b id="p-b2">guy</b>
   <input type="checkbox" id="checkbox-unchecked" />
   <input type="checkbox" id="checkbox-disabled" disabled="" />
   <input type="text" id="text-checked" checked="checked" />
   <input type="hidden" />
   <input type="hidden" disabled="disabled" />
   <input type="checkbox" id="checkbox-checked" checked="checked" />
   <input type="checkbox" id="checkbox-disabled-checked"
          disabled="disabled" checked="checked" />
   <fieldset id="fieldset" disabled="disabled">
     <input type="checkbox" id="checkbox-fieldset-disabled" />
     <input type="hidden" />
   </fieldset>
 </p>
 <ol id="second-ol">
 </ol>
 <map name="dummymap">
   <area shape="circle" coords="200,250,25" href="foo.html" id="area-href" />
   <area shape="default" id="area-nohref" />
 </map>
</div>
<div id="foobar-div" foobar="ab bc
cde"><span id="foobar-span"></span></div>
</body></html>
symfony/css-selector/Tests/XPath/Fixtures/shakespear.html000064400000035204151332455420017641 0ustar00<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
	"http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en" debug="true">
<head>
	<meta http-equiv="Content-Type" content="text/html; charset=utf-8"/>
</head>
<body>
	<div id="test">
	<div class="dialog">
	<h2>As You Like It</h2>
	<div id="playwright">
	  by William Shakespeare
	</div>
	<div class="dialog scene thirdClass" id="scene1">
	  <h3>ACT I, SCENE III. A room in the palace.</h3>
	  <div class="dialog">
	  <div class="direction">Enter CELIA and ROSALIND</div>
	  </div>
	  <div id="speech1" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.1">Why, cousin! why, Rosalind! Cupid have mercy! not a word?</div>
	  </div>
	  <div id="speech2" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.2">Not one to throw at a dog.</div>
	  </div>
	  <div id="speech3" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.3">No, thy words are too precious to be cast away upon</div>
	  <div id="scene1.3.4">curs; throw some of them at me; come, lame me with reasons.</div>
	  </div>
	  <div id="speech4" class="character">ROSALIND</div>
	  <div id="speech5" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.8">But is all this for your father?</div>
	  </div>
	  <div class="dialog">
	  <div id="scene1.3.5">Then there were two cousins laid up; when the one</div>
	  <div id="scene1.3.6">should be lamed with reasons and the other mad</div>
	  <div id="scene1.3.7">without any.</div>
	  </div>
	  <div id="speech6" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.9">No, some of it is for my child's father. O, how</div>
	  <div id="scene1.3.10">full of briers is this working-day world!</div>
	  </div>
	  <div id="speech7" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.11">They are but burs, cousin, thrown upon thee in</div>
	  <div id="scene1.3.12">holiday foolery: if we walk not in the trodden</div>
	  <div id="scene1.3.13">paths our very petticoats will catch them.</div>
	  </div>
	  <div id="speech8" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.14">I could shake them off my coat: these burs are in my heart.</div>
	  </div>
	  <div id="speech9" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.15">Hem them away.</div>
	  </div>
	  <div id="speech10" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.16">I would try, if I could cry 'hem' and have him.</div>
	  </div>
	  <div id="speech11" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.17">Come, come, wrestle with thy affections.</div>
	  </div>
	  <div id="speech12" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.18">O, they take the part of a better wrestler than myself!</div>
	  </div>
	  <div id="speech13" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.19">O, a good wish upon you! you will try in time, in</div>
	  <div id="scene1.3.20">despite of a fall. But, turning these jests out of</div>
	  <div id="scene1.3.21">service, let us talk in good earnest: is it</div>
	  <div id="scene1.3.22">possible, on such a sudden, you should fall into so</div>
	  <div id="scene1.3.23">strong a liking with old Sir Rowland's youngest son?</div>
	  </div>
	  <div id="speech14" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.24">The duke my father loved his father dearly.</div>
	  </div>
	  <div id="speech15" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.25">Doth it therefore ensue that you should love his son</div>
	  <div id="scene1.3.26">dearly? By this kind of chase, I should hate him,</div>
	  <div id="scene1.3.27">for my father hated his father dearly; yet I hate</div>
	  <div id="scene1.3.28">not Orlando.</div>
	  </div>
	  <div id="speech16" class="character">ROSALIND</div>
	  <div title="wtf" class="dialog">
	  <div id="scene1.3.29">No, faith, hate him not, for my sake.</div>
	  </div>
	  <div id="speech17" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.30">Why should I not? doth he not deserve well?</div>
	  </div>
	  <div id="speech18" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.31">Let me love him for that, and do you love him</div>
	  <div id="scene1.3.32">because I do. Look, here comes the duke.</div>
	  </div>
	  <div id="speech19" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.33">With his eyes full of anger.</div>
	  <div class="direction">Enter DUKE FREDERICK, with Lords</div>
	  </div>
	  <div id="speech20" class="character">DUKE FREDERICK</div>
	  <div class="dialog">
	  <div id="scene1.3.34">Mistress, dispatch you with your safest haste</div>
	  <div id="scene1.3.35">And get you from our court.</div>
	  </div>
	  <div id="speech21" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.36">Me, uncle?</div>
	  </div>
	  <div id="speech22" class="character">DUKE FREDERICK</div>
	  <div class="dialog">
	  <div id="scene1.3.37">You, cousin</div>
	  <div id="scene1.3.38">Within these ten days if that thou be'st found</div>
	  <div id="scene1.3.39">So near our public court as twenty miles,</div>
	  <div id="scene1.3.40">Thou diest for it.</div>
	  </div>
	  <div id="speech23" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.41">                  I do beseech your grace,</div>
	  <div id="scene1.3.42">Let me the knowledge of my fault bear with me:</div>
	  <div id="scene1.3.43">If with myself I hold intelligence</div>
	  <div id="scene1.3.44">Or have acquaintance with mine own desires,</div>
	  <div id="scene1.3.45">If that I do not dream or be not frantic,--</div>
	  <div id="scene1.3.46">As I do trust I am not--then, dear uncle,</div>
	  <div id="scene1.3.47">Never so much as in a thought unborn</div>
	  <div id="scene1.3.48">Did I offend your highness.</div>
	  </div>
	  <div id="speech24" class="character">DUKE FREDERICK</div>
	  <div class="dialog">
	  <div id="scene1.3.49">Thus do all traitors:</div>
	  <div id="scene1.3.50">If their purgation did consist in words,</div>
	  <div id="scene1.3.51">They are as innocent as grace itself:</div>
	  <div id="scene1.3.52">Let it suffice thee that I trust thee not.</div>
	  </div>
	  <div id="speech25" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.53">Yet your mistrust cannot make me a traitor:</div>
	  <div id="scene1.3.54">Tell me whereon the likelihood depends.</div>
	  </div>
	  <div id="speech26" class="character">DUKE FREDERICK</div>
	  <div class="dialog">
	  <div id="scene1.3.55">Thou art thy father's daughter; there's enough.</div>
	  </div>
	  <div id="speech27" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.56">So was I when your highness took his dukedom;</div>
	  <div id="scene1.3.57">So was I when your highness banish'd him:</div>
	  <div id="scene1.3.58">Treason is not inherited, my lord;</div>
	  <div id="scene1.3.59">Or, if we did derive it from our friends,</div>
	  <div id="scene1.3.60">What's that to me? my father was no traitor:</div>
	  <div id="scene1.3.61">Then, good my liege, mistake me not so much</div>
	  <div id="scene1.3.62">To think my poverty is treacherous.</div>
	  </div>
	  <div id="speech28" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.63">Dear sovereign, hear me speak.</div>
	  </div>
	  <div id="speech29" class="character">DUKE FREDERICK</div>
	  <div class="dialog">
	  <div id="scene1.3.64">Ay, Celia; we stay'd her for your sake,</div>
	  <div id="scene1.3.65">Else had she with her father ranged along.</div>
	  </div>
	  <div id="speech30" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.66">I did not then entreat to have her stay;</div>
	  <div id="scene1.3.67">It was your pleasure and your own remorse:</div>
	  <div id="scene1.3.68">I was too young that time to value her;</div>
	  <div id="scene1.3.69">But now I know her: if she be a traitor,</div>
	  <div id="scene1.3.70">Why so am I; we still have slept together,</div>
	  <div id="scene1.3.71">Rose at an instant, learn'd, play'd, eat together,</div>
	  <div id="scene1.3.72">And wheresoever we went, like Juno's swans,</div>
	  <div id="scene1.3.73">Still we went coupled and inseparable.</div>
	  </div>
	  <div id="speech31" class="character">DUKE FREDERICK</div>
	  <div class="dialog">
	  <div id="scene1.3.74">She is too subtle for thee; and her smoothness,</div>
	  <div id="scene1.3.75">Her very silence and her patience</div>
	  <div id="scene1.3.76">Speak to the people, and they pity her.</div>
	  <div id="scene1.3.77">Thou art a fool: she robs thee of thy name;</div>
	  <div id="scene1.3.78">And thou wilt show more bright and seem more virtuous</div>
	  <div id="scene1.3.79">When she is gone. Then open not thy lips:</div>
	  <div id="scene1.3.80">Firm and irrevocable is my doom</div>
	  <div id="scene1.3.81">Which I have pass'd upon her; she is banish'd.</div>
	  </div>
	  <div id="speech32" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.82">Pronounce that sentence then on me, my liege:</div>
	  <div id="scene1.3.83">I cannot live out of her company.</div>
	  </div>
	  <div id="speech33" class="character">DUKE FREDERICK</div>
	  <div class="dialog">
	  <div id="scene1.3.84">You are a fool. You, niece, provide yourself:</div>
	  <div id="scene1.3.85">If you outstay the time, upon mine honour,</div>
	  <div id="scene1.3.86">And in the greatness of my word, you die.</div>
	  <div class="direction">Exeunt DUKE FREDERICK and Lords</div>
	  </div>
	  <div id="speech34" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.87">O my poor Rosalind, whither wilt thou go?</div>
	  <div id="scene1.3.88">Wilt thou change fathers? I will give thee mine.</div>
	  <div id="scene1.3.89">I charge thee, be not thou more grieved than I am.</div>
	  </div>
	  <div id="speech35" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.90">I have more cause.</div>
	  </div>
	  <div id="speech36" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.91">                  Thou hast not, cousin;</div>
	  <div id="scene1.3.92">Prithee be cheerful: know'st thou not, the duke</div>
	  <div id="scene1.3.93">Hath banish'd me, his daughter?</div>
	  </div>
	  <div id="speech37" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.94">That he hath not.</div>
	  </div>
	  <div id="speech38" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.95">No, hath not? Rosalind lacks then the love</div>
	  <div id="scene1.3.96">Which teacheth thee that thou and I am one:</div>
	  <div id="scene1.3.97">Shall we be sunder'd? shall we part, sweet girl?</div>
	  <div id="scene1.3.98">No: let my father seek another heir.</div>
	  <div id="scene1.3.99">Therefore devise with me how we may fly,</div>
	  <div id="scene1.3.100">Whither to go and what to bear with us;</div>
	  <div id="scene1.3.101">And do not seek to take your change upon you,</div>
	  <div id="scene1.3.102">To bear your griefs yourself and leave me out;</div>
	  <div id="scene1.3.103">For, by this heaven, now at our sorrows pale,</div>
	  <div id="scene1.3.104">Say what thou canst, I'll go along with thee.</div>
	  </div>
	  <div id="speech39" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.105">Why, whither shall we go?</div>
	  </div>
	  <div id="speech40" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.106">To seek my uncle in the forest of Arden.</div>
	  </div>
	  <div id="speech41" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.107">Alas, what danger will it be to us,</div>
	  <div id="scene1.3.108">Maids as we are, to travel forth so far!</div>
	  <div id="scene1.3.109">Beauty provoketh thieves sooner than gold.</div>
	  </div>
	  <div id="speech42" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.110">I'll put myself in poor and mean attire</div>
	  <div id="scene1.3.111">And with a kind of umber smirch my face;</div>
	  <div id="scene1.3.112">The like do you: so shall we pass along</div>
	  <div id="scene1.3.113">And never stir assailants.</div>
	  </div>
	  <div id="speech43" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.114">Were it not better,</div>
	  <div id="scene1.3.115">Because that I am more than common tall,</div>
	  <div id="scene1.3.116">That I did suit me all points like a man?</div>
	  <div id="scene1.3.117">A gallant curtle-axe upon my thigh,</div>
	  <div id="scene1.3.118">A boar-spear in my hand; and--in my heart</div>
	  <div id="scene1.3.119">Lie there what hidden woman's fear there will--</div>
	  <div id="scene1.3.120">We'll have a swashing and a martial outside,</div>
	  <div id="scene1.3.121">As many other mannish cowards have</div>
	  <div id="scene1.3.122">That do outface it with their semblances.</div>
	  </div>
	  <div id="speech44" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.123">What shall I call thee when thou art a man?</div>
	  </div>
	  <div id="speech45" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.124">I'll have no worse a name than Jove's own page;</div>
	  <div id="scene1.3.125">And therefore look you call me Ganymede.</div>
	  <div id="scene1.3.126">But what will you be call'd?</div>
	  </div>
	  <div id="speech46" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.127">Something that hath a reference to my state</div>
	  <div id="scene1.3.128">No longer Celia, but Aliena.</div>
	  </div>
	  <div id="speech47" class="character">ROSALIND</div>
	  <div class="dialog">
	  <div id="scene1.3.129">But, cousin, what if we assay'd to steal</div>
	  <div id="scene1.3.130">The clownish fool out of your father's court?</div>
	  <div id="scene1.3.131">Would he not be a comfort to our travel?</div>
	  </div>
	  <div id="speech48" class="character">CELIA</div>
	  <div class="dialog">
	  <div id="scene1.3.132">He'll go along o'er the wide world with me;</div>
	  <div id="scene1.3.133">Leave me alone to woo him. Let's away,</div>
	  <div id="scene1.3.134">And get our jewels and our wealth together,</div>
	  <div id="scene1.3.135">Devise the fittest time and safest way</div>
	  <div id="scene1.3.136">To hide us from pursuit that will be made</div>
	  <div id="scene1.3.137">After my flight. Now go we in content</div>
	  <div id="scene1.3.138">To liberty and not to banishment.</div>
	  <div class="direction">Exeunt</div>
	  </div>
	</div>
	</div>
</div>
</body>
</html>
symfony/css-selector/Tests/XPath/Fixtures/lang.xml000064400000000475151332455420016272 0ustar00<test>
  <a id="first" xml:lang="en">a</a>
  <b id="second" xml:lang="en-US">b</b>
  <c id="third" xml:lang="en-Nz">c</c>
  <d id="fourth" xml:lang="En-us">d</d>
  <e id="fifth" xml:lang="fr">e</e>
  <f id="sixth" xml:lang="ru">f</f>
  <g id="seventh" xml:lang="de">
    <h id="eighth" xml:lang="zh"/>
  </g>
</test>
symfony/css-selector/Tests/Parser/ParserTest.php000064400000031351151332455420016030 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Exception\SyntaxErrorException;
use Symfony\Component\CssSelector\Node\FunctionNode;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\Parser;
use Symfony\Component\CssSelector\Parser\Token;

class ParserTest extends TestCase
{
    /** @dataProvider getParserTestData */
    public function testParser($source, $representation)
    {
        $parser = new Parser();

        $this->assertEquals($representation, array_map(function (SelectorNode $node) {
            return (string) $node->getTree();
        }, $parser->parse($source)));
    }

    /** @dataProvider getParserExceptionTestData */
    public function testParserException($source, $message)
    {
        $parser = new Parser();

        try {
            $parser->parse($source);
            $this->fail('Parser should throw a SyntaxErrorException.');
        } catch (SyntaxErrorException $e) {
            $this->assertEquals($message, $e->getMessage());
        }
    }

    /** @dataProvider getPseudoElementsTestData */
    public function testPseudoElements($source, $element, $pseudo)
    {
        $parser = new Parser();
        $selectors = $parser->parse($source);
        $this->assertCount(1, $selectors);

        /** @var SelectorNode $selector */
        $selector = $selectors[0];
        $this->assertEquals($element, (string) $selector->getTree());
        $this->assertEquals($pseudo, (string) $selector->getPseudoElement());
    }

    /** @dataProvider getSpecificityTestData */
    public function testSpecificity($source, $value)
    {
        $parser = new Parser();
        $selectors = $parser->parse($source);
        $this->assertCount(1, $selectors);

        /** @var SelectorNode $selector */
        $selector = $selectors[0];
        $this->assertEquals($value, $selector->getSpecificity()->getValue());
    }

    /** @dataProvider getParseSeriesTestData */
    public function testParseSeries($series, $a, $b)
    {
        $parser = new Parser();
        $selectors = $parser->parse(sprintf(':nth-child(%s)', $series));
        $this->assertCount(1, $selectors);

        /** @var FunctionNode $function */
        $function = $selectors[0]->getTree();
        $this->assertEquals(array($a, $b), Parser::parseSeries($function->getArguments()));
    }

    /** @dataProvider getParseSeriesExceptionTestData */
    public function testParseSeriesException($series)
    {
        $parser = new Parser();
        $selectors = $parser->parse(sprintf(':nth-child(%s)', $series));
        $this->assertCount(1, $selectors);

        /** @var FunctionNode $function */
        $function = $selectors[0]->getTree();
        $this->{method_exists($this, $_ = 'expectException') ? $_ : 'setExpectedException'}('Symfony\Component\CssSelector\Exception\SyntaxErrorException');
        Parser::parseSeries($function->getArguments());
    }

    public function getParserTestData()
    {
        return array(
            array('*', array('Element[*]')),
            array('*|*', array('Element[*]')),
            array('*|foo', array('Element[foo]')),
            array('foo|*', array('Element[foo|*]')),
            array('foo|bar', array('Element[foo|bar]')),
            array('#foo#bar', array('Hash[Hash[Element[*]#foo]#bar]')),
            array('div>.foo', array('CombinedSelector[Element[div] > Class[Element[*].foo]]')),
            array('div> .foo', array('CombinedSelector[Element[div] > Class[Element[*].foo]]')),
            array('div >.foo', array('CombinedSelector[Element[div] > Class[Element[*].foo]]')),
            array('div > .foo', array('CombinedSelector[Element[div] > Class[Element[*].foo]]')),
            array("div \n>  \t \t .foo", array('CombinedSelector[Element[div] > Class[Element[*].foo]]')),
            array('td.foo,.bar', array('Class[Element[td].foo]', 'Class[Element[*].bar]')),
            array('td.foo, .bar', array('Class[Element[td].foo]', 'Class[Element[*].bar]')),
            array("td.foo\t\r\n\f ,\t\r\n\f .bar", array('Class[Element[td].foo]', 'Class[Element[*].bar]')),
            array('td.foo,.bar', array('Class[Element[td].foo]', 'Class[Element[*].bar]')),
            array('td.foo, .bar', array('Class[Element[td].foo]', 'Class[Element[*].bar]')),
            array("td.foo\t\r\n\f ,\t\r\n\f .bar", array('Class[Element[td].foo]', 'Class[Element[*].bar]')),
            array('div, td.foo, div.bar span', array('Element[div]', 'Class[Element[td].foo]', 'CombinedSelector[Class[Element[div].bar] <followed> Element[span]]')),
            array('div > p', array('CombinedSelector[Element[div] > Element[p]]')),
            array('td:first', array('Pseudo[Element[td]:first]')),
            array('td :first', array('CombinedSelector[Element[td] <followed> Pseudo[Element[*]:first]]')),
            array('a[name]', array('Attribute[Element[a][name]]')),
            array("a[ name\t]", array('Attribute[Element[a][name]]')),
            array('a [name]', array('CombinedSelector[Element[a] <followed> Attribute[Element[*][name]]]')),
            array('a[rel="include"]', array("Attribute[Element[a][rel = 'include']]")),
            array('a[rel = include]', array("Attribute[Element[a][rel = 'include']]")),
            array("a[hreflang |= 'en']", array("Attribute[Element[a][hreflang |= 'en']]")),
            array('a[hreflang|=en]', array("Attribute[Element[a][hreflang |= 'en']]")),
            array('div:nth-child(10)', array("Function[Element[div]:nth-child(['10'])]")),
            array(':nth-child(2n+2)', array("Function[Element[*]:nth-child(['2', 'n', '+2'])]")),
            array('div:nth-of-type(10)', array("Function[Element[div]:nth-of-type(['10'])]")),
            array('div div:nth-of-type(10) .aclass', array("CombinedSelector[CombinedSelector[Element[div] <followed> Function[Element[div]:nth-of-type(['10'])]] <followed> Class[Element[*].aclass]]")),
            array('label:only', array('Pseudo[Element[label]:only]')),
            array('a:lang(fr)', array("Function[Element[a]:lang(['fr'])]")),
            array('div:contains("foo")', array("Function[Element[div]:contains(['foo'])]")),
            array('div#foobar', array('Hash[Element[div]#foobar]')),
            array('div:not(div.foo)', array('Negation[Element[div]:not(Class[Element[div].foo])]')),
            array('td ~ th', array('CombinedSelector[Element[td] ~ Element[th]]')),
            array('.foo[data-bar][data-baz=0]', array("Attribute[Attribute[Class[Element[*].foo][data-bar]][data-baz = '0']]")),
        );
    }

    public function getParserExceptionTestData()
    {
        return array(
            array('attributes(href)/html/body/a', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_DELIMITER, '(', 10))->getMessage()),
            array('attributes(href)', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_DELIMITER, '(', 10))->getMessage()),
            array('html/body/a', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_DELIMITER, '/', 4))->getMessage()),
            array(' ', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_FILE_END, '', 1))->getMessage()),
            array('div, ', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_FILE_END, '', 5))->getMessage()),
            array(' , div', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_DELIMITER, ',', 1))->getMessage()),
            array('p, , div', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_DELIMITER, ',', 3))->getMessage()),
            array('div > ', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_FILE_END, '', 6))->getMessage()),
            array('  > div', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_DELIMITER, '>', 2))->getMessage()),
            array('foo|#bar', SyntaxErrorException::unexpectedToken('identifier or "*"', new Token(Token::TYPE_HASH, 'bar', 4))->getMessage()),
            array('#.foo', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_DELIMITER, '#', 0))->getMessage()),
            array('.#foo', SyntaxErrorException::unexpectedToken('identifier', new Token(Token::TYPE_HASH, 'foo', 1))->getMessage()),
            array(':#foo', SyntaxErrorException::unexpectedToken('identifier', new Token(Token::TYPE_HASH, 'foo', 1))->getMessage()),
            array('[*]', SyntaxErrorException::unexpectedToken('"|"', new Token(Token::TYPE_DELIMITER, ']', 2))->getMessage()),
            array('[foo|]', SyntaxErrorException::unexpectedToken('identifier', new Token(Token::TYPE_DELIMITER, ']', 5))->getMessage()),
            array('[#]', SyntaxErrorException::unexpectedToken('identifier or "*"', new Token(Token::TYPE_DELIMITER, '#', 1))->getMessage()),
            array('[foo=#]', SyntaxErrorException::unexpectedToken('string or identifier', new Token(Token::TYPE_DELIMITER, '#', 5))->getMessage()),
            array(':nth-child()', SyntaxErrorException::unexpectedToken('at least one argument', new Token(Token::TYPE_DELIMITER, ')', 11))->getMessage()),
            array('[href]a', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_IDENTIFIER, 'a', 6))->getMessage()),
            array('[rel:stylesheet]', SyntaxErrorException::unexpectedToken('operator', new Token(Token::TYPE_DELIMITER, ':', 4))->getMessage()),
            array('[rel=stylesheet', SyntaxErrorException::unexpectedToken('"]"', new Token(Token::TYPE_FILE_END, '', 15))->getMessage()),
            array(':lang(fr', SyntaxErrorException::unexpectedToken('an argument', new Token(Token::TYPE_FILE_END, '', 8))->getMessage()),
            array(':contains("foo', SyntaxErrorException::unclosedString(10)->getMessage()),
            array('foo!', SyntaxErrorException::unexpectedToken('selector', new Token(Token::TYPE_DELIMITER, '!', 3))->getMessage()),
        );
    }

    public function getPseudoElementsTestData()
    {
        return array(
            array('foo', 'Element[foo]', ''),
            array('*', 'Element[*]', ''),
            array(':empty', 'Pseudo[Element[*]:empty]', ''),
            array(':BEfore', 'Element[*]', 'before'),
            array(':aftER', 'Element[*]', 'after'),
            array(':First-Line', 'Element[*]', 'first-line'),
            array(':First-Letter', 'Element[*]', 'first-letter'),
            array('::befoRE', 'Element[*]', 'before'),
            array('::AFter', 'Element[*]', 'after'),
            array('::firsT-linE', 'Element[*]', 'first-line'),
            array('::firsT-letteR', 'Element[*]', 'first-letter'),
            array('::Selection', 'Element[*]', 'selection'),
            array('foo:after', 'Element[foo]', 'after'),
            array('foo::selection', 'Element[foo]', 'selection'),
            array('lorem#ipsum ~ a#b.c[href]:empty::selection', 'CombinedSelector[Hash[Element[lorem]#ipsum] ~ Pseudo[Attribute[Class[Hash[Element[a]#b].c][href]]:empty]]', 'selection'),
        );
    }

    public function getSpecificityTestData()
    {
        return array(
            array('*', 0),
            array(' foo', 1),
            array(':empty ', 10),
            array(':before', 1),
            array('*:before', 1),
            array(':nth-child(2)', 10),
            array('.bar', 10),
            array('[baz]', 10),
            array('[baz="4"]', 10),
            array('[baz^="4"]', 10),
            array('#lipsum', 100),
            array(':not(*)', 0),
            array(':not(foo)', 1),
            array(':not(.foo)', 10),
            array(':not([foo])', 10),
            array(':not(:empty)', 10),
            array(':not(#foo)', 100),
            array('foo:empty', 11),
            array('foo:before', 2),
            array('foo::before', 2),
            array('foo:empty::before', 12),
            array('#lorem + foo#ipsum:first-child > bar:first-line', 213),
        );
    }

    public function getParseSeriesTestData()
    {
        return array(
            array('1n+3', 1, 3),
            array('1n +3', 1, 3),
            array('1n + 3', 1, 3),
            array('1n+ 3', 1, 3),
            array('1n-3', 1, -3),
            array('1n -3', 1, -3),
            array('1n - 3', 1, -3),
            array('1n- 3', 1, -3),
            array('n-5', 1, -5),
            array('odd', 2, 1),
            array('even', 2, 0),
            array('3n', 3, 0),
            array('n', 1, 0),
            array('+n', 1, 0),
            array('-n', -1, 0),
            array('5', 0, 5),
        );
    }

    public function getParseSeriesExceptionTestData()
    {
        return array(
            array('foo'),
            array('n+'),
        );
    }
}
symfony/css-selector/Tests/Parser/ReaderTest.php000064400000005613151332455420016000 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Parser\Reader;

class ReaderTest extends TestCase
{
    public function testIsEOF()
    {
        $reader = new Reader('');
        $this->assertTrue($reader->isEOF());

        $reader = new Reader('hello');
        $this->assertFalse($reader->isEOF());

        $this->assignPosition($reader, 2);
        $this->assertFalse($reader->isEOF());

        $this->assignPosition($reader, 5);
        $this->assertTrue($reader->isEOF());
    }

    public function testGetRemainingLength()
    {
        $reader = new Reader('hello');
        $this->assertEquals(5, $reader->getRemainingLength());

        $this->assignPosition($reader, 2);
        $this->assertEquals(3, $reader->getRemainingLength());

        $this->assignPosition($reader, 5);
        $this->assertEquals(0, $reader->getRemainingLength());
    }

    public function testGetSubstring()
    {
        $reader = new Reader('hello');
        $this->assertEquals('he', $reader->getSubstring(2));
        $this->assertEquals('el', $reader->getSubstring(2, 1));

        $this->assignPosition($reader, 2);
        $this->assertEquals('ll', $reader->getSubstring(2));
        $this->assertEquals('lo', $reader->getSubstring(2, 1));
    }

    public function testGetOffset()
    {
        $reader = new Reader('hello');
        $this->assertEquals(2, $reader->getOffset('ll'));
        $this->assertFalse($reader->getOffset('w'));

        $this->assignPosition($reader, 2);
        $this->assertEquals(0, $reader->getOffset('ll'));
        $this->assertFalse($reader->getOffset('he'));
    }

    public function testFindPattern()
    {
        $reader = new Reader('hello');

        $this->assertFalse($reader->findPattern('/world/'));
        $this->assertEquals(array('hello', 'h'), $reader->findPattern('/^([a-z]).*/'));

        $this->assignPosition($reader, 2);
        $this->assertFalse($reader->findPattern('/^h.*/'));
        $this->assertEquals(array('llo'), $reader->findPattern('/^llo$/'));
    }

    public function testMoveForward()
    {
        $reader = new Reader('hello');
        $this->assertEquals(0, $reader->getPosition());

        $reader->moveForward(2);
        $this->assertEquals(2, $reader->getPosition());
    }

    public function testToEnd()
    {
        $reader = new Reader('hello');
        $reader->moveToEnd();
        $this->assertTrue($reader->isEOF());
    }

    private function assignPosition(Reader $reader, $value)
    {
        $position = new \ReflectionProperty($reader, 'position');
        $position->setAccessible(true);
        $position->setValue($reader, $value);
    }
}
symfony/css-selector/Tests/Parser/Shortcut/HashParserTest.php000064400000002562151332455420020451 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Shortcut;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\Shortcut\HashParser;

/**
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 */
class HashParserTest extends TestCase
{
    /** @dataProvider getParseTestData */
    public function testParse($source, $representation)
    {
        $parser = new HashParser();
        $selectors = $parser->parse($source);
        $this->assertCount(1, $selectors);

        /** @var SelectorNode $selector */
        $selector = $selectors[0];
        $this->assertEquals($representation, (string) $selector->getTree());
    }

    public function getParseTestData()
    {
        return array(
            array('#testid', 'Hash[Element[*]#testid]'),
            array('testel#testid', 'Hash[Element[testel]#testid]'),
            array('testns|#testid', 'Hash[Element[testns|*]#testid]'),
            array('testns|*#testid', 'Hash[Element[testns|*]#testid]'),
            array('testns|testel#testid', 'Hash[Element[testns|testel]#testid]'),
        );
    }
}
symfony/css-selector/Tests/Parser/Shortcut/EmptyStringParserTest.php000064400000001777151332455420022062 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Shortcut;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\Shortcut\EmptyStringParser;

/**
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 */
class EmptyStringParserTest extends TestCase
{
    public function testParse()
    {
        $parser = new EmptyStringParser();
        $selectors = $parser->parse('');
        $this->assertCount(1, $selectors);

        /** @var SelectorNode $selector */
        $selector = $selectors[0];
        $this->assertEquals('Element[*]', (string) $selector->getTree());

        $selectors = $parser->parse('this will produce an empty array');
        $this->assertCount(0, $selectors);
    }
}
symfony/css-selector/Tests/Parser/Shortcut/ClassParserTest.php000064400000002630151332455420020627 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Shortcut;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\Shortcut\ClassParser;

/**
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 */
class ClassParserTest extends TestCase
{
    /** @dataProvider getParseTestData */
    public function testParse($source, $representation)
    {
        $parser = new ClassParser();
        $selectors = $parser->parse($source);
        $this->assertCount(1, $selectors);

        /** @var SelectorNode $selector */
        $selector = $selectors[0];
        $this->assertEquals($representation, (string) $selector->getTree());
    }

    public function getParseTestData()
    {
        return array(
            array('.testclass', 'Class[Element[*].testclass]'),
            array('testel.testclass', 'Class[Element[testel].testclass]'),
            array('testns|.testclass', 'Class[Element[testns|*].testclass]'),
            array('testns|*.testclass', 'Class[Element[testns|*].testclass]'),
            array('testns|testel.testclass', 'Class[Element[testns|testel].testclass]'),
        );
    }
}
symfony/css-selector/Tests/Parser/Shortcut/ElementParserTest.php000064400000002345151332455420021156 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Shortcut;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Node\SelectorNode;
use Symfony\Component\CssSelector\Parser\Shortcut\ElementParser;

/**
 * @author Jean-François Simon <jeanfrancois.simon@sensiolabs.com>
 */
class ElementParserTest extends TestCase
{
    /** @dataProvider getParseTestData */
    public function testParse($source, $representation)
    {
        $parser = new ElementParser();
        $selectors = $parser->parse($source);
        $this->assertCount(1, $selectors);

        /** @var SelectorNode $selector */
        $selector = $selectors[0];
        $this->assertEquals($representation, (string) $selector->getTree());
    }

    public function getParseTestData()
    {
        return array(
            array('*', 'Element[*]'),
            array('testel', 'Element[testel]'),
            array('testns|*', 'Element[testns|*]'),
            array('testns|testel', 'Element[testns|testel]'),
        );
    }
}
symfony/css-selector/Tests/Parser/TokenStreamTest.php000064400000006356151332455420017037 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;

class TokenStreamTest extends TestCase
{
    public function testGetNext()
    {
        $stream = new TokenStream();
        $stream->push($t1 = new Token(Token::TYPE_IDENTIFIER, 'h1', 0));
        $stream->push($t2 = new Token(Token::TYPE_DELIMITER, '.', 2));
        $stream->push($t3 = new Token(Token::TYPE_IDENTIFIER, 'title', 3));

        $this->assertSame($t1, $stream->getNext());
        $this->assertSame($t2, $stream->getNext());
        $this->assertSame($t3, $stream->getNext());
    }

    public function testGetPeek()
    {
        $stream = new TokenStream();
        $stream->push($t1 = new Token(Token::TYPE_IDENTIFIER, 'h1', 0));
        $stream->push($t2 = new Token(Token::TYPE_DELIMITER, '.', 2));
        $stream->push($t3 = new Token(Token::TYPE_IDENTIFIER, 'title', 3));

        $this->assertSame($t1, $stream->getPeek());
        $this->assertSame($t1, $stream->getNext());
        $this->assertSame($t2, $stream->getPeek());
        $this->assertSame($t2, $stream->getPeek());
        $this->assertSame($t2, $stream->getNext());
    }

    public function testGetNextIdentifier()
    {
        $stream = new TokenStream();
        $stream->push(new Token(Token::TYPE_IDENTIFIER, 'h1', 0));

        $this->assertEquals('h1', $stream->getNextIdentifier());
    }

    public function testFailToGetNextIdentifier()
    {
        $this->{method_exists($this, $_ = 'expectException') ? $_ : 'setExpectedException'}('Symfony\Component\CssSelector\Exception\SyntaxErrorException');

        $stream = new TokenStream();
        $stream->push(new Token(Token::TYPE_DELIMITER, '.', 2));
        $stream->getNextIdentifier();
    }

    public function testGetNextIdentifierOrStar()
    {
        $stream = new TokenStream();

        $stream->push(new Token(Token::TYPE_IDENTIFIER, 'h1', 0));
        $this->assertEquals('h1', $stream->getNextIdentifierOrStar());

        $stream->push(new Token(Token::TYPE_DELIMITER, '*', 0));
        $this->assertNull($stream->getNextIdentifierOrStar());
    }

    public function testFailToGetNextIdentifierOrStar()
    {
        $this->{method_exists($this, $_ = 'expectException') ? $_ : 'setExpectedException'}('Symfony\Component\CssSelector\Exception\SyntaxErrorException');

        $stream = new TokenStream();
        $stream->push(new Token(Token::TYPE_DELIMITER, '.', 2));
        $stream->getNextIdentifierOrStar();
    }

    public function testSkipWhitespace()
    {
        $stream = new TokenStream();
        $stream->push($t1 = new Token(Token::TYPE_IDENTIFIER, 'h1', 0));
        $stream->push($t2 = new Token(Token::TYPE_WHITESPACE, ' ', 2));
        $stream->push($t3 = new Token(Token::TYPE_IDENTIFIER, 'h1', 3));

        $stream->skipWhitespace();
        $this->assertSame($t1, $stream->getNext());

        $stream->skipWhitespace();
        $this->assertSame($t3, $stream->getNext());
    }
}
symfony/css-selector/Tests/Parser/Handler/IdentifierHandlerTest.php000064400000003001151332455420021520 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Handler\IdentifierHandler;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerPatterns;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerEscaping;

class IdentifierHandlerTest extends AbstractHandlerTest
{
    public function getHandleValueTestData()
    {
        return array(
            array('foo', new Token(Token::TYPE_IDENTIFIER, 'foo', 0), ''),
            array('foo|bar', new Token(Token::TYPE_IDENTIFIER, 'foo', 0), '|bar'),
            array('foo.class', new Token(Token::TYPE_IDENTIFIER, 'foo', 0), '.class'),
            array('foo[attr]', new Token(Token::TYPE_IDENTIFIER, 'foo', 0), '[attr]'),
            array('foo bar', new Token(Token::TYPE_IDENTIFIER, 'foo', 0), ' bar'),
        );
    }

    public function getDontHandleValueTestData()
    {
        return array(
            array('>'),
            array('+'),
            array(' '),
            array('*|foo'),
            array('/* comment */'),
        );
    }

    protected function generateHandler()
    {
        $patterns = new TokenizerPatterns();

        return new IdentifierHandler($patterns, new TokenizerEscaping($patterns));
    }
}
symfony/css-selector/Tests/Parser/Handler/AbstractHandlerTest.php000064400000004325151332455420021213 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Handler;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;

/**
 * @author Jean-François Simon <contact@jfsimon.fr>
 */
abstract class AbstractHandlerTest extends TestCase
{
    /** @dataProvider getHandleValueTestData */
    public function testHandleValue($value, Token $expectedToken, $remainingContent)
    {
        $reader = new Reader($value);
        $stream = new TokenStream();

        $this->assertTrue($this->generateHandler()->handle($reader, $stream));
        $this->assertEquals($expectedToken, $stream->getNext());
        $this->assertRemainingContent($reader, $remainingContent);
    }

    /** @dataProvider getDontHandleValueTestData */
    public function testDontHandleValue($value)
    {
        $reader = new Reader($value);
        $stream = new TokenStream();

        $this->assertFalse($this->generateHandler()->handle($reader, $stream));
        $this->assertStreamEmpty($stream);
        $this->assertRemainingContent($reader, $value);
    }

    abstract public function getHandleValueTestData();

    abstract public function getDontHandleValueTestData();

    abstract protected function generateHandler();

    protected function assertStreamEmpty(TokenStream $stream)
    {
        $property = new \ReflectionProperty($stream, 'tokens');
        $property->setAccessible(true);

        $this->assertEquals(array(), $property->getValue($stream));
    }

    protected function assertRemainingContent(Reader $reader, $remainingContent)
    {
        if ('' === $remainingContent) {
            $this->assertEquals(0, $reader->getRemainingLength());
            $this->assertTrue($reader->isEOF());
        } else {
            $this->assertEquals(strlen($remainingContent), $reader->getRemainingLength());
            $this->assertEquals(0, $reader->getOffset($remainingContent));
        }
    }
}
symfony/css-selector/Tests/Parser/Handler/WhitespaceHandlerTest.php000064400000002263151332455420021543 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Handler\WhitespaceHandler;
use Symfony\Component\CssSelector\Parser\Token;

class WhitespaceHandlerTest extends AbstractHandlerTest
{
    public function getHandleValueTestData()
    {
        return array(
            array(' ', new Token(Token::TYPE_WHITESPACE, ' ', 0), ''),
            array("\n", new Token(Token::TYPE_WHITESPACE, "\n", 0), ''),
            array("\t", new Token(Token::TYPE_WHITESPACE, "\t", 0), ''),

            array(' foo', new Token(Token::TYPE_WHITESPACE, ' ', 0), 'foo'),
            array(' .foo', new Token(Token::TYPE_WHITESPACE, ' ', 0), '.foo'),
        );
    }

    public function getDontHandleValueTestData()
    {
        return array(
            array('>'),
            array('1'),
            array('a'),
        );
    }

    protected function generateHandler()
    {
        return new WhitespaceHandler();
    }
}
symfony/css-selector/Tests/Parser/Handler/NumberHandlerTest.php000064400000002655151332455420020704 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Handler\NumberHandler;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerPatterns;

class NumberHandlerTest extends AbstractHandlerTest
{
    public function getHandleValueTestData()
    {
        return array(
            array('12', new Token(Token::TYPE_NUMBER, '12', 0), ''),
            array('12.34', new Token(Token::TYPE_NUMBER, '12.34', 0), ''),
            array('+12.34', new Token(Token::TYPE_NUMBER, '+12.34', 0), ''),
            array('-12.34', new Token(Token::TYPE_NUMBER, '-12.34', 0), ''),

            array('12 arg', new Token(Token::TYPE_NUMBER, '12', 0), ' arg'),
            array('12]', new Token(Token::TYPE_NUMBER, '12', 0), ']'),
        );
    }

    public function getDontHandleValueTestData()
    {
        return array(
            array('hello'),
            array('>'),
            array('+'),
            array(' '),
            array('/* comment */'),
        );
    }

    protected function generateHandler()
    {
        $patterns = new TokenizerPatterns();

        return new NumberHandler($patterns);
    }
}
symfony/css-selector/Tests/Parser/Handler/CommentHandlerTest.php000064400000003122151332455420021044 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Handler\CommentHandler;
use Symfony\Component\CssSelector\Parser\Reader;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\TokenStream;

class CommentHandlerTest extends AbstractHandlerTest
{
    /** @dataProvider getHandleValueTestData */
    public function testHandleValue($value, Token $unusedArgument, $remainingContent)
    {
        $reader = new Reader($value);
        $stream = new TokenStream();

        $this->assertTrue($this->generateHandler()->handle($reader, $stream));
        // comments are ignored (not pushed as token in stream)
        $this->assertStreamEmpty($stream);
        $this->assertRemainingContent($reader, $remainingContent);
    }

    public function getHandleValueTestData()
    {
        return array(
            // 2nd argument only exists for inherited method compatibility
            array('/* comment */', new Token(null, null, null), ''),
            array('/* comment */foo', new Token(null, null, null), 'foo'),
        );
    }

    public function getDontHandleValueTestData()
    {
        return array(
            array('>'),
            array('+'),
            array(' '),
        );
    }

    protected function generateHandler()
    {
        return new CommentHandler();
    }
}
symfony/css-selector/Tests/Parser/Handler/StringHandlerTest.php000064400000002751151332455420020717 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Handler\StringHandler;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerPatterns;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerEscaping;

class StringHandlerTest extends AbstractHandlerTest
{
    public function getHandleValueTestData()
    {
        return array(
            array('"hello"', new Token(Token::TYPE_STRING, 'hello', 1), ''),
            array('"1"', new Token(Token::TYPE_STRING, '1', 1), ''),
            array('" "', new Token(Token::TYPE_STRING, ' ', 1), ''),
            array('""', new Token(Token::TYPE_STRING, '', 1), ''),
            array("'hello'", new Token(Token::TYPE_STRING, 'hello', 1), ''),

            array("'foo'bar", new Token(Token::TYPE_STRING, 'foo', 1), 'bar'),
        );
    }

    public function getDontHandleValueTestData()
    {
        return array(
            array('hello'),
            array('>'),
            array('1'),
            array(' '),
        );
    }

    protected function generateHandler()
    {
        $patterns = new TokenizerPatterns();

        return new StringHandler($patterns, new TokenizerEscaping($patterns));
    }
}
symfony/css-selector/Tests/Parser/Handler/HashHandlerTest.php000064400000002562151332455420020334 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests\Parser\Handler;

use Symfony\Component\CssSelector\Parser\Handler\HashHandler;
use Symfony\Component\CssSelector\Parser\Token;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerPatterns;
use Symfony\Component\CssSelector\Parser\Tokenizer\TokenizerEscaping;

class HashHandlerTest extends AbstractHandlerTest
{
    public function getHandleValueTestData()
    {
        return array(
            array('#id', new Token(Token::TYPE_HASH, 'id', 0), ''),
            array('#123', new Token(Token::TYPE_HASH, '123', 0), ''),

            array('#id.class', new Token(Token::TYPE_HASH, 'id', 0), '.class'),
            array('#id element', new Token(Token::TYPE_HASH, 'id', 0), ' element'),
        );
    }

    public function getDontHandleValueTestData()
    {
        return array(
            array('id'),
            array('123'),
            array('<'),
            array('<'),
            array('#'),
        );
    }

    protected function generateHandler()
    {
        $patterns = new TokenizerPatterns();

        return new HashHandler($patterns, new TokenizerEscaping($patterns));
    }
}
symfony/css-selector/Tests/CssSelectorConverterTest.php000064400000006246151332455420017466 0ustar00<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\CssSelector\Tests;

use PHPUnit\Framework\TestCase;
use Symfony\Component\CssSelector\CssSelectorConverter;

class CssSelectorConverterTest extends TestCase
{
    public function testCssToXPath()
    {
        $converter = new CssSelectorConverter();

        $this->assertEquals('descendant-or-self::*', $converter->toXPath(''));
        $this->assertEquals('descendant-or-self::h1', $converter->toXPath('h1'));
        $this->assertEquals("descendant-or-self::h1[@id = 'foo']", $converter->toXPath('h1#foo'));
        $this->assertEquals("descendant-or-self::h1[@class and contains(concat(' ', normalize-space(@class), ' '), ' foo ')]", $converter->toXPath('h1.foo'));
        $this->assertEquals('descendant-or-self::foo:h1', $converter->toXPath('foo|h1'));
        $this->assertEquals('descendant-or-self::h1', $converter->toXPath('H1'));
    }

    public function testCssToXPathXml()
    {
        $converter = new CssSelectorConverter(false);

        $this->assertEquals('descendant-or-self::H1', $converter->toXPath('H1'));
    }

    /**
     * @expectedException \Symfony\Component\CssSelector\Exception\ParseException
     * @expectedExceptionMessage Expected identifier, but <eof at 3> found.
     */
    public function testParseExceptions()
    {
        $converter = new CssSelectorConverter();
        $converter->toXPath('h1:');
    }

    /** @dataProvider getCssToXPathWithoutPrefixTestData */
    public function testCssToXPathWithoutPrefix($css, $xpath)
    {
        $converter = new CssSelectorConverter();

        $this->assertEquals($xpath, $converter->toXPath($css, ''), '->parse() parses an input string and returns a node');
    }

    public function getCssToXPathWithoutPrefixTestData()
    {
        return array(
            array('h1', 'h1'),
            array('foo|h1', 'foo:h1'),
            array('h1, h2, h3', 'h1 | h2 | h3'),
            array('h1:nth-child(3n+1)', "*/*[name() = 'h1' and (position() - 1 >= 0 and (position() - 1) mod 3 = 0)]"),
            array('h1 > p', 'h1/p'),
            array('h1#foo', "h1[@id = 'foo']"),
            array('h1.foo', "h1[@class and contains(concat(' ', normalize-space(@class), ' '), ' foo ')]"),
            array('h1[class*="foo bar"]', "h1[@class and contains(@class, 'foo bar')]"),
            array('h1[foo|class*="foo bar"]', "h1[@foo:class and contains(@foo:class, 'foo bar')]"),
            array('h1[class]', 'h1[@class]'),
            array('h1 .foo', "h1/descendant-or-self::*/*[@class and contains(concat(' ', normalize-space(@class), ' '), ' foo ')]"),
            array('h1 #foo', "h1/descendant-or-self::*/*[@id = 'foo']"),
            array('h1 [class*=foo]', "h1/descendant-or-self::*/*[@class and contains(@class, 'foo')]"),
            array('div>.foo', "div/*[@class and contains(concat(' ', normalize-space(@class), ' '), ' foo ')]"),
            array('div > .foo', "div/*[@class and contains(concat(' ', normalize-space(@class), ' '), ' foo ')]"),
        );
    }
}
psr/container/src/NotFoundExceptionInterface.php000064400000000400151332455420016064 0ustar00<?php
/**
 * @license http://www.opensource.org/licenses/mit-license.php MIT (see the LICENSE file)
 */

namespace Psr\Container;

/**
 * No entry was found in the container.
 */
interface NotFoundExceptionInterface extends ContainerExceptionInterface
{
}
psr/container/src/ContainerExceptionInterface.php000064400000000370151332455420016260 0ustar00<?php
/**
 * @license http://www.opensource.org/licenses/mit-license.php MIT (see the LICENSE file)
 */

namespace Psr\Container;

/**
 * Base interface representing a generic exception in a container.
 */
interface ContainerExceptionInterface
{
}
psr/container/src/ContainerInterface.php000064400000002112151332455420014375 0ustar00<?php
/**
 * @license http://www.opensource.org/licenses/mit-license.php MIT (see the LICENSE file)
 */

namespace Psr\Container;

/**
 * Describes the interface of a container that exposes methods to read its entries.
 */
interface ContainerInterface
{
    /**
     * Finds an entry of the container by its identifier and returns it.
     *
     * @param string $id Identifier of the entry to look for.
     *
     * @throws NotFoundExceptionInterface  No entry was found for **this** identifier.
     * @throws ContainerExceptionInterface Error while retrieving the entry.
     *
     * @return mixed Entry.
     */
    public function get($id);

    /**
     * Returns true if the container can return an entry for the given identifier.
     * Returns false otherwise.
     *
     * `has($id)` returning true does not mean that `get($id)` will not throw an exception.
     * It does however mean that `get($id)` will not throw a `NotFoundExceptionInterface`.
     *
     * @param string $id Identifier of the entry to look for.
     *
     * @return bool
     */
    public function has($id);
}
psr/container/LICENSE000064400000002171151332455420010344 0ustar00The MIT License (MIT)

Copyright (c) 2013-2016 container-interop
Copyright (c) 2016 PHP Framework Interoperability Group

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.
jetpack-autoloader/class-hook-manager.php000064400000004145151332455420014516 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * Allows the latest autoloader to register hooks that can be removed when the autoloader is reset.
 */
class Hook_Manager {

	/**
	 * An array containing all of the hooks that we've registered.
	 *
	 * @var array
	 */
	private $registered_hooks;

	/**
	 * The constructor.
	 */
	public function __construct() {
		$this->registered_hooks = array();
	}

	/**
	 * Adds an action to WordPress and registers it internally.
	 *
	 * @param string   $tag           The name of the action which is hooked.
	 * @param callable $callable      The function to call.
	 * @param int      $priority      Used to specify the priority of the action.
	 * @param int      $accepted_args Used to specify the number of arguments the callable accepts.
	 */
	public function add_action( $tag, $callable, $priority = 10, $accepted_args = 1 ) {
		$this->registered_hooks[ $tag ][] = array(
			'priority' => $priority,
			'callable' => $callable,
		);

		add_action( $tag, $callable, $priority, $accepted_args );
	}

	/**
	 * Adds a filter to WordPress and registers it internally.
	 *
	 * @param string   $tag           The name of the filter which is hooked.
	 * @param callable $callable      The function to call.
	 * @param int      $priority      Used to specify the priority of the filter.
	 * @param int      $accepted_args Used to specify the number of arguments the callable accepts.
	 */
	public function add_filter( $tag, $callable, $priority = 10, $accepted_args = 1 ) {
		$this->registered_hooks[ $tag ][] = array(
			'priority' => $priority,
			'callable' => $callable,
		);

		add_filter( $tag, $callable, $priority, $accepted_args );
	}

	/**
	 * Removes all of the registered hooks.
	 */
	public function reset() {
		foreach ( $this->registered_hooks as $tag => $hooks ) {
			foreach ( $hooks as $hook ) {
				remove_filter( $tag, $hook['callable'], $hook['priority'] );
			}
		}
		$this->registered_hooks = array();
	}
}
jetpack-autoloader/class-manifest-reader.php000064400000005175151332455420015220 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class reads autoloader manifest files.
 */
class Manifest_Reader {

	/**
	 * The Version_Selector object.
	 *
	 * @var Version_Selector
	 */
	private $version_selector;

	/**
	 * The constructor.
	 *
	 * @param Version_Selector $version_selector The Version_Selector object.
	 */
	public function __construct( $version_selector ) {
		$this->version_selector = $version_selector;
	}

	/**
	 * Reads all of the manifests in the given plugin paths.
	 *
	 * @param array  $plugin_paths  The paths to the plugins we're loading the manifest in.
	 * @param string $manifest_path The path that we're loading the manifest from in each plugin.
	 * @param array  $path_map The path map to add the contents of the manifests to.
	 *
	 * @return array $path_map The path map we've built using the manifests in each plugin.
	 */
	public function read_manifests( $plugin_paths, $manifest_path, &$path_map ) {
		$file_paths = array_map(
			function ( $path ) use ( $manifest_path ) {
				return trailingslashit( $path ) . $manifest_path;
			},
			$plugin_paths
		);

		foreach ( $file_paths as $path ) {
			$this->register_manifest( $path, $path_map );
		}

		return $path_map;
	}

	/**
	 * Registers a plugin's manifest file with the path map.
	 *
	 * @param string $manifest_path The absolute path to the manifest that we're loading.
	 * @param array  $path_map The path map to add the contents of the manifest to.
	 */
	protected function register_manifest( $manifest_path, &$path_map ) {
		if ( ! is_readable( $manifest_path ) ) {
			return;
		}

		$manifest = require $manifest_path;
		if ( ! is_array( $manifest ) ) {
			return;
		}

		foreach ( $manifest as $key => $data ) {
			$this->register_record( $key, $data, $path_map );
		}
	}

	/**
	 * Registers an entry from the manifest in the path map.
	 *
	 * @param string $key The identifier for the entry we're registering.
	 * @param array  $data The data for the entry we're registering.
	 * @param array  $path_map The path map to add the contents of the manifest to.
	 */
	protected function register_record( $key, $data, &$path_map ) {
		if ( isset( $path_map[ $key ]['version'] ) ) {
			$selected_version = $path_map[ $key ]['version'];
		} else {
			$selected_version = null;
		}

		if ( $this->version_selector->is_version_update_required( $selected_version, $data['version'] ) ) {
			$path_map[ $key ] = array(
				'version' => $data['version'],
				'path'    => $data['path'],
			);
		}
	}
}
jetpack-autoloader/class-latest-autoloader-guard.php000064400000005364151332455420016703 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class ensures that we're only executing the latest autoloader.
 */
class Latest_Autoloader_Guard {

	/**
	 * The Plugins_Handler instance.
	 *
	 * @var Plugins_Handler
	 */
	private $plugins_handler;

	/**
	 * The Autoloader_Handler instance.
	 *
	 * @var Autoloader_Handler
	 */
	private $autoloader_handler;

	/**
	 * The Autoloader_locator instance.
	 *
	 * @var Autoloader_Locator
	 */
	private $autoloader_locator;

	/**
	 * The constructor.
	 *
	 * @param Plugins_Handler    $plugins_handler    The Plugins_Handler instance.
	 * @param Autoloader_Handler $autoloader_handler The Autoloader_Handler instance.
	 * @param Autoloader_Locator $autoloader_locator The Autoloader_Locator instance.
	 */
	public function __construct( $plugins_handler, $autoloader_handler, $autoloader_locator ) {
		$this->plugins_handler    = $plugins_handler;
		$this->autoloader_handler = $autoloader_handler;
		$this->autoloader_locator = $autoloader_locator;
	}

	/**
	 * Indicates whether or not the autoloader should be initialized. Note that this function
	 * has the side-effect of actually loading the latest autoloader in the event that this
	 * is not it.
	 *
	 * @param string   $current_plugin             The current plugin we're checking.
	 * @param string[] $plugins                    The active plugins to check for autoloaders in.
	 * @param bool     $was_included_by_autoloader Indicates whether or not this autoloader was included by another.
	 *
	 * @return bool True if we should stop initialization, otherwise false.
	 */
	public function should_stop_init( $current_plugin, $plugins, $was_included_by_autoloader ) {
		global $jetpack_autoloader_latest_version;

		// We need to reset the autoloader when the plugins change because
		// that means the autoloader was generated with a different list.
		if ( $this->plugins_handler->have_plugins_changed( $plugins ) ) {
			$this->autoloader_handler->reset_autoloader();
		}

		// When the latest autoloader has already been found we don't need to search for it again.
		// We should take care however because this will also trigger if the autoloader has been
		// included by an older one.
		if ( isset( $jetpack_autoloader_latest_version ) && ! $was_included_by_autoloader ) {
			return true;
		}

		$latest_plugin = $this->autoloader_locator->find_latest_autoloader( $plugins, $jetpack_autoloader_latest_version );
		if ( isset( $latest_plugin ) && $latest_plugin !== $current_plugin ) {
			require $this->autoloader_locator->get_autoloader_path( $latest_plugin );
			return true;
		}

		return false;
	}
}
jetpack-autoloader/class-container.php000064400000011461151332455420014127 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class manages the files and dependencies of the autoloader.
 */
class Container {

	/**
	 * Since each autoloader's class files exist within their own namespace we need a map to
	 * convert between the local class and a shared key. Note that no version checking is
	 * performed on these dependencies and the first autoloader to register will be the
	 * one that is utilized.
	 */
	const SHARED_DEPENDENCY_KEYS = array(
		Hook_Manager::class => 'Hook_Manager',
	);

	/**
	 * A map of all the dependencies we've registered with the container and created.
	 *
	 * @var array
	 */
	protected $dependencies;

	/**
	 * The constructor.
	 */
	public function __construct() {
		$this->dependencies = array();

		$this->register_shared_dependencies();
		$this->register_dependencies();
		$this->initialize_globals();
	}

	/**
	 * Gets a dependency out of the container.
	 *
	 * @param string $class The class to fetch.
	 *
	 * @return mixed
	 * @throws \InvalidArgumentException When a class that isn't registered with the container is fetched.
	 */
	public function get( $class ) {
		if ( ! isset( $this->dependencies[ $class ] ) ) {
			throw new \InvalidArgumentException( "Class '$class' is not registered with the container." );
		}

		return $this->dependencies[ $class ];
	}

	/**
	 * Registers all of the dependencies that are shared between all instances of the autoloader.
	 */
	private function register_shared_dependencies() {
		global $jetpack_autoloader_container_shared;
		if ( ! isset( $jetpack_autoloader_container_shared ) ) {
			$jetpack_autoloader_container_shared = array();
		}

		$key = self::SHARED_DEPENDENCY_KEYS[ Hook_Manager::class ];
		if ( ! isset( $jetpack_autoloader_container_shared[ $key ] ) ) {
			require_once __DIR__ . '/class-hook-manager.php';
			$jetpack_autoloader_container_shared[ $key ] = new Hook_Manager();
		}
		$this->dependencies[ Hook_Manager::class ] = &$jetpack_autoloader_container_shared[ $key ];
	}

	/**
	 * Registers all of the dependencies with the container.
	 */
	private function register_dependencies() {
		require_once __DIR__ . '/class-path-processor.php';
		$this->dependencies[ Path_Processor::class ] = new Path_Processor();

		require_once __DIR__ . '/class-plugin-locator.php';
		$this->dependencies[ Plugin_Locator::class ] = new Plugin_Locator(
			$this->get( Path_Processor::class )
		);

		require_once __DIR__ . '/class-version-selector.php';
		$this->dependencies[ Version_Selector::class ] = new Version_Selector();

		require_once __DIR__ . '/class-autoloader-locator.php';
		$this->dependencies[ Autoloader_Locator::class ] = new Autoloader_Locator(
			$this->get( Version_Selector::class )
		);

		require_once __DIR__ . '/class-php-autoloader.php';
		$this->dependencies[ PHP_Autoloader::class ] = new PHP_Autoloader();

		require_once __DIR__ . '/class-manifest-reader.php';
		$this->dependencies[ Manifest_Reader::class ] = new Manifest_Reader(
			$this->get( Version_Selector::class )
		);

		require_once __DIR__ . '/class-plugins-handler.php';
		$this->dependencies[ Plugins_Handler::class ] = new Plugins_Handler(
			$this->get( Plugin_Locator::class ),
			$this->get( Path_Processor::class )
		);

		require_once __DIR__ . '/class-autoloader-handler.php';
		$this->dependencies[ Autoloader_Handler::class ] = new Autoloader_Handler(
			$this->get( PHP_Autoloader::class ),
			$this->get( Hook_Manager::class ),
			$this->get( Manifest_Reader::class ),
			$this->get( Version_Selector::class )
		);

		require_once __DIR__ . '/class-latest-autoloader-guard.php';
		$this->dependencies[ Latest_Autoloader_Guard::class ] = new Latest_Autoloader_Guard(
			$this->get( Plugins_Handler::class ),
			$this->get( Autoloader_Handler::class ),
			$this->get( Autoloader_Locator::class )
		);

		// Register any classes that we will use elsewhere.
		require_once __DIR__ . '/class-version-loader.php';
		require_once __DIR__ . '/class-shutdown-handler.php';
	}

	/**
	 * Initializes any of the globals needed by the autoloader.
	 */
	private function initialize_globals() {
		/*
		 * This global was retired in version 2.9. The value is set to 'false' to maintain
		 * compatibility with older versions of the autoloader.
		 */
		global $jetpack_autoloader_including_latest;
		$jetpack_autoloader_including_latest = false;

		// Not all plugins can be found using the locator. In cases where a plugin loads the autoloader
		// but was not discoverable, we will record them in this array to track them as "active".
		global $jetpack_autoloader_activating_plugins_paths;
		if ( ! isset( $jetpack_autoloader_activating_plugins_paths ) ) {
			$jetpack_autoloader_activating_plugins_paths = array();
		}
	}
}
jetpack-autoloader/class-php-autoloader.php000064400000005373151332455420015076 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class handles management of the actual PHP autoloader.
 */
class PHP_Autoloader {

	/**
	 * Registers the autoloader with PHP so that it can begin autoloading classes.
	 *
	 * @param Version_Loader $version_loader The class loader to use in the autoloader.
	 */
	public function register_autoloader( $version_loader ) {
		// Make sure no other autoloaders are registered.
		$this->unregister_autoloader();

		// Set the global so that it can be used to load classes.
		global $jetpack_autoloader_loader;
		$jetpack_autoloader_loader = $version_loader;

		// Ensure that the autoloader is first to avoid contention with others.
		spl_autoload_register( array( self::class, 'load_class' ), true, true );
	}

	/**
	 * Unregisters the active autoloader so that it will no longer autoload classes.
	 */
	public function unregister_autoloader() {
		// Remove any v2 autoloader that we've already registered.
		$autoload_chain = spl_autoload_functions();
		foreach ( $autoload_chain as $autoloader ) {
			// We can identify a v2 autoloader using the namespace.
			$namespace_check = null;

			// Functions are recorded as strings.
			if ( is_string( $autoloader ) ) {
				$namespace_check = $autoloader;
			} elseif ( is_array( $autoloader ) && is_string( $autoloader[0] ) ) {
				// Static method calls have the class as the first array element.
				$namespace_check = $autoloader[0];
			} else {
				// Since the autoloader has only ever been a function or a static method we don't currently need to check anything else.
				continue;
			}

			// Check for the namespace without the generated suffix.
			if ( 'Automattic\\Jetpack\\Autoloader\\jp' === substr( $namespace_check, 0, 32 ) ) {
				spl_autoload_unregister( $autoloader );
			}
		}

		// Clear the global now that the autoloader has been unregistered.
		global $jetpack_autoloader_loader;
		$jetpack_autoloader_loader = null;
	}

	/**
	 * Loads a class file if one could be found.
	 *
	 * Note: This function is static so that the autoloader can be easily unregistered. If
	 * it was a class method we would have to unwrap the object to check the namespace.
	 *
	 * @param string $class_name The name of the class to autoload.
	 *
	 * @return bool Indicates whether or not a class file was loaded.
	 */
	public static function load_class( $class_name ) {
		global $jetpack_autoloader_loader;
		if ( ! isset( $jetpack_autoloader_loader ) ) {
			return;
		}

		$file = $jetpack_autoloader_loader->find_class_file( $class_name );
		if ( ! isset( $file ) ) {
			return false;
		}

		require $file;
		return true;
	}
}
jetpack-autoloader/class-autoloader-locator.php000064400000004120151332455420015737 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

use Automattic\Jetpack\Autoloader\AutoloadGenerator;

/**
 * This class locates autoloaders.
 */
class Autoloader_Locator {

	/**
	 * The object for comparing autoloader versions.
	 *
	 * @var Version_Selector
	 */
	private $version_selector;

	/**
	 * The constructor.
	 *
	 * @param Version_Selector $version_selector The version selector object.
	 */
	public function __construct( $version_selector ) {
		$this->version_selector = $version_selector;
	}

	/**
	 * Finds the path to the plugin with the latest autoloader.
	 *
	 * @param array  $plugin_paths An array of plugin paths.
	 * @param string $latest_version The latest version reference.
	 *
	 * @return string|null
	 */
	public function find_latest_autoloader( $plugin_paths, &$latest_version ) {
		$latest_plugin = null;

		foreach ( $plugin_paths as $plugin_path ) {
			$version = $this->get_autoloader_version( $plugin_path );
			if ( ! $this->version_selector->is_version_update_required( $latest_version, $version ) ) {
				continue;
			}

			$latest_version = $version;
			$latest_plugin  = $plugin_path;
		}

		return $latest_plugin;
	}

	/**
	 * Gets the path to the autoloader.
	 *
	 * @param string $plugin_path The path to the plugin.
	 *
	 * @return string
	 */
	public function get_autoloader_path( $plugin_path ) {
		return trailingslashit( $plugin_path ) . 'vendor/autoload_packages.php';
	}

	/**
	 * Gets the version for the autoloader.
	 *
	 * @param string $plugin_path The path to the plugin.
	 *
	 * @return string|null
	 */
	public function get_autoloader_version( $plugin_path ) {
		$classmap = trailingslashit( $plugin_path ) . 'vendor/composer/jetpack_autoload_classmap.php';
		if ( ! file_exists( $classmap ) ) {
			return null;
		}

		$classmap = require $classmap;
		if ( isset( $classmap[ AutoloadGenerator::class ] ) ) {
			return $classmap[ AutoloadGenerator::class ]['version'];
		}

		return null;
	}
}
jetpack-autoloader/class-shutdown-handler.php000064400000005505151332455420015435 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class handles the shutdown of the autoloader.
 */
class Shutdown_Handler {

	/**
	 * The Plugins_Handler instance.
	 *
	 * @var Plugins_Handler
	 */
	private $plugins_handler;

	/**
	 * The plugins cached by this autoloader.
	 *
	 * @var string[]
	 */
	private $cached_plugins;

	/**
	 * Indicates whether or not this autoloader was included by another.
	 *
	 * @var bool
	 */
	private $was_included_by_autoloader;

	/**
	 * Constructor.
	 *
	 * @param Plugins_Handler $plugins_handler The Plugins_Handler instance to use.
	 * @param string[]        $cached_plugins The plugins cached by the autoloaer.
	 * @param bool            $was_included_by_autoloader Indicates whether or not the autoloader was included by another.
	 */
	public function __construct( $plugins_handler, $cached_plugins, $was_included_by_autoloader ) {
		$this->plugins_handler            = $plugins_handler;
		$this->cached_plugins             = $cached_plugins;
		$this->was_included_by_autoloader = $was_included_by_autoloader;
	}

	/**
	 * Handles the shutdown of the autoloader.
	 */
	public function __invoke() {
		// Don't save a broken cache if an error happens during some plugin's initialization.
		if ( ! did_action( 'plugins_loaded' ) ) {
			// Ensure that the cache is emptied to prevent consecutive failures if the cache is to blame.
			if ( ! empty( $this->cached_plugins ) ) {
				$this->plugins_handler->cache_plugins( array() );
			}

			return;
		}

		// Load the active plugins fresh since the list we pulled earlier might not contain
		// plugins that were activated but did not reset the autoloader. This happens
		// when a plugin is in the cache but not "active" when the autoloader loads.
		// We also want to make sure that plugins which are deactivating are not
		// considered "active" so that they will be removed from the cache now.
		try {
			$active_plugins = $this->plugins_handler->get_active_plugins( false, ! $this->was_included_by_autoloader );
		} catch ( \Exception $ex ) {
			// When the package is deleted before shutdown it will throw an exception.
			// In the event this happens we should erase the cache.
			if ( ! empty( $this->cached_plugins ) ) {
				$this->plugins_handler->cache_plugins( array() );
			}
			return;
		}

		// The paths should be sorted for easy comparisons with those loaded from the cache.
		// Note we don't need to sort the cached entries because they're already sorted.
		sort( $active_plugins );

		// We don't want to waste time saving a cache that hasn't changed.
		if ( $this->cached_plugins === $active_plugins ) {
			return;
		}

		$this->plugins_handler->cache_plugins( $active_plugins );
	}
}
jetpack-autoloader/class-plugin-locator.php000064400000010476151332455420015111 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class scans the WordPress installation to find active plugins.
 */
class Plugin_Locator {

	/**
	 * The path processor for finding plugin paths.
	 *
	 * @var Path_Processor
	 */
	private $path_processor;

	/**
	 * The constructor.
	 *
	 * @param Path_Processor $path_processor The Path_Processor instance.
	 */
	public function __construct( $path_processor ) {
		$this->path_processor = $path_processor;
	}

	/**
	 * Finds the path to the current plugin.
	 *
	 * @return string $path The path to the current plugin.
	 *
	 * @throws \RuntimeException If the current plugin does not have an autoloader.
	 */
	public function find_current_plugin() {
		// Escape from `vendor/__DIR__` to root plugin directory.
		$plugin_directory = dirname( dirname( __DIR__ ) );

		// Use the path processor to ensure that this is an autoloader we're referencing.
		$path = $this->path_processor->find_directory_with_autoloader( $plugin_directory, array() );
		if ( false === $path ) {
			throw new \RuntimeException( 'Failed to locate plugin ' . $plugin_directory );
		}

		return $path;
	}

	/**
	 * Checks a given option for plugin paths.
	 *
	 * @param string $option_name  The option that we want to check for plugin information.
	 * @param bool   $site_option  Indicates whether or not we want to check the site option.
	 *
	 * @return array $plugin_paths The list of absolute paths we've found.
	 */
	public function find_using_option( $option_name, $site_option = false ) {
		$raw = $site_option ? get_site_option( $option_name ) : get_option( $option_name );
		if ( false === $raw ) {
			return array();
		}

		return $this->convert_plugins_to_paths( $raw );
	}

	/**
	 * Checks for plugins in the `action` request parameter.
	 *
	 * @param string[] $allowed_actions The actions that we're allowed to return plugins for.
	 *
	 * @return array $plugin_paths The list of absolute paths we've found.
	 */
	public function find_using_request_action( $allowed_actions ) {
		// phpcs:disable WordPress.Security.NonceVerification.Recommended

		/**
		 * Note: we're not actually checking the nonce here because it's too early
		 * in the execution. The pluggable functions are not yet loaded to give
		 * plugins a chance to plug their versions. Therefore we're doing the bare
		 * minimum: checking whether the nonce exists and it's in the right place.
		 * The request will fail later if the nonce doesn't pass the check.
		 */
		if ( empty( $_REQUEST['_wpnonce'] ) ) {
			return array();
		}

		$action = isset( $_REQUEST['action'] ) ? wp_unslash( $_REQUEST['action'] ) : false;
		if ( ! in_array( $action, $allowed_actions, true ) ) {
			return array();
		}

		$plugin_slugs = array();
		switch ( $action ) {
			case 'activate':
			case 'deactivate':
				if ( empty( $_REQUEST['plugin'] ) ) {
					break;
				}

				$plugin_slugs[] = wp_unslash( $_REQUEST['plugin'] );
				break;

			case 'activate-selected':
			case 'deactivate-selected':
				if ( empty( $_REQUEST['checked'] ) ) {
					break;
				}

				$plugin_slugs = wp_unslash( $_REQUEST['checked'] );
				break;
		}

		// phpcs:enable WordPress.Security.NonceVerification.Recommended
		return $this->convert_plugins_to_paths( $plugin_slugs );
	}

	/**
	 * Given an array of plugin slugs or paths, this will convert them to absolute paths and filter
	 * out the plugins that are not directory plugins. Note that array keys will also be included
	 * if they are plugin paths!
	 *
	 * @param string[] $plugins Plugin paths or slugs to filter.
	 *
	 * @return string[]
	 */
	private function convert_plugins_to_paths( $plugins ) {
		if ( ! is_array( $plugins ) || empty( $plugins ) ) {
			return array();
		}

		// We're going to look for plugins in the standard directories.
		$path_constants = array( WP_PLUGIN_DIR, WPMU_PLUGIN_DIR );

		$plugin_paths = array();
		foreach ( $plugins as $key => $value ) {
			$path = $this->path_processor->find_directory_with_autoloader( $key, $path_constants );
			if ( $path ) {
				$plugin_paths[] = $path;
			}

			$path = $this->path_processor->find_directory_with_autoloader( $value, $path_constants );
			if ( $path ) {
				$plugin_paths[] = $path;
			}
		}

		return $plugin_paths;
	}
}
jetpack-autoloader/class-plugins-handler.php000064400000013373151332455420015245 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class handles locating and caching all of the active plugins.
 */
class Plugins_Handler {
	/**
	 * The transient key for plugin paths.
	 */
	const TRANSIENT_KEY = 'jetpack_autoloader_plugin_paths';

	/**
	 * The locator for finding plugins in different locations.
	 *
	 * @var Plugin_Locator
	 */
	private $plugin_locator;

	/**
	 * The processor for transforming cached paths.
	 *
	 * @var Path_Processor
	 */
	private $path_processor;

	/**
	 * The constructor.
	 *
	 * @param Plugin_Locator $plugin_locator The locator for finding active plugins.
	 * @param Path_Processor $path_processor The processor for transforming cached paths.
	 */
	public function __construct( $plugin_locator, $path_processor ) {
		$this->plugin_locator = $plugin_locator;
		$this->path_processor = $path_processor;
	}

	/**
	 * Gets all of the active plugins we can find.
	 *
	 * @param bool $include_deactivating When true, plugins deactivating this request will be considered active.
	 * @param bool $record_unknown When true, the current plugin will be marked as active and recorded when unknown.
	 *
	 * @return string[]
	 */
	public function get_active_plugins( $include_deactivating, $record_unknown ) {
		global $jetpack_autoloader_activating_plugins_paths;

		// We're going to build a unique list of plugins from a few different sources
		// to find all of our "active" plugins. While we need to return an integer
		// array, we're going to use an associative array internally to reduce
		// the amount of time that we're going to spend checking uniqueness
		// and merging different arrays together to form the output.
		$active_plugins = array();

		// Make sure that plugins which have activated this request are considered as "active" even though
		// they probably won't be present in any option.
		if ( is_array( $jetpack_autoloader_activating_plugins_paths ) ) {
			foreach ( $jetpack_autoloader_activating_plugins_paths as $path ) {
				$active_plugins[ $path ] = $path;
			}
		}

		// This option contains all of the plugins that have been activated.
		$plugins = $this->plugin_locator->find_using_option( 'active_plugins' );
		foreach ( $plugins as $path ) {
			$active_plugins[ $path ] = $path;
		}

		// This option contains all of the multisite plugins that have been activated.
		if ( is_multisite() ) {
			$plugins = $this->plugin_locator->find_using_option( 'active_sitewide_plugins', true );
			foreach ( $plugins as $path ) {
				$active_plugins[ $path ] = $path;
			}
		}

		// These actions contain plugins that are being activated/deactivated during this request.
		$plugins = $this->plugin_locator->find_using_request_action( array( 'activate', 'activate-selected', 'deactivate', 'deactivate-selected' ) );
		foreach ( $plugins as $path ) {
			$active_plugins[ $path ] = $path;
		}

		// When the current plugin isn't considered "active" there's a problem.
		// Since we're here, the plugin is active and currently being loaded.
		// We can support this case (mu-plugins and non-standard activation)
		// by adding the current plugin to the active list and marking it
		// as an unknown (activating) plugin. This also has the benefit
		// of causing a reset because the active plugins list has
		// been changed since it was saved in the global.
		$current_plugin = $this->plugin_locator->find_current_plugin();
		if ( $record_unknown && ! in_array( $current_plugin, $active_plugins, true ) ) {
			$active_plugins[ $current_plugin ]             = $current_plugin;
			$jetpack_autoloader_activating_plugins_paths[] = $current_plugin;
		}

		// When deactivating plugins aren't desired we should entirely remove them from the active list.
		if ( ! $include_deactivating ) {
			// These actions contain plugins that are being deactivated during this request.
			$plugins = $this->plugin_locator->find_using_request_action( array( 'deactivate', 'deactivate-selected' ) );
			foreach ( $plugins as $path ) {
				unset( $active_plugins[ $path ] );
			}
		}

		// Transform the array so that we don't have to worry about the keys interacting with other array types later.
		return array_values( $active_plugins );
	}

	/**
	 * Gets all of the cached plugins if there are any.
	 *
	 * @return string[]
	 */
	public function get_cached_plugins() {
		$cached = get_transient( self::TRANSIENT_KEY );
		if ( ! is_array( $cached ) || empty( $cached ) ) {
			return array();
		}

		// We need to expand the tokens to an absolute path for this webserver.
		return array_map( array( $this->path_processor, 'untokenize_path_constants' ), $cached );
	}

	/**
	 * Saves the plugin list to the cache.
	 *
	 * @param array $plugins The plugin list to save to the cache.
	 */
	public function cache_plugins( $plugins ) {
		// We store the paths in a tokenized form so that that webservers with different absolute paths don't break.
		$plugins = array_map( array( $this->path_processor, 'tokenize_path_constants' ), $plugins );

		set_transient( self::TRANSIENT_KEY, $plugins );
	}

	/**
	 * Checks to see whether or not the plugin list given has changed when compared to the
	 * shared `$jetpack_autoloader_cached_plugin_paths` global. This allows us to deal
	 * with cases where the active list may change due to filtering..
	 *
	 * @param string[] $plugins The plugins list to check against the global cache.
	 *
	 * @return bool True if the plugins have changed, otherwise false.
	 */
	public function have_plugins_changed( $plugins ) {
		global $jetpack_autoloader_cached_plugin_paths;

		if ( $jetpack_autoloader_cached_plugin_paths !== $plugins ) {
			$jetpack_autoloader_cached_plugin_paths = $plugins;
			return true;
		}

		return false;
	}
}
jetpack-autoloader/class-path-processor.php000064400000013061151332455420015114 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class handles dealing with paths for the autoloader.
 */
class Path_Processor {
	/**
	 * Given a path this will replace any of the path constants with a token to represent it.
	 *
	 * @param string $path The path we want to process.
	 *
	 * @return string The tokenized path.
	 */
	public function tokenize_path_constants( $path ) {
		$path = wp_normalize_path( $path );

		$constants = $this->get_normalized_constants();
		foreach ( $constants as $constant => $constant_path ) {
			$len = strlen( $constant_path );
			if ( substr( $path, 0, $len ) !== $constant_path ) {
				continue;
			}

			return substr_replace( $path, '{{' . $constant . '}}', 0, $len );
		}

		return $path;
	}

	/**
	 * Given a path this will replace any of the path constant tokens with the expanded path.
	 *
	 * @param string $tokenized_path The path we want to process.
	 *
	 * @return string The expanded path.
	 */
	public function untokenize_path_constants( $tokenized_path ) {
		$tokenized_path = wp_normalize_path( $tokenized_path );

		$constants = $this->get_normalized_constants();
		foreach ( $constants as $constant => $constant_path ) {
			$constant = '{{' . $constant . '}}';

			$len = strlen( $constant );
			if ( substr( $tokenized_path, 0, $len ) !== $constant ) {
				continue;
			}

			return $this->get_real_path( substr_replace( $tokenized_path, $constant_path, 0, $len ) );
		}

		return $tokenized_path;
	}

	/**
	 * Given a file and an array of places it might be, this will find the absolute path and return it.
	 *
	 * @param string $file The plugin or theme file to resolve.
	 * @param array  $directories_to_check The directories we should check for the file if it isn't an absolute path.
	 *
	 * @return string|false Returns the absolute path to the directory, otherwise false.
	 */
	public function find_directory_with_autoloader( $file, $directories_to_check ) {
		$file = wp_normalize_path( $file );

		if ( ! $this->is_absolute_path( $file ) ) {
			$file = $this->find_absolute_plugin_path( $file, $directories_to_check );
			if ( ! isset( $file ) ) {
				return false;
			}
		}

		// We need the real path for consistency with __DIR__ paths.
		$file = $this->get_real_path( $file );

		// phpcs:disable WordPress.PHP.NoSilencedErrors.Discouraged
		$directory = @is_file( $file ) ? dirname( $file ) : $file;
		if ( ! @is_file( $directory . '/vendor/composer/jetpack_autoload_classmap.php' ) ) {
			return false;
		}
		// phpcs:enable WordPress.PHP.NoSilencedErrors.Discouraged

		return $directory;
	}

	/**
	 * Fetches an array of normalized paths keyed by the constant they came from.
	 *
	 * @return string[] The normalized paths keyed by the constant.
	 */
	private function get_normalized_constants() {
		$raw_constants = array(
			// Order the constants from most-specific to least-specific.
			'WP_PLUGIN_DIR',
			'WPMU_PLUGIN_DIR',
			'WP_CONTENT_DIR',
			'ABSPATH',
		);

		$constants = array();
		foreach ( $raw_constants as $raw ) {
			if ( ! defined( $raw ) ) {
				continue;
			}

			$path = wp_normalize_path( constant( $raw ) );
			if ( isset( $path ) ) {
				$constants[ $raw ] = $path;
			}
		}

		return $constants;
	}

	/**
	 * Indicates whether or not a path is absolute.
	 *
	 * @param string $path The path to check.
	 *
	 * @return bool True if the path is absolute, otherwise false.
	 */
	private function is_absolute_path( $path ) {
		if ( 0 === strlen( $path ) || '.' === $path[0] ) {
			return false;
		}

		// Absolute paths on Windows may begin with a drive letter.
		if ( preg_match( '/^[a-zA-Z]:[\/\\\\]/', $path ) ) {
			return true;
		}

		// A path starting with / or \ is absolute; anything else is relative.
		return ( '/' === $path[0] || '\\' === $path[0] );
	}

	/**
	 * Given a file and a list of directories to check, this method will try to figure out
	 * the absolute path to the file in question.
	 *
	 * @param string $normalized_path The normalized path to the plugin or theme file to resolve.
	 * @param array  $directories_to_check The directories we should check for the file if it isn't an absolute path.
	 *
	 * @return string|null The absolute path to the plugin file, otherwise null.
	 */
	private function find_absolute_plugin_path( $normalized_path, $directories_to_check ) {
		// We're only able to find the absolute path for plugin/theme PHP files.
		if ( ! is_string( $normalized_path ) || '.php' !== substr( $normalized_path, -4 ) ) {
			return null;
		}

		foreach ( $directories_to_check as $directory ) {
			$normalized_check = wp_normalize_path( trailingslashit( $directory ) ) . $normalized_path;
			// phpcs:ignore WordPress.PHP.NoSilencedErrors.Discouraged
			if ( @is_file( $normalized_check ) ) {
				return $normalized_check;
			}
		}

		return null;
	}

	/**
	 * Given a path this will figure out the real path that we should be using.
	 *
	 * @param string $path The path to resolve.
	 *
	 * @return string The resolved path.
	 */
	private function get_real_path( $path ) {
		// We want to resolve symbolic links for consistency with __DIR__ paths.
		// phpcs:ignore WordPress.PHP.NoSilencedErrors.Discouraged
		$real_path = @realpath( $path );
		if ( false === $real_path ) {
			// Let the autoloader deal with paths that don't exist.
			$real_path = $path;
		}

		// Using realpath will make it platform-specific so we must normalize it after.
		if ( $path !== $real_path ) {
			$real_path = wp_normalize_path( $real_path );
		}

		return $real_path;
	}
}
jetpack-autoloader/class-autoloader.php000064400000010075151332455420014304 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class handles management of the actual PHP autoloader.
 */
class Autoloader {

	/**
	 * Checks to see whether or not the autoloader should be initialized and then initializes it if so.
	 *
	 * @param Container|null $container The container we want to use for autoloader initialization. If none is given
	 *                                  then a container will be created automatically.
	 */
	public static function init( $container = null ) {
		// The container holds and manages the lifecycle of our dependencies
		// to make them easier to work with and increase flexibility.
		if ( ! isset( $container ) ) {
			require_once __DIR__ . '/class-container.php';
			$container = new Container();
		}

		// phpcs:disable Generic.Commenting.DocComment.MissingShort

		/** @var Autoloader_Handler $autoloader_handler */
		$autoloader_handler = $container->get( Autoloader_Handler::class );

		// If the autoloader is already initializing it means that it has included us as the latest.
		$was_included_by_autoloader = $autoloader_handler->is_initializing();

		/** @var Plugin_Locator $plugin_locator */
		$plugin_locator = $container->get( Plugin_Locator::class );

		/** @var Plugins_Handler $plugins_handler */
		$plugins_handler = $container->get( Plugins_Handler::class );

		// The current plugin is the one that we are attempting to initialize here.
		$current_plugin = $plugin_locator->find_current_plugin();

		// The active plugins are those that we were able to discover on the site. This list will not
		// include mu-plugins, those activated by code, or those who are hidden by filtering. We also
		// want to take care to not consider the current plugin unknown if it was included by an
		// autoloader. This avoids the case where a plugin will be marked "active" while deactivated
		// due to it having the latest autoloader.
		$active_plugins = $plugins_handler->get_active_plugins( true, ! $was_included_by_autoloader );

		// The cached plugins are all of those that were active or discovered by the autoloader during a previous request.
		// Note that it's possible this list will include plugins that have since been deactivated, but after a request
		// the cache should be updated and the deactivated plugins will be removed.
		$cached_plugins = $plugins_handler->get_cached_plugins();

		// We combine the active list and cached list to preemptively load classes for plugins that are
		// presently unknown but will be loaded during the request. While this may result in us considering packages in
		// deactivated plugins there shouldn't be any problems as a result and the eventual consistency is sufficient.
		$all_plugins = array_merge( $active_plugins, $cached_plugins );

		// In particular we also include the current plugin to address the case where it is the latest autoloader
		// but also unknown (and not cached). We don't want it in the active list because we don't know that it
		// is active but we need it in the all plugins list so that it is considered by the autoloader.
		$all_plugins[] = $current_plugin;

		// We require uniqueness in the array to avoid processing the same plugin more than once.
		$all_plugins = array_values( array_unique( $all_plugins ) );

		/** @var Latest_Autoloader_Guard $guard */
		$guard = $container->get( Latest_Autoloader_Guard::class );
		if ( $guard->should_stop_init( $current_plugin, $all_plugins, $was_included_by_autoloader ) ) {
			return;
		}

		// Initialize the autoloader using the handler now that we're ready.
		$autoloader_handler->activate_autoloader( $all_plugins );

		/** @var Hook_Manager $hook_manager */
		$hook_manager = $container->get( Hook_Manager::class );

		// Register a shutdown handler to clean up the autoloader.
		$hook_manager->add_action( 'shutdown', new Shutdown_Handler( $plugins_handler, $cached_plugins, $was_included_by_autoloader ) );

		// phpcs:enable Generic.Commenting.DocComment.MissingShort
	}
}
jetpack-autoloader/class-version-loader.php000064400000010166151332455420015077 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * This class loads other classes based on given parameters.
 */
class Version_Loader {

	/**
	 * The Version_Selector object.
	 *
	 * @var Version_Selector
	 */
	private $version_selector;

	/**
	 * A map of available classes and their version and file path.
	 *
	 * @var array
	 */
	private $classmap;

	/**
	 * A map of PSR-4 namespaces and their version and directory path.
	 *
	 * @var array
	 */
	private $psr4_map;

	/**
	 * A map of all the files that we should load.
	 *
	 * @var array
	 */
	private $filemap;

	/**
	 * The constructor.
	 *
	 * @param Version_Selector $version_selector The Version_Selector object.
	 * @param array            $classmap The verioned classmap to load using.
	 * @param array            $psr4_map The versioned PSR-4 map to load using.
	 * @param array            $filemap The versioned filemap to load.
	 */
	public function __construct( $version_selector, $classmap, $psr4_map, $filemap ) {
		$this->version_selector = $version_selector;
		$this->classmap         = $classmap;
		$this->psr4_map         = $psr4_map;
		$this->filemap          = $filemap;
	}

	/**
	 * Finds the file path for the given class.
	 *
	 * @param string $class_name The class to find.
	 *
	 * @return string|null $file_path The path to the file if found, null if no class was found.
	 */
	public function find_class_file( $class_name ) {
		$data = $this->select_newest_file(
			isset( $this->classmap[ $class_name ] ) ? $this->classmap[ $class_name ] : null,
			$this->find_psr4_file( $class_name )
		);
		if ( ! isset( $data ) ) {
			return null;
		}

		return $data['path'];
	}

	/**
	 * Load all of the files in the filemap.
	 */
	public function load_filemap() {
		if ( empty( $this->filemap ) ) {
			return;
		}

		foreach ( $this->filemap as $file_identifier => $file_data ) {
			if ( empty( $GLOBALS['__composer_autoload_files'][ $file_identifier ] ) ) {
				require_once $file_data['path'];

				$GLOBALS['__composer_autoload_files'][ $file_identifier ] = true;
			}
		}
	}

	/**
	 * Compares different class sources and returns the newest.
	 *
	 * @param array|null $classmap_data The classmap class data.
	 * @param array|null $psr4_data The PSR-4 class data.
	 *
	 * @return array|null $data
	 */
	private function select_newest_file( $classmap_data, $psr4_data ) {
		if ( ! isset( $classmap_data ) ) {
			return $psr4_data;
		} elseif ( ! isset( $psr4_data ) ) {
			return $classmap_data;
		}

		if ( $this->version_selector->is_version_update_required( $classmap_data['version'], $psr4_data['version'] ) ) {
			return $psr4_data;
		}

		return $classmap_data;
	}

	/**
	 * Finds the file for a given class in a PSR-4 namespace.
	 *
	 * @param string $class_name The class to find.
	 *
	 * @return array|null $data The version and path path to the file if found, null otherwise.
	 */
	private function find_psr4_file( $class_name ) {
		if ( ! isset( $this->psr4_map ) ) {
			return null;
		}

		// Don't bother with classes that have no namespace.
		$class_index = strrpos( $class_name, '\\' );
		if ( ! $class_index ) {
			return null;
		}
		$class_for_path = str_replace( '\\', '/', $class_name );

		// Search for the namespace by iteratively cutting off the last segment until
		// we find a match. This allows us to check the most-specific namespaces
		// first as well as minimize the amount of time spent looking.
		for (
			$class_namespace = substr( $class_name, 0, $class_index );
			! empty( $class_namespace );
			$class_namespace = substr( $class_namespace, 0, strrpos( $class_namespace, '\\' ) )
		) {
			$namespace = $class_namespace . '\\';
			if ( ! isset( $this->psr4_map[ $namespace ] ) ) {
				continue;
			}
			$data = $this->psr4_map[ $namespace ];

			foreach ( $data['path'] as $path ) {
				$path .= '/' . substr( $class_for_path, strlen( $namespace ) ) . '.php';
				if ( file_exists( $path ) ) {
					return array(
						'version' => $data['version'],
						'path'    => $path,
					);
				}
			}
		}

		return null;
	}
}
jetpack-autoloader/class-autoloader-handler.php000064400000010767151332455420015727 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

use Automattic\Jetpack\Autoloader\AutoloadGenerator;

/**
 * This class selects the package version for the autoloader.
 */
class Autoloader_Handler {

	/**
	 * The PHP_Autoloader instance.
	 *
	 * @var PHP_Autoloader
	 */
	private $php_autoloader;

	/**
	 * The Hook_Manager instance.
	 *
	 * @var Hook_Manager
	 */
	private $hook_manager;

	/**
	 * The Manifest_Reader instance.
	 *
	 * @var Manifest_Reader
	 */
	private $manifest_reader;

	/**
	 * The Version_Selector instance.
	 *
	 * @var Version_Selector
	 */
	private $version_selector;

	/**
	 * The constructor.
	 *
	 * @param PHP_Autoloader   $php_autoloader The PHP_Autoloader instance.
	 * @param Hook_Manager     $hook_manager The Hook_Manager instance.
	 * @param Manifest_Reader  $manifest_reader The Manifest_Reader instance.
	 * @param Version_Selector $version_selector The Version_Selector instance.
	 */
	public function __construct( $php_autoloader, $hook_manager, $manifest_reader, $version_selector ) {
		$this->php_autoloader   = $php_autoloader;
		$this->hook_manager     = $hook_manager;
		$this->manifest_reader  = $manifest_reader;
		$this->version_selector = $version_selector;
	}

	/**
	 * Checks to see whether or not an autoloader is currently in the process of initializing.
	 *
	 * @return bool
	 */
	public function is_initializing() {
		// If no version has been set it means that no autoloader has started initializing yet.
		global $jetpack_autoloader_latest_version;
		if ( ! isset( $jetpack_autoloader_latest_version ) ) {
			return false;
		}

		// When the version is set but the classmap is not it ALWAYS means that this is the
		// latest autoloader and is being included by an older one.
		global $jetpack_packages_classmap;
		if ( empty( $jetpack_packages_classmap ) ) {
			return true;
		}

		// Version 2.4.0 added a new global and altered the reset semantics. We need to check
		// the other global as well since it may also point at initialization.
		// Note: We don't need to check for the class first because every autoloader that
		// will set the latest version global requires this class in the classmap.
		$replacing_version = $jetpack_packages_classmap[ AutoloadGenerator::class ]['version'];
		if ( $this->version_selector->is_dev_version( $replacing_version ) || version_compare( $replacing_version, '2.4.0.0', '>=' ) ) {
			global $jetpack_autoloader_loader;
			if ( ! isset( $jetpack_autoloader_loader ) ) {
				return true;
			}
		}

		return false;
	}

	/**
	 * Activates an autoloader using the given plugins and activates it.
	 *
	 * @param string[] $plugins The plugins to initialize the autoloader for.
	 */
	public function activate_autoloader( $plugins ) {
		global $jetpack_packages_psr4;
		$jetpack_packages_psr4 = array();
		$this->manifest_reader->read_manifests( $plugins, 'vendor/composer/jetpack_autoload_psr4.php', $jetpack_packages_psr4 );

		global $jetpack_packages_classmap;
		$jetpack_packages_classmap = array();
		$this->manifest_reader->read_manifests( $plugins, 'vendor/composer/jetpack_autoload_classmap.php', $jetpack_packages_classmap );

		global $jetpack_packages_filemap;
		$jetpack_packages_filemap = array();
		$this->manifest_reader->read_manifests( $plugins, 'vendor/composer/jetpack_autoload_filemap.php', $jetpack_packages_filemap );

		$loader = new Version_Loader(
			$this->version_selector,
			$jetpack_packages_classmap,
			$jetpack_packages_psr4,
			$jetpack_packages_filemap
		);

		$this->php_autoloader->register_autoloader( $loader );

		// Now that the autoloader is active we can load the filemap.
		$loader->load_filemap();
	}

	/**
	 * Resets the active autoloader and all related global state.
	 */
	public function reset_autoloader() {
		$this->php_autoloader->unregister_autoloader();
		$this->hook_manager->reset();

		// Clear all of the autoloader globals so that older autoloaders don't do anything strange.
		global $jetpack_autoloader_latest_version;
		$jetpack_autoloader_latest_version = null;

		global $jetpack_packages_classmap;
		$jetpack_packages_classmap = array(); // Must be array to avoid exceptions in old autoloaders!

		global $jetpack_packages_psr4;
		$jetpack_packages_psr4 = array(); // Must be array to avoid exceptions in old autoloaders!

		global $jetpack_packages_filemap;
		$jetpack_packages_filemap = array(); // Must be array to avoid exceptions in old autoloaders!
	}
}
jetpack-autoloader/class-version-selector.php000064400000003467151332455420015457 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

/**
 * Used to select package versions.
 */
class Version_Selector {

	/**
	 * Checks whether the selected package version should be updated. Composer development
	 * package versions ('9999999-dev' or versions that start with 'dev-') are favored
	 * when the JETPACK_AUTOLOAD_DEV constant is set to true.
	 *
	 * @param String $selected_version The currently selected package version.
	 * @param String $compare_version The package version that is being evaluated to
	 *                                determine if the version needs to be updated.
	 *
	 * @return bool Returns true if the selected package version should be updated,
	 *                 else false.
	 */
	public function is_version_update_required( $selected_version, $compare_version ) {
		$use_dev_versions = defined( 'JETPACK_AUTOLOAD_DEV' ) && JETPACK_AUTOLOAD_DEV;

		if ( is_null( $selected_version ) ) {
			return true;
		}

		if ( $use_dev_versions && $this->is_dev_version( $selected_version ) ) {
			return false;
		}

		if ( $this->is_dev_version( $compare_version ) ) {
			if ( $use_dev_versions ) {
				return true;
			} else {
				return false;
			}
		}

		if ( version_compare( $selected_version, $compare_version, '<' ) ) {
			return true;
		}

		return false;
	}

	/**
	 * Checks whether the given package version is a development version.
	 *
	 * @param String $version The package version.
	 *
	 * @return bool True if the version is a dev version, else false.
	 */
	public function is_dev_version( $version ) {
		if ( 'dev-' === substr( $version, 0, 4 ) || '9999999-dev' === $version ) {
			return true;
		}

		return false;
	}
}
pelago/emogrifier/src/Emogrifier/Utilities/CssConcatenator.php000064400000013552151332455420020611 0ustar00<?php

namespace Pelago\Emogrifier\Utilities;

/**
 * Facilitates building a CSS string by appending rule blocks one at a time, checking whether the media query,
 * selectors, or declarations block are the same as those from the preceding block and combining blocks in such cases.
 *
 * Example:
 *  $concatenator = new CssConcatenator();
 *  $concatenator->append(['body'], 'color: blue;');
 *  $concatenator->append(['body'], 'font-size: 16px;');
 *  $concatenator->append(['p'], 'margin: 1em 0;');
 *  $concatenator->append(['ul', 'ol'], 'margin: 1em 0;');
 *  $concatenator->append(['body'], 'font-size: 14px;', '@media screen and (max-width: 400px)');
 *  $concatenator->append(['ul', 'ol'], 'margin: 0.75em 0;', '@media screen and (max-width: 400px)');
 *  $css = $concatenator->getCss();
 *
 * `$css` (if unminified) would contain the following CSS:
 * ` body {
 * `   color: blue;
 * `   font-size: 16px;
 * ` }
 * ` p, ul, ol {
 * `   margin: 1em 0;
 * ` }
 * ` @media screen and (max-width: 400px) {
 * `   body {
 * `     font-size: 14px;
 * `   }
 * `   ul, ol {
 * `     margin: 0.75em 0;
 * `   }
 * ` }
 *
 * @internal
 *
 * @author Jake Hotson <jake.github@qzdesign.co.uk>
 */
class CssConcatenator
{
    /**
     * Array of media rules in order.  Each element is an object with the following properties:
     * - string `media` - The media query string, e.g. "@media screen and (max-width:639px)", or an empty string for
     *   rules not within a media query block;
     * - \stdClass[] `ruleBlocks` - Array of rule blocks in order, where each element is an object with the following
     *   properties:
     *   - mixed[] `selectorsAsKeys` - Array whose keys are selectors for the rule block (values are of no
     *     significance);
     *   - string `declarationsBlock` - The property declarations, e.g. "margin-top: 0.5em; padding: 0".
     *
     * @var \stdClass[]
     */
    private $mediaRules = [];

    /**
     * Appends a declaration block to the CSS.
     *
     * @param string[] $selectors Array of selectors for the rule, e.g. ["ul", "ol", "p:first-child"].
     * @param string $declarationsBlock The property declarations, e.g. "margin-top: 0.5em; padding: 0".
     * @param string $media The media query for the rule, e.g. "@media screen and (max-width:639px)",
     *                      or an empty string if none.
     */
    public function append(array $selectors, $declarationsBlock, $media = '')
    {
        $selectorsAsKeys = \array_flip($selectors);

        $mediaRule = $this->getOrCreateMediaRuleToAppendTo($media);
        $lastRuleBlock = \end($mediaRule->ruleBlocks);

        $hasSameDeclarationsAsLastRule = $lastRuleBlock !== false
            && $declarationsBlock === $lastRuleBlock->declarationsBlock;
        if ($hasSameDeclarationsAsLastRule) {
            $lastRuleBlock->selectorsAsKeys += $selectorsAsKeys;
        } else {
            $hasSameSelectorsAsLastRule = $lastRuleBlock !== false
                && self::hasEquivalentSelectors($selectorsAsKeys, $lastRuleBlock->selectorsAsKeys);
            if ($hasSameSelectorsAsLastRule) {
                $lastDeclarationsBlockWithoutSemicolon = \rtrim(\rtrim($lastRuleBlock->declarationsBlock), ';');
                $lastRuleBlock->declarationsBlock = $lastDeclarationsBlockWithoutSemicolon . ';' . $declarationsBlock;
            } else {
                $mediaRule->ruleBlocks[] = (object)\compact('selectorsAsKeys', 'declarationsBlock');
            }
        }
    }

    /**
     * @return string
     */
    public function getCss()
    {
        return \implode('', \array_map([self::class, 'getMediaRuleCss'], $this->mediaRules));
    }

    /**
     * @param string $media The media query for rules to be appended, e.g. "@media screen and (max-width:639px)",
     *                      or an empty string if none.
     *
     * @return \stdClass Object with properties as described for elements of `$mediaRules`.
     */
    private function getOrCreateMediaRuleToAppendTo($media)
    {
        $lastMediaRule = \end($this->mediaRules);
        if ($lastMediaRule !== false && $media === $lastMediaRule->media) {
            return $lastMediaRule;
        }

        $newMediaRule = (object)[
            'media' => $media,
            'ruleBlocks' => [],
        ];
        $this->mediaRules[] = $newMediaRule;
        return $newMediaRule;
    }

    /**
     * Tests if two sets of selectors are equivalent (i.e. the same selectors, possibly in a different order).
     *
     * @param mixed[] $selectorsAsKeys1 Array in which the selectors are the keys, and the values are of no
     *                                  significance.
     * @param mixed[] $selectorsAsKeys2 Another such array.
     *
     * @return bool
     */
    private static function hasEquivalentSelectors(array $selectorsAsKeys1, array $selectorsAsKeys2)
    {
        return \count($selectorsAsKeys1) === \count($selectorsAsKeys2)
            && \count($selectorsAsKeys1) === \count($selectorsAsKeys1 + $selectorsAsKeys2);
    }

    /**
     * @param \stdClass $mediaRule Object with properties as described for elements of `$mediaRules`.
     *
     * @return string CSS for the media rule.
     */
    private static function getMediaRuleCss(\stdClass $mediaRule)
    {
        $css = \implode('', \array_map([self::class, 'getRuleBlockCss'], $mediaRule->ruleBlocks));
        if ($mediaRule->media !== '') {
            $css = $mediaRule->media . '{' . $css . '}';
        }
        return $css;
    }

    /**
     * @param \stdClass $ruleBlock Object with properties as described for elements of the `ruleBlocks` property of
     *                            elements of `$mediaRules`.
     *
     * @return string CSS for the rule block.
     */
    private static function getRuleBlockCss(\stdClass $ruleBlock)
    {
        $selectors = \array_keys($ruleBlock->selectorsAsKeys);
        return \implode(',', $selectors) . '{' . $ruleBlock->declarationsBlock . '}';
    }
}
pelago/emogrifier/src/Emogrifier/Utilities/ArrayIntersector.php000064400000003503151332455420021013 0ustar00<?php

namespace Pelago\Emogrifier\Utilities;

/**
 * When computing many array intersections using the same array, it is more efficient to use `array_flip()` first and
 * then `array_intersect_key()`, than `array_intersect()`.  See the discussion at
 * {@link https://stackoverflow.com/questions/6329211/php-array-intersect-efficiency Stack Overflow} for more
 * information.
 *
 * Of course, this is only possible if the arrays contain integer or string values, and either don't contain duplicates,
 * or that fact that duplicates will be removed does not matter.
 *
 * This class takes care of the detail.
 *
 * @internal
 *
 * @author Jake Hotson <jake.github@qzdesign.co.uk>
 */
class ArrayIntersector
{
    /**
     * the array with which the object was constructed, with all its keys exchanged with their associated values
     *
     * @var (int|string)[]
     */
    private $invertedArray;

    /**
     * Constructs the object with the array that will be reused for many intersection computations.
     *
     * @param (int|string)[] $array
     */
    public function __construct(array $array)
    {
        $this->invertedArray = \array_flip($array);
    }

    /**
     * Computes the intersection of `$array` and the array with which this object was constructed.
     *
     * @param (int|string)[] $array
     *
     * @return (int|string)[] Returns an array containing all of the values in `$array` whose values exist in the array
     *         with which this object was constructed.  Note that keys are preserved, order is maintained, but
     *         duplicates are removed.
     */
    public function intersectWith(array $array)
    {
        $invertedArray = \array_flip($array);

        $invertedIntersection = \array_intersect_key($invertedArray, $this->invertedArray);

        return \array_flip($invertedIntersection);
    }
}
pelago/emogrifier/src/Emogrifier/HtmlProcessor/HtmlPruner.php000064400000012131151332455420020441 0ustar00<?php

namespace Pelago\Emogrifier\HtmlProcessor;

use Pelago\Emogrifier\CssInliner;
use Pelago\Emogrifier\Utilities\ArrayIntersector;

/**
 * This class can remove things from HTML.
 *
 * @author Oliver Klee <github@oliverklee.de>
 * @author Jake Hotson <jake.github@qzdesign.co.uk>
 */
class HtmlPruner extends AbstractHtmlProcessor
{
    /**
     * We need to look for display:none, but we need to do a case-insensitive search. Since DOMDocument only
     * supports XPath 1.0, lower-case() isn't available to us. We've thus far only set attributes to lowercase,
     * not attribute values. Consequently, we need to translate() the letters that would be in 'NONE' ("NOE")
     * to lowercase.
     *
     * @var string
     */
    const DISPLAY_NONE_MATCHER
        = '//*[@style and contains(translate(translate(@style," ",""),"NOE","noe"),"display:none")'
        . ' and not(@class and contains(concat(" ", normalize-space(@class), " "), " -emogrifier-keep "))]';

    /**
     * Removes elements that have a "display: none;" style.
     *
     * @return self fluent interface
     */
    public function removeElementsWithDisplayNone()
    {
        $elementsWithStyleDisplayNone = $this->xPath->query(self::DISPLAY_NONE_MATCHER);
        if ($elementsWithStyleDisplayNone->length === 0) {
            return $this;
        }

        /** @var \DOMNode $element */
        foreach ($elementsWithStyleDisplayNone as $element) {
            $parentNode = $element->parentNode;
            if ($parentNode !== null) {
                $parentNode->removeChild($element);
            }
        }

        return $this;
    }

    /**
     * Removes classes that are no longer required (e.g. because there are no longer any CSS rules that reference them)
     * from `class` attributes.
     *
     * Note that this does not inspect the CSS, but expects to be provided with a list of classes that are still in use.
     *
     * This method also has the (presumably beneficial) side-effect of minifying (removing superfluous whitespace from)
     * `class` attributes.
     *
     * @param string[] $classesToKeep names of classes that should not be removed
     *
     * @return self fluent interface
     */
    public function removeRedundantClasses(array $classesToKeep = [])
    {
        $elementsWithClassAttribute = $this->xPath->query('//*[@class]');

        if ($classesToKeep !== []) {
            $this->removeClassesFromElements($elementsWithClassAttribute, $classesToKeep);
        } else {
            // Avoid unnecessary processing if there are no classes to keep.
            $this->removeClassAttributeFromElements($elementsWithClassAttribute);
        }

        return $this;
    }

    /**
     * Removes classes from the `class` attribute of each element in `$elements`, except any in `$classesToKeep`,
     * removing the `class` attribute itself if the resultant list is empty.
     *
     * @param \DOMNodeList $elements
     * @param string[] $classesToKeep
     *
     * @return void
     */
    private function removeClassesFromElements(\DOMNodeList $elements, array $classesToKeep)
    {
        $classesToKeepIntersector = new ArrayIntersector($classesToKeep);

        /** @var \DOMNode $element */
        foreach ($elements as $element) {
            $elementClasses = \preg_split('/\\s++/', \trim($element->getAttribute('class')));
            $elementClassesToKeep = $classesToKeepIntersector->intersectWith($elementClasses);
            if ($elementClassesToKeep !== []) {
                $element->setAttribute('class', \implode(' ', $elementClassesToKeep));
            } else {
                $element->removeAttribute('class');
            }
        }
    }

    /**
     * Removes the `class` attribute from each element in `$elements`.
     *
     * @param \DOMNodeList $elements
     *
     * @return void
     */
    private function removeClassAttributeFromElements(\DOMNodeList $elements)
    {
        /** @var \DOMNode $element */
        foreach ($elements as $element) {
            $element->removeAttribute('class');
        }
    }

    /**
     * After CSS has been inlined, there will likely be some classes in `class` attributes that are no longer referenced
     * by any remaining (uninlinable) CSS.  This method removes such classes.
     *
     * Note that it does not inspect the remaining CSS, but uses information readily available from the `CssInliner`
     * instance about the CSS rules that could not be inlined.
     *
     * @param CssInliner $cssInliner object instance that performed the CSS inlining
     *
     * @return self fluent interface
     *
     * @throws \BadMethodCallException if `inlineCss` has not first been called on `$cssInliner`
     */
    public function removeRedundantClassesAfterCssInlined(CssInliner $cssInliner)
    {
        $classesToKeepAsKeys = [];
        foreach ($cssInliner->getMatchingUninlinableSelectors() as $selector) {
            \preg_match_all('/\\.(-?+[_a-zA-Z][\\w\\-]*+)/', $selector, $matches);
            $classesToKeepAsKeys += \array_fill_keys($matches[1], true);
        }

        $this->removeRedundantClasses(\array_keys($classesToKeepAsKeys));

        return $this;
    }
}
pelago/emogrifier/src/Emogrifier/HtmlProcessor/AbstractHtmlProcessor.php000064400000021522151332455420022635 0ustar00<?php

namespace Pelago\Emogrifier\HtmlProcessor;

/**
 * Base class for HTML processor that e.g., can remove, add or modify nodes or attributes.
 *
 * The "vanilla" subclass is the HtmlNormalizer.
 *
 * @author Oliver Klee <github@oliverklee.de>
 */
abstract class AbstractHtmlProcessor
{
    /**
     * @var string
     */
    const DEFAULT_DOCUMENT_TYPE = '<!DOCTYPE html>';

    /**
     * @var string
     */
    const CONTENT_TYPE_META_TAG = '<meta http-equiv="Content-Type" content="text/html; charset=utf-8">';

    /**
     * @var string Regular expression part to match tag names that PHP's DOMDocument implementation is not aware are
     *      self-closing. These are mostly HTML5 elements, but for completeness <command> (obsolete) and <keygen>
     *      (deprecated) are also included.
     *
     * @see https://bugs.php.net/bug.php?id=73175
     */
    const PHP_UNRECOGNIZED_VOID_TAGNAME_MATCHER = '(?:command|embed|keygen|source|track|wbr)';

    /**
     * @var \DOMDocument
     */
    protected $domDocument = null;

    /**
     * @var \DOMXPath
     */
    protected $xPath = null;

    /**
     * The constructor.
     *
     * Please use ::fromHtml instead.
     */
    private function __construct()
    {
    }

    /**
     * Builds a new instance from the given HTML.
     *
     * @param string $unprocessedHtml raw HTML, must be UTF-encoded, must not be empty
     *
     * @return static
     *
     * @throws \InvalidArgumentException if $unprocessedHtml is anything other than a non-empty string
     */
    public static function fromHtml($unprocessedHtml)
    {
        if (!\is_string($unprocessedHtml)) {
            throw new \InvalidArgumentException('The provided HTML must be a string.', 1515459744);
        }
        if ($unprocessedHtml === '') {
            throw new \InvalidArgumentException('The provided HTML must not be empty.', 1515763647);
        }

        $instance = new static();
        $instance->setHtml($unprocessedHtml);

        return $instance;
    }

    /**
     * Builds a new instance from the given DOM document.
     *
     * @param \DOMDocument $document a DOM document returned by getDomDocument() of another instance
     *
     * @return static
     */
    public static function fromDomDocument(\DOMDocument $document)
    {
        $instance = new static();
        $instance->setDomDocument($document);

        return $instance;
    }

    /**
     * Sets the HTML to process.
     *
     * @param string $html the HTML to process, must be UTF-8-encoded
     *
     * @return void
     */
    private function setHtml($html)
    {
        $this->createUnifiedDomDocument($html);
    }

    /**
     * Provides access to the internal DOMDocument representation of the HTML in its current state.
     *
     * @return \DOMDocument
     */
    public function getDomDocument()
    {
        return $this->domDocument;
    }

    /**
     * @param \DOMDocument $domDocument
     *
     * @return void
     */
    private function setDomDocument(\DOMDocument $domDocument)
    {
        $this->domDocument = $domDocument;
        $this->xPath = new \DOMXPath($this->domDocument);
    }

    /**
     * Renders the normalized and processed HTML.
     *
     * @return string
     */
    public function render()
    {
        $htmlWithPossibleErroneousClosingTags = $this->domDocument->saveHTML();

        return $this->removeSelfClosingTagsClosingTags($htmlWithPossibleErroneousClosingTags);
    }

    /**
     * Renders the content of the BODY element of the normalized and processed HTML.
     *
     * @return string
     */
    public function renderBodyContent()
    {
        $htmlWithPossibleErroneousClosingTags = $this->domDocument->saveHTML($this->getBodyElement());
        $bodyNodeHtml = $this->removeSelfClosingTagsClosingTags($htmlWithPossibleErroneousClosingTags);

        return \preg_replace('%</?+body(?:\\s[^>]*+)?+>%', '', $bodyNodeHtml);
    }

    /**
     * Eliminates any invalid closing tags for void elements from the given HTML.
     *
     * @param string $html
     *
     * @return string
     */
    private function removeSelfClosingTagsClosingTags($html)
    {
        return \preg_replace('%</' . static::PHP_UNRECOGNIZED_VOID_TAGNAME_MATCHER . '>%', '', $html);
    }

    /**
     * Returns the BODY element.
     *
     * This method assumes that there always is a BODY element.
     *
     * @return \DOMElement
     */
    private function getBodyElement()
    {
        return $this->domDocument->getElementsByTagName('body')->item(0);
    }

    /**
     * Creates a DOM document from the given HTML and stores it in $this->domDocument.
     *
     * The DOM document will always have a BODY element and a document type.
     *
     * @param string $html
     *
     * @return void
     */
    private function createUnifiedDomDocument($html)
    {
        $this->createRawDomDocument($html);
        $this->ensureExistenceOfBodyElement();
    }

    /**
     * Creates a DOMDocument instance from the given HTML and stores it in $this->domDocument.
     *
     * @param string $html
     *
     * @return void
     */
    private function createRawDomDocument($html)
    {
        $domDocument = new \DOMDocument();
        $domDocument->strictErrorChecking = false;
        $domDocument->formatOutput = true;
        $libXmlState = \libxml_use_internal_errors(true);
        $domDocument->loadHTML($this->prepareHtmlForDomConversion($html));
        \libxml_clear_errors();
        \libxml_use_internal_errors($libXmlState);

        $this->setDomDocument($domDocument);
    }

    /**
     * Returns the HTML with added document type, Content-Type meta tag, and self-closing slashes, if needed,
     * ensuring that the HTML will be good for creating a DOM document from it.
     *
     * @param string $html
     *
     * @return string the unified HTML
     */
    private function prepareHtmlForDomConversion($html)
    {
        $htmlWithSelfClosingSlashes = $this->ensurePhpUnrecognizedSelfClosingTagsAreXml($html);
        $htmlWithDocumentType = $this->ensureDocumentType($htmlWithSelfClosingSlashes);

        return $this->addContentTypeMetaTag($htmlWithDocumentType);
    }

    /**
     * Makes sure that the passed HTML has a document type.
     *
     * @param string $html
     *
     * @return string HTML with document type
     */
    private function ensureDocumentType($html)
    {
        $hasDocumentType = \stripos($html, '<!DOCTYPE') !== false;
        if ($hasDocumentType) {
            return $html;
        }

        return static::DEFAULT_DOCUMENT_TYPE . $html;
    }

    /**
     * Adds a Content-Type meta tag for the charset.
     *
     * This method also ensures that there is a HEAD element.
     *
     * @param string $html
     *
     * @return string the HTML with the meta tag added
     */
    private function addContentTypeMetaTag($html)
    {
        $hasContentTypeMetaTag = \stripos($html, 'Content-Type') !== false;
        if ($hasContentTypeMetaTag) {
            return $html;
        }

        // We are trying to insert the meta tag to the right spot in the DOM.
        // If we just prepended it to the HTML, we would lose attributes set to the HTML tag.
        $hasHeadTag = \stripos($html, '<head') !== false;
        $hasHtmlTag = \stripos($html, '<html') !== false;

        if ($hasHeadTag) {
            $reworkedHtml = \preg_replace('/<head(.*?)>/i', '<head$1>' . static::CONTENT_TYPE_META_TAG, $html);
        } elseif ($hasHtmlTag) {
            $reworkedHtml = \preg_replace(
                '/<html(.*?)>/i',
                '<html$1><head>' . static::CONTENT_TYPE_META_TAG . '</head>',
                $html
            );
        } else {
            $reworkedHtml = static::CONTENT_TYPE_META_TAG . $html;
        }

        return $reworkedHtml;
    }

    /**
     * Makes sure that any self-closing tags not recognized as such by PHP's DOMDocument implementation have a
     * self-closing slash.
     *
     * @param string $html
     *
     * @return string HTML with problematic tags converted.
     */
    private function ensurePhpUnrecognizedSelfClosingTagsAreXml($html)
    {
        return \preg_replace(
            '%<' . static::PHP_UNRECOGNIZED_VOID_TAGNAME_MATCHER . '\\b[^>]*+(?<!/)(?=>)%',
            '$0/',
            $html
        );
    }

    /**
     * Checks that $this->domDocument has a BODY element and adds it if it is missing.
     *
     * @return void
     *
     * @throws \UnexpectedValueException
     */
    private function ensureExistenceOfBodyElement()
    {
        if ($this->domDocument->getElementsByTagName('body')->item(0) !== null) {
            return;
        }

        $htmlElement = $this->domDocument->getElementsByTagName('html')->item(0);
        if ($htmlElement === null) {
            throw new \UnexpectedValueException('There is no HTML element although there should be one.', 1569930853);
        }
        $htmlElement->appendChild($this->domDocument->createElement('body'));
    }
}
pelago/emogrifier/src/Emogrifier/HtmlProcessor/CssToAttributeConverter.php000064400000023577151332455420023170 0ustar00<?php

namespace Pelago\Emogrifier\HtmlProcessor;

/**
 * This HtmlProcessor can convert style HTML attributes to the corresponding other visual HTML attributes,
 * e.g. it converts style="width: 100px" to width="100".
 *
 * It will only add attributes, but leaves the style attribute untouched.
 *
 * To trigger the conversion, call the convertCssToVisualAttributes method.
 *
 * @author Oliver Klee <github@oliverklee.de>
 */
class CssToAttributeConverter extends AbstractHtmlProcessor
{
    /**
     * This multi-level array contains simple mappings of CSS properties to
     * HTML attributes. If a mapping only applies to certain HTML nodes or
     * only for certain values, the mapping is an object with a whitelist
     * of nodes and values.
     *
     * @var mixed[][]
     */
    private $cssToHtmlMap = [
        'background-color' => [
            'attribute' => 'bgcolor',
        ],
        'text-align' => [
            'attribute' => 'align',
            'nodes' => ['p', 'div', 'td'],
            'values' => ['left', 'right', 'center', 'justify'],
        ],
        'float' => [
            'attribute' => 'align',
            'nodes' => ['table', 'img'],
            'values' => ['left', 'right'],
        ],
        'border-spacing' => [
            'attribute' => 'cellspacing',
            'nodes' => ['table'],
        ],
    ];

    /**
     * @var string[][]
     */
    private static $parsedCssCache = [];

    /**
     * Maps the CSS from the style nodes to visual HTML attributes.
     *
     * @return self fluent interface
     */
    public function convertCssToVisualAttributes()
    {
        /** @var \DOMElement $node */
        foreach ($this->getAllNodesWithStyleAttribute() as $node) {
            $inlineStyleDeclarations = $this->parseCssDeclarationsBlock($node->getAttribute('style'));
            $this->mapCssToHtmlAttributes($inlineStyleDeclarations, $node);
        }

        return $this;
    }

    /**
     * Returns a list with all DOM nodes that have a style attribute.
     *
     * @return \DOMNodeList
     */
    private function getAllNodesWithStyleAttribute()
    {
        return $this->xPath->query('//*[@style]');
    }

    /**
     * Parses a CSS declaration block into property name/value pairs.
     *
     * Example:
     *
     * The declaration block
     *
     *   "color: #000; font-weight: bold;"
     *
     * will be parsed into the following array:
     *
     *   "color" => "#000"
     *   "font-weight" => "bold"
     *
     * @param string $cssDeclarationsBlock the CSS declarations block without the curly braces, may be empty
     *
     * @return string[]
     *         the CSS declarations with the property names as array keys and the property values as array values
     */
    private function parseCssDeclarationsBlock($cssDeclarationsBlock)
    {
        if (isset(self::$parsedCssCache[$cssDeclarationsBlock])) {
            return self::$parsedCssCache[$cssDeclarationsBlock];
        }

        $properties = [];
        foreach (\preg_split('/;(?!base64|charset)/', $cssDeclarationsBlock) as $declaration) {
            $matches = [];
            if (!\preg_match('/^([A-Za-z\\-]+)\\s*:\\s*(.+)$/s', \trim($declaration), $matches)) {
                continue;
            }

            $propertyName = \strtolower($matches[1]);
            $propertyValue = $matches[2];
            $properties[$propertyName] = $propertyValue;
        }
        self::$parsedCssCache[$cssDeclarationsBlock] = $properties;

        return $properties;
    }

    /**
     * Applies $styles to $node.
     *
     * This method maps CSS styles to HTML attributes and adds those to the
     * node.
     *
     * @param string[] $styles the new CSS styles taken from the global styles to be applied to this node
     * @param \DOMElement $node node to apply styles to
     *
     * @return void
     */
    private function mapCssToHtmlAttributes(array $styles, \DOMElement $node)
    {
        foreach ($styles as $property => $value) {
            // Strip !important indicator
            $value = \trim(\str_replace('!important', '', $value));
            $this->mapCssToHtmlAttribute($property, $value, $node);
        }
    }

    /**
     * Tries to apply the CSS style to $node as an attribute.
     *
     * This method maps a CSS rule to HTML attributes and adds those to the node.
     *
     * @param string $property the name of the CSS property to map
     * @param string $value the value of the style rule to map
     * @param \DOMElement $node node to apply styles to
     *
     * @return void
     */
    private function mapCssToHtmlAttribute($property, $value, \DOMElement $node)
    {
        if (!$this->mapSimpleCssProperty($property, $value, $node)) {
            $this->mapComplexCssProperty($property, $value, $node);
        }
    }

    /**
     * Looks up the CSS property in the mapping table and maps it if it matches the conditions.
     *
     * @param string $property the name of the CSS property to map
     * @param string $value the value of the style rule to map
     * @param \DOMElement $node node to apply styles to
     *
     * @return bool true if the property can be mapped using the simple mapping table
     */
    private function mapSimpleCssProperty($property, $value, \DOMElement $node)
    {
        if (!isset($this->cssToHtmlMap[$property])) {
            return false;
        }

        $mapping = $this->cssToHtmlMap[$property];
        $nodesMatch = !isset($mapping['nodes']) || \in_array($node->nodeName, $mapping['nodes'], true);
        $valuesMatch = !isset($mapping['values']) || \in_array($value, $mapping['values'], true);
        $canBeMapped = $nodesMatch && $valuesMatch;
        if ($canBeMapped) {
            $node->setAttribute($mapping['attribute'], $value);
        }

        return $canBeMapped;
    }

    /**
     * Maps CSS properties that need special transformation to an HTML attribute.
     *
     * @param string $property the name of the CSS property to map
     * @param string $value the value of the style rule to map
     * @param \DOMElement $node node to apply styles to
     *
     * @return void
     */
    private function mapComplexCssProperty($property, $value, \DOMElement $node)
    {
        switch ($property) {
            case 'background':
                $this->mapBackgroundProperty($node, $value);
                break;
            case 'width':
                // intentional fall-through
            case 'height':
                $this->mapWidthOrHeightProperty($node, $value, $property);
                break;
            case 'margin':
                $this->mapMarginProperty($node, $value);
                break;
            case 'border':
                $this->mapBorderProperty($node, $value);
                break;
            default:
        }
    }

    /**
     * @param \DOMElement $node node to apply styles to
     * @param string $value the value of the style rule to map
     *
     * @return void
     */
    private function mapBackgroundProperty(\DOMElement $node, $value)
    {
        // parse out the color, if any
        $styles = \explode(' ', $value, 2);
        $first = $styles[0];
        if (\is_numeric($first[0]) || \strncmp($first, 'url', 3) === 0) {
            return;
        }

        // as this is not a position or image, assume it's a color
        $node->setAttribute('bgcolor', $first);
    }

    /**
     * @param \DOMElement $node node to apply styles to
     * @param string $value the value of the style rule to map
     * @param string $property the name of the CSS property to map
     *
     * @return void
     */
    private function mapWidthOrHeightProperty(\DOMElement $node, $value, $property)
    {
        // only parse values in px and %, but not values like "auto"
        if (!\preg_match('/^(\\d+)(px|%)$/', $value)) {
            return;
        }

        $number = \preg_replace('/[^0-9.%]/', '', $value);
        $node->setAttribute($property, $number);
    }

    /**
     * @param \DOMElement $node node to apply styles to
     * @param string $value the value of the style rule to map
     *
     * @return void
     */
    private function mapMarginProperty(\DOMElement $node, $value)
    {
        if (!$this->isTableOrImageNode($node)) {
            return;
        }

        $margins = $this->parseCssShorthandValue($value);
        if ($margins['left'] === 'auto' && $margins['right'] === 'auto') {
            $node->setAttribute('align', 'center');
        }
    }

    /**
     * @param \DOMElement $node node to apply styles to
     * @param string $value the value of the style rule to map
     *
     * @return void
     */
    private function mapBorderProperty(\DOMElement $node, $value)
    {
        if (!$this->isTableOrImageNode($node)) {
            return;
        }

        if ($value === 'none' || $value === '0') {
            $node->setAttribute('border', '0');
        }
    }

    /**
     * @param \DOMElement $node
     *
     * @return bool
     */
    private function isTableOrImageNode(\DOMElement $node)
    {
        return $node->nodeName === 'table' || $node->nodeName === 'img';
    }

    /**
     * Parses a shorthand CSS value and splits it into individual values
     *
     * @param string $value a string of CSS value with 1, 2, 3 or 4 sizes
     *                      For example: padding: 0 auto;
     *                      '0 auto' is split into top: 0, left: auto, bottom: 0,
     *                      right: auto.
     *
     * @return string[] an array of values for top, right, bottom and left (using these as associative array keys)
     */
    private function parseCssShorthandValue($value)
    {
        /** @var string[] $values */
        $values = \preg_split('/\\s+/', $value);

        $css = [];
        $css['top'] = $values[0];
        $css['right'] = (\count($values) > 1) ? $values[1] : $css['top'];
        $css['bottom'] = (\count($values) > 2) ? $values[2] : $css['top'];
        $css['left'] = (\count($values) > 3) ? $values[3] : $css['right'];

        return $css;
    }
}
pelago/emogrifier/src/Emogrifier/HtmlProcessor/HtmlNormalizer.php000064400000000531151332455420021311 0ustar00<?php

namespace Pelago\Emogrifier\HtmlProcessor;

/**
 * Normalizes HTML:
 * - add a document type (HTML5) if missing
 * - disentangle incorrectly nested tags
 * - add HEAD and BODY elements (if they are missing)
 * - reformat the HTML
 *
 * @author Oliver Klee <github@oliverklee.de>
 */
class HtmlNormalizer extends AbstractHtmlProcessor
{
}
pelago/emogrifier/src/Emogrifier/CssInliner.php000064400000113521151332455420015613 0ustar00<?php

namespace Pelago\Emogrifier;

use Pelago\Emogrifier\HtmlProcessor\AbstractHtmlProcessor;
use Pelago\Emogrifier\Utilities\CssConcatenator;
use Symfony\Component\CssSelector\CssSelectorConverter;
use Symfony\Component\CssSelector\Exception\SyntaxErrorException;

/**
 * This class provides functions for converting CSS styles into inline style attributes in your HTML code.
 *
 * For Emogrifier 3.0.0, this will be the successor to the \Pelago\Emogrifier class (which then will be deprecated).
 *
 * For more information, please see the README.md file.
 *
 * @author Cameron Brooks
 * @author Jaime Prado
 * @author Oliver Klee <github@oliverklee.de>
 * @author Roman Ožana <ozana@omdesign.cz>
 * @author Sander Kruger <s.kruger@invessel.com>
 * @author Zoli Szabó <zoli.szabo+github@gmail.com>
 */
class CssInliner extends AbstractHtmlProcessor
{
    /**
     * @var int
     */
    const CACHE_KEY_CSS = 0;

    /**
     * @var int
     */
    const CACHE_KEY_SELECTOR = 1;

    /**
     * @var int
     */
    const CACHE_KEY_CSS_DECLARATIONS_BLOCK = 2;

    /**
     * @var int
     */
    const CACHE_KEY_COMBINED_STYLES = 3;

    /**
     * Regular expression component matching a static pseudo class in a selector, without the preceding ":",
     * for which the applicable elements can be determined (by converting the selector to an XPath expression).
     * (Contains alternation without a group and is intended to be placed within a capturing, non-capturing or lookahead
     * group, as appropriate for the usage context.)
     *
     * @var string
     */
    const PSEUDO_CLASS_MATCHER
        = 'empty|(?:first|last|nth(?:-last)?+|only)-child|(?:first|last|nth(?:-last)?+)-of-type|not\\([[:ascii:]]*\\)';

    /**
     * @var bool[]
     */
    private $excludedSelectors = [];

    /**
     * @var bool[]
     */
    private $allowedMediaTypes = ['all' => true, 'screen' => true, 'print' => true];

    /**
     * @var mixed[]
     */
    private $caches = [
        self::CACHE_KEY_CSS => [],
        self::CACHE_KEY_SELECTOR => [],
        self::CACHE_KEY_CSS_DECLARATIONS_BLOCK => [],
        self::CACHE_KEY_COMBINED_STYLES => [],
    ];

    /**
     * @var CssSelectorConverter
     */
    private $cssSelectorConverter = null;

    /**
     * the visited nodes with the XPath paths as array keys
     *
     * @var \DOMElement[]
     */
    private $visitedNodes = [];

    /**
     * the styles to apply to the nodes with the XPath paths as array keys for the outer array
     * and the attribute names/values as key/value pairs for the inner array
     *
     * @var string[][]
     */
    private $styleAttributesForNodes = [];

    /**
     * Determines whether the "style" attributes of tags in the the HTML passed to this class should be preserved.
     * If set to false, the value of the style attributes will be discarded.
     *
     * @var bool
     */
    private $isInlineStyleAttributesParsingEnabled = true;

    /**
     * Determines whether the <style> blocks in the HTML passed to this class should be parsed.
     *
     * If set to true, the <style> blocks will be removed from the HTML and their contents will be applied to the HTML
     * via inline styles.
     *
     * If set to false, the <style> blocks will be left as they are in the HTML.
     *
     * @var bool
     */
    private $isStyleBlocksParsingEnabled = true;

    /**
     * For calculating selector precedence order.
     * Keys are a regular expression part to match before a CSS name.
     * Values are a multiplier factor per match to weight specificity.
     *
     * @var int[]
     */
    private $selectorPrecedenceMatchers = [
        // IDs: worth 10000
        '\\#' => 10000,
        // classes, attributes, pseudo-classes (not pseudo-elements) except `:not`: worth 100
        '(?:\\.|\\[|(?<!:):(?!not\\())' => 100,
        // elements (not attribute values or `:not`), pseudo-elements: worth 1
        '(?:(?<![="\':\\w\\-])|::)' => 1,
    ];

    /**
     * array of data describing CSS rules which apply to the document but cannot be inlined, in the format returned by
     * `parseCssRules`
     *
     * @var string[][]
     */
    private $matchingUninlinableCssRules = null;

    /**
     * Emogrifier will throw Exceptions when it encounters an error instead of silently ignoring them.
     *
     * @var bool
     */
    private $debug = false;

    /**
     * Inlines the given CSS into the existing HTML.
     *
     * @param string $css the CSS to inline, must be UTF-8-encoded
     *
     * @return self fluent interface
     *
     * @throws SyntaxErrorException
     */
    public function inlineCss($css = '')
    {
        $this->clearAllCaches();
        $this->purgeVisitedNodes();

        $this->normalizeStyleAttributesOfAllNodes();

        $combinedCss = $css;
        // grab any existing style blocks from the HTML and append them to the existing CSS
        // (these blocks should be appended so as to have precedence over conflicting styles in the existing CSS)
        if ($this->isStyleBlocksParsingEnabled) {
            $combinedCss .= $this->getCssFromAllStyleNodes();
        }

        $cssWithoutComments = $this->removeCssComments($combinedCss);
        list($cssWithoutCommentsCharsetOrImport, $cssImportRules)
            = $this->extractImportAndCharsetRules($cssWithoutComments);

        $excludedNodes = $this->getNodesToExclude();
        $cssRules = $this->parseCssRules($cssWithoutCommentsCharsetOrImport);
        $cssSelectorConverter = $this->getCssSelectorConverter();
        foreach ($cssRules['inlinable'] as $cssRule) {
            try {
                $nodesMatchingCssSelectors = $this->xPath->query($cssSelectorConverter->toXPath($cssRule['selector']));
            } catch (SyntaxErrorException $e) {
                if ($this->debug) {
                    throw $e;
                }
                continue;
            }

            /** @var \DOMElement $node */
            foreach ($nodesMatchingCssSelectors as $node) {
                if (\in_array($node, $excludedNodes, true)) {
                    continue;
                }
                $this->copyInlinableCssToStyleAttribute($node, $cssRule);
            }
        }

        if ($this->isInlineStyleAttributesParsingEnabled) {
            $this->fillStyleAttributesWithMergedStyles();
        }

        $this->removeImportantAnnotationFromAllInlineStyles();

        $this->determineMatchingUninlinableCssRules($cssRules['uninlinable']);
        $this->copyUninlinableCssToStyleNode($cssImportRules);

        return $this;
    }

    /**
     * Disables the parsing of inline styles.
     *
     * @return void
     */
    public function disableInlineStyleAttributesParsing()
    {
        $this->isInlineStyleAttributesParsingEnabled = false;
    }

    /**
     * Disables the parsing of <style> blocks.
     *
     * @return void
     */
    public function disableStyleBlocksParsing()
    {
        $this->isStyleBlocksParsingEnabled = false;
    }

    /**
     * Marks a media query type to keep.
     *
     * @param string $mediaName the media type name, e.g., "braille"
     *
     * @return void
     */
    public function addAllowedMediaType($mediaName)
    {
        $this->allowedMediaTypes[$mediaName] = true;
    }

    /**
     * Drops a media query type from the allowed list.
     *
     * @param string $mediaName the tag name, e.g., "braille"
     *
     * @return void
     */
    public function removeAllowedMediaType($mediaName)
    {
        if (isset($this->allowedMediaTypes[$mediaName])) {
            unset($this->allowedMediaTypes[$mediaName]);
        }
    }

    /**
     * Adds a selector to exclude nodes from emogrification.
     *
     * Any nodes that match the selector will not have their style altered.
     *
     * @param string $selector the selector to exclude, e.g., ".editor"
     *
     * @return void
     */
    public function addExcludedSelector($selector)
    {
        $this->excludedSelectors[$selector] = true;
    }

    /**
     * No longer excludes the nodes matching this selector from emogrification.
     *
     * @param string $selector the selector to no longer exclude, e.g., ".editor"
     *
     * @return void
     */
    public function removeExcludedSelector($selector)
    {
        if (isset($this->excludedSelectors[$selector])) {
            unset($this->excludedSelectors[$selector]);
        }
    }

    /**
     * Sets the debug mode.
     *
     * @param bool $debug set to true to enable debug mode
     *
     * @return void
     */
    public function setDebug($debug)
    {
        $this->debug = $debug;
    }

    /**
     * Gets the array of selectors present in the CSS provided to `inlineCss()` for which the declarations could not be
     * applied as inline styles, but which may affect elements in the HTML.  The relevant CSS will have been placed in a
     * `<style>` element.  The selectors may include those used within `@media` rules or those involving dynamic
     * pseudo-classes (such as `:hover`) or pseudo-elements (such as `::after`).
     *
     * @return string[]
     *
     * @throws \BadMethodCallException if `inlineCss` has not been called first
     */
    public function getMatchingUninlinableSelectors()
    {
        if ($this->matchingUninlinableCssRules === null) {
            throw new \BadMethodCallException('inlineCss must be called first', 1568385221);
        }

        return \array_column($this->matchingUninlinableCssRules, 'selector');
    }

    /**
     * Clears all caches.
     *
     * @return void
     */
    private function clearAllCaches()
    {
        $this->caches = [
            self::CACHE_KEY_CSS => [],
            self::CACHE_KEY_SELECTOR => [],
            self::CACHE_KEY_CSS_DECLARATIONS_BLOCK => [],
            self::CACHE_KEY_COMBINED_STYLES => [],
        ];
    }

    /**
     * Purges the visited nodes.
     *
     * @return void
     */
    private function purgeVisitedNodes()
    {
        $this->visitedNodes = [];
        $this->styleAttributesForNodes = [];
    }

    /**
     * Parses the document and normalizes all existing CSS attributes.
     * This changes 'DISPLAY: none' to 'display: none'.
     * We wouldn't have to do this if DOMXPath supported XPath 2.0.
     * Also stores a reference of nodes with existing inline styles so we don't overwrite them.
     *
     * @return void
     */
    private function normalizeStyleAttributesOfAllNodes()
    {
        /** @var \DOMElement $node */
        foreach ($this->getAllNodesWithStyleAttribute() as $node) {
            if ($this->isInlineStyleAttributesParsingEnabled) {
                $this->normalizeStyleAttributes($node);
            }
            // Remove style attribute in every case, so we can add them back (if inline style attributes
            // parsing is enabled) to the end of the style list, thus keeping the right priority of CSS rules;
            // else original inline style rules may remain at the beginning of the final inline style definition
            // of a node, which may give not the desired results
            $node->removeAttribute('style');
        }
    }

    /**
     * Returns a list with all DOM nodes that have a style attribute.
     *
     * @return \DOMNodeList
     */
    private function getAllNodesWithStyleAttribute()
    {
        return $this->xPath->query('//*[@style]');
    }

    /**
     * Normalizes the value of the "style" attribute and saves it.
     *
     * @param \DOMElement $node
     *
     * @return void
     */
    private function normalizeStyleAttributes(\DOMElement $node)
    {
        $normalizedOriginalStyle = \preg_replace_callback(
            '/-?+[_a-zA-Z][\\w\\-]*+(?=:)/S',
            static function (array $m) {
                return \strtolower($m[0]);
            },
            $node->getAttribute('style')
        );

        // in order to not overwrite existing style attributes in the HTML, we
        // have to save the original HTML styles
        $nodePath = $node->getNodePath();
        if (!isset($this->styleAttributesForNodes[$nodePath])) {
            $this->styleAttributesForNodes[$nodePath] = $this->parseCssDeclarationsBlock($normalizedOriginalStyle);
            $this->visitedNodes[$nodePath] = $node;
        }

        $node->setAttribute('style', $normalizedOriginalStyle);
    }

    /**
     * Parses a CSS declaration block into property name/value pairs.
     *
     * Example:
     *
     * The declaration block
     *
     *   "color: #000; font-weight: bold;"
     *
     * will be parsed into the following array:
     *
     *   "color" => "#000"
     *   "font-weight" => "bold"
     *
     * @param string $cssDeclarationsBlock the CSS declarations block without the curly braces, may be empty
     *
     * @return string[]
     *         the CSS declarations with the property names as array keys and the property values as array values
     */
    private function parseCssDeclarationsBlock($cssDeclarationsBlock)
    {
        if (isset($this->caches[self::CACHE_KEY_CSS_DECLARATIONS_BLOCK][$cssDeclarationsBlock])) {
            return $this->caches[self::CACHE_KEY_CSS_DECLARATIONS_BLOCK][$cssDeclarationsBlock];
        }

        $properties = [];
        foreach (\preg_split('/;(?!base64|charset)/', $cssDeclarationsBlock) as $declaration) {
            $matches = [];
            if (!\preg_match('/^([A-Za-z\\-]+)\\s*:\\s*(.+)$/s', \trim($declaration), $matches)) {
                continue;
            }

            $propertyName = \strtolower($matches[1]);
            $propertyValue = $matches[2];
            $properties[$propertyName] = $propertyValue;
        }
        $this->caches[self::CACHE_KEY_CSS_DECLARATIONS_BLOCK][$cssDeclarationsBlock] = $properties;

        return $properties;
    }

    /**
     * Returns CSS content.
     *
     * @return string
     */
    private function getCssFromAllStyleNodes()
    {
        $styleNodes = $this->xPath->query('//style');
        if ($styleNodes === false) {
            return '';
        }

        $css = '';
        /** @var \DOMNode $styleNode */
        foreach ($styleNodes as $styleNode) {
            $css .= "\n\n" . $styleNode->nodeValue;
            $styleNode->parentNode->removeChild($styleNode);
        }

        return $css;
    }

    /**
     * Removes comments from the supplied CSS.
     *
     * @param string $css
     *
     * @return string CSS with the comments removed
     */
    private function removeCssComments($css)
    {
        return \preg_replace('%/\\*[^*]*+(?:\\*(?!/)[^*]*+)*+\\*/%', '', $css);
    }

    /**
     * Extracts `@import` and `@charset` rules from the supplied CSS.  These rules must not be preceded by any other
     * rules, or they will be ignored.  (From the CSS 2.1 specification: "CSS 2.1 user agents must ignore any '@import'
     * rule that occurs inside a block or after any non-ignored statement other than an @charset or an @import rule."
     * Note also that `@charset` is case sensitive whereas `@import` is not.)
     *
     * @param string $css CSS with comments removed
     *
     * @return string[] The first element is the CSS with the valid `@import` and `@charset` rules removed.  The second
     * element contains a concatenation of the valid `@import` rules, each followed by whatever whitespace followed it
     * in the original CSS (so that either unminified or minified formatting is preserved); if there were no `@import`
     * rules, it will be an empty string.  The (valid) `@charset` rules are discarded.
     */
    private function extractImportAndCharsetRules($css)
    {
        $possiblyModifiedCss = $css;
        $importRules = '';

        while (
            \preg_match(
                '/^\\s*+(@((?i)import(?-i)|charset)\\s[^;]++;\\s*+)/',
                $possiblyModifiedCss,
                $matches
            )
        ) {
            list($fullMatch, $atRuleAndFollowingWhitespace, $atRuleName) = $matches;

            if (\strtolower($atRuleName) === 'import') {
                $importRules .= $atRuleAndFollowingWhitespace;
            }

            $possiblyModifiedCss = \substr($possiblyModifiedCss, \strlen($fullMatch));
        }

        return [$possiblyModifiedCss, $importRules];
    }

    /**
     * Find the nodes that are not to be emogrified.
     *
     * @return \DOMElement[]
     *
     * @throws SyntaxErrorException
     */
    private function getNodesToExclude()
    {
        $excludedNodes = [];
        foreach (\array_keys($this->excludedSelectors) as $selectorToExclude) {
            try {
                $matchingNodes = $this->xPath->query($this->getCssSelectorConverter()->toXPath($selectorToExclude));
            } catch (SyntaxErrorException $e) {
                if ($this->debug) {
                    throw $e;
                }
                continue;
            }
            foreach ($matchingNodes as $node) {
                $excludedNodes[] = $node;
            }
        }

        return $excludedNodes;
    }

    /**
     * @return CssSelectorConverter
     */
    private function getCssSelectorConverter()
    {
        if ($this->cssSelectorConverter === null) {
            $this->cssSelectorConverter = new CssSelectorConverter();
        }

        return $this->cssSelectorConverter;
    }

    /**
     * Extracts and parses the individual rules from a CSS string.
     *
     * @param string $css a string of raw CSS code with comments removed
     *
     * @return string[][][] A 2-entry array with the key "inlinable" containing rules which can be inlined as `style`
     *         attributes and the key "uninlinable" containing rules which cannot.  Each value is an array of string
     *         sub-arrays with the keys
     *         "media" (the media query string, e.g. "@media screen and (max-width: 480px)",
     *         or an empty string if not from a `@media` rule),
     *         "selector" (the CSS selector, e.g., "*" or "header h1"),
     *         "hasUnmatchablePseudo" (true if that selector contains pseudo-elements or dynamic pseudo-classes
     *         such that the declarations cannot be applied inline),
     *         "declarationsBlock" (the semicolon-separated CSS declarations for that selector,
     *         e.g., "color: red; height: 4px;"),
     *         and "line" (the line number e.g. 42)
     */
    private function parseCssRules($css)
    {
        $cssKey = \md5($css);
        if (isset($this->caches[self::CACHE_KEY_CSS][$cssKey])) {
            return $this->caches[self::CACHE_KEY_CSS][$cssKey];
        }

        $matches = $this->getCssRuleMatches($css);

        $cssRules = [
            'inlinable' => [],
            'uninlinable' => [],
        ];
        /** @var string[][] $matches */
        /** @var string[] $cssRule */
        foreach ($matches as $key => $cssRule) {
            $cssDeclaration = \trim($cssRule['declarations']);
            if ($cssDeclaration === '') {
                continue;
            }

            foreach (\explode(',', $cssRule['selectors']) as $selector) {
                // don't process pseudo-elements and behavioral (dynamic) pseudo-classes;
                // only allow structural pseudo-classes
                $hasPseudoElement = \strpos($selector, '::') !== false;
                $hasUnsupportedPseudoClass = (bool)\preg_match(
                    '/:(?!' . self::PSEUDO_CLASS_MATCHER . ')[\\w\\-]/i',
                    $selector
                );
                $hasUnmatchablePseudo = $hasPseudoElement || $hasUnsupportedPseudoClass;

                $parsedCssRule = [
                    'media' => $cssRule['media'],
                    'selector' => \trim($selector),
                    'hasUnmatchablePseudo' => $hasUnmatchablePseudo,
                    'declarationsBlock' => $cssDeclaration,
                    // keep track of where it appears in the file, since order is important
                    'line' => $key,
                ];
                $ruleType = ($cssRule['media'] === '' && !$hasUnmatchablePseudo) ? 'inlinable' : 'uninlinable';
                $cssRules[$ruleType][] = $parsedCssRule;
            }
        }

        \usort($cssRules['inlinable'], [$this, 'sortBySelectorPrecedence']);

        $this->caches[self::CACHE_KEY_CSS][$cssKey] = $cssRules;

        return $cssRules;
    }

    /**
     * @param string[] $a
     * @param string[] $b
     *
     * @return int
     */
    private function sortBySelectorPrecedence(array $a, array $b)
    {
        $precedenceA = $this->getCssSelectorPrecedence($a['selector']);
        $precedenceB = $this->getCssSelectorPrecedence($b['selector']);

        // We want these sorted in ascending order so selectors with lesser precedence get processed first and
        // selectors with greater precedence get sorted last.
        $precedenceForEquals = ($a['line'] < $b['line'] ? -1 : 1);
        $precedenceForNotEquals = ($precedenceA < $precedenceB ? -1 : 1);
        return ($precedenceA === $precedenceB) ? $precedenceForEquals : $precedenceForNotEquals;
    }

    /**
     * @param string $selector
     *
     * @return int
     */
    private function getCssSelectorPrecedence($selector)
    {
        $selectorKey = \md5($selector);
        if (isset($this->caches[self::CACHE_KEY_SELECTOR][$selectorKey])) {
            return $this->caches[self::CACHE_KEY_SELECTOR][$selectorKey];
        }

        $precedence = 0;
        foreach ($this->selectorPrecedenceMatchers as $matcher => $value) {
            if (\trim($selector) === '') {
                break;
            }
            $number = 0;
            $selector = \preg_replace('/' . $matcher . '\\w+/', '', $selector, -1, $number);
            $precedence += ($value * $number);
        }
        $this->caches[self::CACHE_KEY_SELECTOR][$selectorKey] = $precedence;

        return $precedence;
    }

    /**
     * Parses a string of CSS into the media query, selectors and declarations for each ruleset in order.
     *
     * @param string $css CSS with comments removed
     *
     * @return string[][] Array of string sub-arrays with the keys
     *         "media" (the media query string, e.g. "@media screen and (max-width: 480px)",
     *         or an empty string if not from an `@media` rule),
     *         "selectors" (the CSS selector(s), e.g., "*" or "h1, h2"),
     *         "declarations" (the semicolon-separated CSS declarations for that/those selector(s),
     *         e.g., "color: red; height: 4px;"),
     */
    private function getCssRuleMatches($css)
    {
        $splitCss = $this->splitCssAndMediaQuery($css);

        $ruleMatches = [];
        foreach ($splitCss as $cssPart) {
            // process each part for selectors and definitions
            \preg_match_all('/(?:^|[\\s^{}]*)([^{]+){([^}]*)}/mi', $cssPart['css'], $matches, PREG_SET_ORDER);

            /** @var string[][] $matches */
            foreach ($matches as $cssRule) {
                $ruleMatches[] = [
                    'media' => $cssPart['media'],
                    'selectors' => $cssRule[1],
                    'declarations' => $cssRule[2],
                ];
            }
        }

        return $ruleMatches;
    }

    /**
     * Splits input CSS code into an array of parts for different media queries, in order.
     * Each part is an array where:
     *
     * - key "css" will contain clean CSS code (for @media rules this will be the group rule body within "{...}")
     * - key "media" will contain "@media " followed by the media query list, for all allowed media queries,
     *   or an empty string for CSS not within a media query
     *
     * Example:
     *
     * The CSS code
     *
     *   "@import "file.css"; h1 { color:red; } @media { h1 {}} @media tv { h1 {}}"
     *
     * will be parsed into the following array:
     *
     *   0 => [
     *     "css" => "h1 { color:red; }",
     *     "media" => ""
     *   ],
     *   1 => [
     *     "css" => " h1 {}",
     *     "media" => "@media "
     *   ]
     *
     * @param string $css
     *
     * @return string[][]
     */
    private function splitCssAndMediaQuery($css)
    {
        $mediaTypesExpression = '';
        if (!empty($this->allowedMediaTypes)) {
            $mediaTypesExpression = '|' . \implode('|', \array_keys($this->allowedMediaTypes));
        }

        $mediaRuleBodyMatcher = '[^{]*+{(?:[^{}]*+{.*})?\\s*+}\\s*+';

        $cssSplitForAllowedMediaTypes = \preg_split(
            '#(@media\\s++(?:only\\s++)?+(?:(?=[{(])' . $mediaTypesExpression . ')' . $mediaRuleBodyMatcher
            . ')#misU',
            $css,
            -1,
            PREG_SPLIT_DELIM_CAPTURE
        );

        // filter the CSS outside/between allowed @media rules
        $cssCleaningMatchers = [
            'import/charset directives' => '/\\s*+@(?:import|charset)\\s[^;]++;/i',
            'remaining media enclosures' => '/\\s*+@media\\s' . $mediaRuleBodyMatcher . '/isU',
        ];

        $splitCss = [];
        foreach ($cssSplitForAllowedMediaTypes as $index => $cssPart) {
            $isMediaRule = $index % 2 !== 0;
            if ($isMediaRule) {
                \preg_match('/^([^{]*+){(.*)}[^}]*+$/s', $cssPart, $matches);
                $splitCss[] = [
                    'css' => $matches[2],
                    'media' => $matches[1],
                ];
            } else {
                $cleanedCss = \trim(\preg_replace($cssCleaningMatchers, '', $cssPart));
                if ($cleanedCss !== '') {
                    $splitCss[] = [
                        'css' => $cleanedCss,
                        'media' => '',
                    ];
                }
            }
        }
        return $splitCss;
    }

    /**
     * Copies $cssRule into the style attribute of $node.
     *
     * Note: This method does not check whether $cssRule matches $node.
     *
     * @param \DOMElement $node
     * @param string[][] $cssRule
     *
     * @return void
     */
    private function copyInlinableCssToStyleAttribute(\DOMElement $node, array $cssRule)
    {
        $newStyleDeclarations = $this->parseCssDeclarationsBlock($cssRule['declarationsBlock']);
        if ($newStyleDeclarations === []) {
            return;
        }

        // if it has a style attribute, get it, process it, and append (overwrite) new stuff
        if ($node->hasAttribute('style')) {
            // break it up into an associative array
            $oldStyleDeclarations = $this->parseCssDeclarationsBlock($node->getAttribute('style'));
        } else {
            $oldStyleDeclarations = [];
        }
        $node->setAttribute(
            'style',
            $this->generateStyleStringFromDeclarationsArrays($oldStyleDeclarations, $newStyleDeclarations)
        );
    }

    /**
     * This method merges old or existing name/value array with new name/value array
     * and then generates a string of the combined style suitable for placing inline.
     * This becomes the single point for CSS string generation allowing for consistent
     * CSS output no matter where the CSS originally came from.
     *
     * @param string[] $oldStyles
     * @param string[] $newStyles
     *
     * @return string
     */
    private function generateStyleStringFromDeclarationsArrays(array $oldStyles, array $newStyles)
    {
        $cacheKey = \serialize([$oldStyles, $newStyles]);
        if (isset($this->caches[self::CACHE_KEY_COMBINED_STYLES][$cacheKey])) {
            return $this->caches[self::CACHE_KEY_COMBINED_STYLES][$cacheKey];
        }

        // Unset the overridden styles to preserve order, important if shorthand and individual properties are mixed
        foreach ($oldStyles as $attributeName => $attributeValue) {
            if (!isset($newStyles[$attributeName])) {
                continue;
            }

            $newAttributeValue = $newStyles[$attributeName];
            if (
                $this->attributeValueIsImportant($attributeValue)
                && !$this->attributeValueIsImportant($newAttributeValue)
            ) {
                unset($newStyles[$attributeName]);
            } else {
                unset($oldStyles[$attributeName]);
            }
        }

        $combinedStyles = \array_merge($oldStyles, $newStyles);

        $style = '';
        foreach ($combinedStyles as $attributeName => $attributeValue) {
            $style .= \strtolower(\trim($attributeName)) . ': ' . \trim($attributeValue) . '; ';
        }
        $trimmedStyle = \rtrim($style);

        $this->caches[self::CACHE_KEY_COMBINED_STYLES][$cacheKey] = $trimmedStyle;

        return $trimmedStyle;
    }

    /**
     * Checks whether $attributeValue is marked as !important.
     *
     * @param string $attributeValue
     *
     * @return bool
     */
    private function attributeValueIsImportant($attributeValue)
    {
        return \strtolower(\substr(\trim($attributeValue), -10)) === '!important';
    }

    /**
     * Merges styles from styles attributes and style nodes and applies them to the attribute nodes
     *
     * @return void
     */
    private function fillStyleAttributesWithMergedStyles()
    {
        foreach ($this->styleAttributesForNodes as $nodePath => $styleAttributesForNode) {
            $node = $this->visitedNodes[$nodePath];
            $currentStyleAttributes = $this->parseCssDeclarationsBlock($node->getAttribute('style'));
            $node->setAttribute(
                'style',
                $this->generateStyleStringFromDeclarationsArrays(
                    $currentStyleAttributes,
                    $styleAttributesForNode
                )
            );
        }
    }

    /**
     * Searches for all nodes with a style attribute and removes the "!important" annotations out of
     * the inline style declarations, eventually by rearranging declarations.
     *
     * @return void
     */
    private function removeImportantAnnotationFromAllInlineStyles()
    {
        foreach ($this->getAllNodesWithStyleAttribute() as $node) {
            $this->removeImportantAnnotationFromNodeInlineStyle($node);
        }
    }

    /**
     * Removes the "!important" annotations out of the inline style declarations,
     * eventually by rearranging declarations.
     * Rearranging needed when !important shorthand properties are followed by some of their
     * not !important expanded-version properties.
     * For example "font: 12px serif !important; font-size: 13px;" must be reordered
     * to "font-size: 13px; font: 12px serif;" in order to remain correct.
     *
     * @param \DOMElement $node
     *
     * @return void
     */
    private function removeImportantAnnotationFromNodeInlineStyle(\DOMElement $node)
    {
        $inlineStyleDeclarations = $this->parseCssDeclarationsBlock($node->getAttribute('style'));
        $regularStyleDeclarations = [];
        $importantStyleDeclarations = [];
        foreach ($inlineStyleDeclarations as $property => $value) {
            if ($this->attributeValueIsImportant($value)) {
                $importantStyleDeclarations[$property] = \trim(\str_replace('!important', '', $value));
            } else {
                $regularStyleDeclarations[$property] = $value;
            }
        }
        $inlineStyleDeclarationsInNewOrder = \array_merge(
            $regularStyleDeclarations,
            $importantStyleDeclarations
        );
        $node->setAttribute(
            'style',
            $this->generateStyleStringFromSingleDeclarationsArray($inlineStyleDeclarationsInNewOrder)
        );
    }

    /**
     * Generates a CSS style string suitable to be used inline from the $styleDeclarations property => value array.
     *
     * @param string[] $styleDeclarations
     *
     * @return string
     */
    private function generateStyleStringFromSingleDeclarationsArray(array $styleDeclarations)
    {
        return $this->generateStyleStringFromDeclarationsArrays([], $styleDeclarations);
    }

    /**
     * Determines which of `$cssRules` actually apply to `$this->domDocument`, and sets them in
     * `$this->matchingUninlinableCssRules`.
     *
     * @param string[][] $cssRules the "uninlinable" array of CSS rules returned by `parseCssRules`
     *
     * @return void
     */
    private function determineMatchingUninlinableCssRules(array $cssRules)
    {
        $this->matchingUninlinableCssRules = \array_filter($cssRules, [$this, 'existsMatchForSelectorInCssRule']);
    }

    /**
     * Checks whether there is at least one matching element for the CSS selector contained in the `selector` element
     * of the provided CSS rule.
     *
     * Any dynamic pseudo-classes will be assumed to apply. If the selector matches a pseudo-element,
     * it will test for a match with its originating element.
     *
     * @param string[] $cssRule
     *
     * @return bool
     *
     * @throws SyntaxErrorException
     */
    private function existsMatchForSelectorInCssRule(array $cssRule)
    {
        $selector = $cssRule['selector'];
        if ($cssRule['hasUnmatchablePseudo']) {
            $selector = $this->removeUnmatchablePseudoComponents($selector);
        }
        return $this->existsMatchForCssSelector($selector);
    }

    /**
     * Checks whether there is at least one matching element for $cssSelector.
     * When not in debug mode, it returns true also for invalid selectors (because they may be valid,
     * just not implemented/recognized yet by Emogrifier).
     *
     * @param string $cssSelector
     *
     * @return bool
     *
     * @throws SyntaxErrorException
     */
    private function existsMatchForCssSelector($cssSelector)
    {
        try {
            $nodesMatchingSelector = $this->xPath->query($this->getCssSelectorConverter()->toXPath($cssSelector));
        } catch (SyntaxErrorException $e) {
            if ($this->debug) {
                throw $e;
            }
            return true;
        }

        return $nodesMatchingSelector !== false && $nodesMatchingSelector->length !== 0;
    }

    /**
     * Removes pseudo-elements and dynamic pseudo-classes from a CSS selector, replacing them with "*" if necessary.
     * If such a pseudo-component is within the argument of `:not`, the entire `:not` component is removed or replaced.
     *
     * @param string $selector
     *
     * @return string Selector which will match the relevant DOM elements if the pseudo-classes are assumed to apply,
     *                or in the case of pseudo-elements will match their originating element.
     */
    private function removeUnmatchablePseudoComponents($selector)
    {
        // The regex allows nested brackets via `(?2)`.
        // A space is temporarily prepended because the callback can't determine if the match was at the very start.
        $selectorWithoutNots = \ltrim(\preg_replace_callback(
            '/(\\s?+):not(\\([^()]*+(?:(?2)[^()]*+)*+\\))/i',
            [$this, 'replaceUnmatchableNotComponent'],
            ' ' . $selector
        ));

        $pseudoComponentMatcher = ':(?!' . self::PSEUDO_CLASS_MATCHER . '):?+[\\w\\-]++(?:\\([^\\)]*+\\))?+';
        return \preg_replace(
            ['/(\\s|^)' . $pseudoComponentMatcher . '/i', '/' . $pseudoComponentMatcher . '/i'],
            ['$1*', ''],
            $selectorWithoutNots
        );
    }

    /**
     * Helps `removeUnmatchablePseudoComponents()` replace or remove a selector `:not(...)` component if its argument
     * contains pseudo-elements or dynamic pseudo-classes.
     *
     * @param string[] $matches array of elements matched by the regular expression
     *
     * @return string the full match if there were no unmatchable pseudo components within; otherwise, any preceding
     *         whitespace followed by "*", or an empty string if there was no preceding whitespace
     */
    private function replaceUnmatchableNotComponent(array $matches)
    {
        list($notComponentWithAnyPrecedingWhitespace, $anyPrecedingWhitespace, $notArgumentInBrackets) = $matches;

        $hasUnmatchablePseudo = \preg_match(
            '/:(?!' . self::PSEUDO_CLASS_MATCHER . ')[\\w\\-:]/i',
            $notArgumentInBrackets
        );

        if ($hasUnmatchablePseudo) {
            return $anyPrecedingWhitespace !== '' ? $anyPrecedingWhitespace . '*' : '';
        }
        return $notComponentWithAnyPrecedingWhitespace;
    }

    /**
     * Applies `$this->matchingUninlinableCssRules` to `$this->domDocument` by placing them as CSS in a `<style>`
     * element.
     *
     * @param string $cssImportRules This may contain any `@import` rules that should precede the CSS placed in the
     *        `<style>` element.  If there are no unlinlinable CSS rules to copy there, a `<style>` element will be
     *        created containing just `$cssImportRules`.  `$cssImportRules` may be an empty string; if it is, and there
     *        are no unlinlinable CSS rules, an empty `<style>` element will not be created.
     *
     * @return void
     */
    private function copyUninlinableCssToStyleNode($cssImportRules)
    {
        $css = $cssImportRules;

        // avoid including unneeded class dependency if there are no rules
        if ($this->matchingUninlinableCssRules !== []) {
            $cssConcatenator = new CssConcatenator();
            foreach ($this->matchingUninlinableCssRules as $cssRule) {
                $cssConcatenator->append([$cssRule['selector']], $cssRule['declarationsBlock'], $cssRule['media']);
            }
            $css .= $cssConcatenator->getCss();
        }

        // avoid adding empty style element
        if ($css !== '') {
            $this->addStyleElementToDocument($css);
        }
    }

    /**
     * Adds a style element with $css to $this->domDocument.
     *
     * This method is protected to allow overriding.
     *
     * @see https://github.com/MyIntervals/emogrifier/issues/103
     *
     * @param string $css
     *
     * @return void
     */
    protected function addStyleElementToDocument($css)
    {
        $styleElement = $this->domDocument->createElement('style', $css);
        $styleAttribute = $this->domDocument->createAttribute('type');
        $styleAttribute->value = 'text/css';
        $styleElement->appendChild($styleAttribute);

        $headElement = $this->getHeadElement();
        $headElement->appendChild($styleElement);
    }

    /**
     * Returns the HEAD element.
     *
     * This method assumes that there always is a HEAD element.
     *
     * @return \DOMElement
     */
    private function getHeadElement()
    {
        return $this->domDocument->getElementsByTagName('head')->item(0);
    }
}
pelago/emogrifier/src/Emogrifier.php000064400000171006151332455420013544 0ustar00<?php

namespace Pelago;

use Pelago\Emogrifier\Utilities\CssConcatenator;

/**
 * This class provides functions for converting CSS styles into inline style attributes in your HTML code.
 *
 * For more information, please see the README.md file.
 *
 * @deprecated Will be removed for version 4.0.0. Please use the CssInliner class instead.
 *
 * @author Cameron Brooks
 * @author Jaime Prado
 * @author Oliver Klee <github@oliverklee.de>
 * @author Roman Ožana <ozana@omdesign.cz>
 * @author Sander Kruger <s.kruger@invessel.com>
 * @author Zoli Szabó <zoli.szabo+github@gmail.com>
 */
class Emogrifier
{
    /**
     * @var int
     */
    const CACHE_KEY_CSS = 0;

    /**
     * @var int
     */
    const CACHE_KEY_SELECTOR = 1;

    /**
     * @var int
     */
    const CACHE_KEY_XPATH = 2;

    /**
     * @var int
     */
    const CACHE_KEY_CSS_DECLARATIONS_BLOCK = 3;

    /**
     * @var int
     */
    const CACHE_KEY_COMBINED_STYLES = 4;

    /**
     * for calculating nth-of-type and nth-child selectors
     *
     * @var int
     */
    const INDEX = 0;

    /**
     * for calculating nth-of-type and nth-child selectors
     *
     * @var int
     */
    const MULTIPLIER = 1;

    /**
     * @var string
     */
    const ID_ATTRIBUTE_MATCHER = '/(\\w+)?\\#([\\w\\-]+)/';

    /**
     * @var string
     */
    const CLASS_ATTRIBUTE_MATCHER = '/(\\w+|[\\*\\]])?((\\.[\\w\\-]+)+)/';

    /**
     * Regular expression component matching a static pseudo class in a selector, without the preceding ":",
     * for which the applicable elements can be determined (by converting the selector to an XPath expression).
     * (Contains alternation without a group and is intended to be placed within a capturing, non-capturing or lookahead
     * group, as appropriate for the usage context.)
     *
     * @var string
     */
    const PSEUDO_CLASS_MATCHER = '(?:first|last|nth)-child|nth-of-type|not\\([[:ascii:]]*\\)';

    /**
     * @var string
     */
    const CONTENT_TYPE_META_TAG = '<meta http-equiv="Content-Type" content="text/html; charset=utf-8">';

    /**
     * @var string
     */
    const DEFAULT_DOCUMENT_TYPE = '<!DOCTYPE html>';

    /**
     * @var string Regular expression part to match tag names that PHP's DOMDocument implementation is not aware are
     *      self-closing. These are mostly HTML5 elements, but for completeness <command> (obsolete) and <keygen>
     *      (deprecated) are also included.
     *
     * @see https://bugs.php.net/bug.php?id=73175
     */
    const PHP_UNRECOGNIZED_VOID_TAGNAME_MATCHER = '(?:command|embed|keygen|source|track|wbr)';

    /**
     * @var \DOMDocument
     */
    protected $domDocument = null;

    /**
     * @var \DOMXPath
     */
    protected $xPath = null;

    /**
     * @var string
     */
    private $css = '';

    /**
     * @var bool[]
     */
    private $excludedSelectors = [];

    /**
     * @var string[]
     */
    private $unprocessableHtmlTags = ['wbr'];

    /**
     * @var bool[]
     */
    private $allowedMediaTypes = ['all' => true, 'screen' => true, 'print' => true];

    /**
     * @var mixed[]
     */
    private $caches = [
        self::CACHE_KEY_CSS => [],
        self::CACHE_KEY_SELECTOR => [],
        self::CACHE_KEY_XPATH => [],
        self::CACHE_KEY_CSS_DECLARATIONS_BLOCK => [],
        self::CACHE_KEY_COMBINED_STYLES => [],
    ];

    /**
     * the visited nodes with the XPath paths as array keys
     *
     * @var \DOMElement[]
     */
    private $visitedNodes = [];

    /**
     * the styles to apply to the nodes with the XPath paths as array keys for the outer array
     * and the attribute names/values as key/value pairs for the inner array
     *
     * @var string[][]
     */
    private $styleAttributesForNodes = [];

    /**
     * Determines whether the "style" attributes of tags in the the HTML passed to this class should be preserved.
     * If set to false, the value of the style attributes will be discarded.
     *
     * @var bool
     */
    private $isInlineStyleAttributesParsingEnabled = true;

    /**
     * Determines whether the <style> blocks in the HTML passed to this class should be parsed.
     *
     * If set to true, the <style> blocks will be removed from the HTML and their contents will be applied to the HTML
     * via inline styles.
     *
     * If set to false, the <style> blocks will be left as they are in the HTML.
     *
     * @var bool
     */
    private $isStyleBlocksParsingEnabled = true;

    /**
     * For calculating selector precedence order.
     * Keys are a regular expression part to match before a CSS name.
     * Values are a multiplier factor per match to weight specificity.
     *
     * @var int[]
     */
    private $selectorPrecedenceMatchers = [
        // IDs: worth 10000
        '\\#' => 10000,
        // classes, attributes, pseudo-classes (not pseudo-elements) except `:not`: worth 100
        '(?:\\.|\\[|(?<!:):(?!not\\())' => 100,
        // elements (not attribute values or `:not`), pseudo-elements: worth 1
        '(?:(?<![="\':\\w\\-])|::)' => 1,
    ];

    /**
     * @var string[]
     */
    private $xPathRules = [
        // attribute presence
        '/^\\[(\\w+|\\w+\\=[\'"]?\\w+[\'"]?)\\]/' => '*[@\\1]',
        // type and attribute exact value
        '/(\\w)\\[(\\w+)\\=[\'"]?([\\w\\s]+)[\'"]?\\]/' => '\\1[@\\2="\\3"]',
        // type and attribute value with ~ (one word within a whitespace-separated list of words)
        '/([\\w\\*]+)\\[(\\w+)[\\s]*\\~\\=[\\s]*[\'"]?([\\w\\-_\\/]+)[\'"]?\\]/'
        => '\\1[contains(concat(" ", @\\2, " "), concat(" ", "\\3", " "))]',
        // type and attribute value with | (either exact value match or prefix followed by a hyphen)
        '/([\\w\\*]+)\\[(\\w+)[\\s]*\\|\\=[\\s]*[\'"]?([\\w\\-_\\s\\/]+)[\'"]?\\]/'
        => '\\1[@\\2="\\3" or starts-with(@\\2, concat("\\3", "-"))]',
        // type and attribute value with ^ (prefix match)
        '/([\\w\\*]+)\\[(\\w+)[\\s]*\\^\\=[\\s]*[\'"]?([\\w\\-_\\/]+)[\'"]?\\]/' => '\\1[starts-with(@\\2, "\\3")]',
        // type and attribute value with * (substring match)
        '/([\\w\\*]+)\\[(\\w+)[\\s]*\\*\\=[\\s]*[\'"]?([\\w\\-_\\s\\/:;]+)[\'"]?\\]/' => '\\1[contains(@\\2, "\\3")]',
        // adjacent sibling
        '/\\s*\\+\\s*/' => '/following-sibling::*[1]/self::',
        // child
        '/\\s*>\\s*/' => '/',
        // descendant (don't match spaces within already translated XPath predicates)
        '/\\s+(?![^\\[\\]]*+\\])/' => '//',
        // type and :first-child
        '/([^\\/]+):first-child/i' => '*[1]/self::\\1',
        // type and :last-child
        '/([^\\/]+):last-child/i' => '*[last()]/self::\\1',

        // The following matcher will break things if it is placed before the adjacent matcher.
        // So one of the matchers matches either too much or not enough.
        // type and attribute value with $ (suffix match)
        '/([\\w\\*]+)\\[(\\w+)[\\s]*\\$\\=[\\s]*[\'"]?([\\w\\-_\\s\\/]+)[\'"]?\\]/'
        => '\\1[substring(@\\2, string-length(@\\2) - string-length("\\3") + 1) = "\\3"]',
    ];

    /**
     * Emogrifier will throw Exceptions when it encounters an error instead of silently ignoring them.
     *
     * @var bool
     */
    private $debug = false;

    /**
     * @param string $unprocessedHtml the HTML to process, must be UTF-8-encoded
     * @param string $css the CSS to merge, must be UTF-8-encoded
     */
    public function __construct($unprocessedHtml = '', $css = '')
    {
        if ($unprocessedHtml !== '') {
            $this->setHtml($unprocessedHtml);
        }
        $this->setCss($css);
    }

    /**
     * Sets the HTML to process.
     *
     * @param string $html the HTML to process, must be UTF-encoded, must not be empty
     *
     * @return void
     *
     * @throws \InvalidArgumentException if $unprocessedHtml is anything other than a non-empty string
     */
    public function setHtml($html)
    {
        if (!\is_string($html)) {
            throw new \InvalidArgumentException('The provided HTML must be a string.', 1540403913);
        }
        if ($html === '') {
            throw new \InvalidArgumentException('The provided HTML must not be empty.', 1540403910);
        }

        $this->createUnifiedDomDocument($html);
    }

    /**
     * Provides access to the internal DOMDocument representation of the HTML in its current state.
     *
     * @return \DOMDocument
     */
    public function getDomDocument()
    {
        return $this->domDocument;
    }

    /**
     * Sets the CSS to merge with the HTML.
     *
     * @param string $css the CSS to merge, must be UTF-8-encoded
     *
     * @return void
     */
    public function setCss($css)
    {
        $this->css = $css;
    }

    /**
     * Renders the normalized and processed HTML.
     *
     * @return string
     */
    protected function render()
    {
        $htmlWithPossibleErroneousClosingTags = $this->domDocument->saveHTML();

        return $this->removeSelfClosingTagsClosingTags($htmlWithPossibleErroneousClosingTags);
    }

    /**
     * Renders the content of the BODY element of the normalized and processed HTML.
     *
     * @return string
     */
    protected function renderBodyContent()
    {
        $htmlWithPossibleErroneousClosingTags = $this->domDocument->saveHTML($this->getBodyElement());
        $bodyNodeHtml = $this->removeSelfClosingTagsClosingTags($htmlWithPossibleErroneousClosingTags);

        return \preg_replace('%</?+body(?:\\s[^>]*+)?+>%', '', $bodyNodeHtml);
    }

    /**
     * Eliminates any invalid closing tags for void elements from the given HTML.
     *
     * @param string $html
     *
     * @return string
     */
    private function removeSelfClosingTagsClosingTags($html)
    {
        return \preg_replace('%</' . self::PHP_UNRECOGNIZED_VOID_TAGNAME_MATCHER . '>%', '', $html);
    }

    /**
     * Returns the BODY element.
     *
     * This method assumes that there always is a BODY element.
     *
     * @return \DOMElement
     */
    private function getBodyElement()
    {
        return $this->domDocument->getElementsByTagName('body')->item(0);
    }

    /**
     * Returns the HEAD element.
     *
     * This method assumes that there always is a HEAD element.
     *
     * @return \DOMElement
     */
    private function getHeadElement()
    {
        return $this->domDocument->getElementsByTagName('head')->item(0);
    }

    /**
     * Applies $this->css to the given HTML and returns the HTML with the CSS
     * applied.
     *
     * This method places the CSS inline.
     *
     * @return string
     *
     * @throws \BadMethodCallException
     */
    public function emogrify()
    {
        $this->assertExistenceOfHtml();

        $this->process();

        return $this->render();
    }

    /**
     * Applies $this->css to the given HTML and returns only the HTML content
     * within the <body> tag.
     *
     * This method places the CSS inline.
     *
     * @return string
     *
     * @throws \BadMethodCallException
     */
    public function emogrifyBodyContent()
    {
        $this->assertExistenceOfHtml();

        $this->process();

        return $this->renderBodyContent();
    }

    /**
     * Checks that some HTML has been set, and throws an exception otherwise.
     *
     * @return void
     *
     * @throws \BadMethodCallException
     */
    private function assertExistenceOfHtml()
    {
        if ($this->domDocument === null) {
            throw new \BadMethodCallException('Please set some HTML first.', 1390393096);
        }
    }

    /**
     * Creates a DOM document from the given HTML and stores it in $this->domDocument.
     *
     * The DOM document will always have a BODY element.
     *
     * @param string $html
     *
     * @return void
     */
    private function createUnifiedDomDocument($html)
    {
        $this->createRawDomDocument($html);
        $this->ensureExistenceOfBodyElement();
    }

    /**
     * Creates a DOMDocument instance from the given HTML and stores it in $this->domDocument.
     *
     * @param string $html
     *
     * @return void
     */
    private function createRawDomDocument($html)
    {
        $domDocument = new \DOMDocument();
        $domDocument->strictErrorChecking = false;
        $domDocument->formatOutput = true;
        $libXmlState = \libxml_use_internal_errors(true);
        $domDocument->loadHTML($this->prepareHtmlForDomConversion($html));
        \libxml_clear_errors();
        \libxml_use_internal_errors($libXmlState);

        $this->domDocument = $domDocument;
        $this->xPath = new \DOMXPath($this->domDocument);
    }

    /**
     * Returns the HTML with added document type, Content-Type meta tag, and self-closing slashes, if needed,
     * ensuring that the HTML will be good for creating a DOM document from it.
     *
     * @param string $html
     *
     * @return string the unified HTML
     */
    private function prepareHtmlForDomConversion($html)
    {
        $htmlWithSelfClosingSlashes = $this->ensurePhpUnrecognizedSelfClosingTagsAreXml($html);
        $htmlWithDocumentType = $this->ensureDocumentType($htmlWithSelfClosingSlashes);

        return $this->addContentTypeMetaTag($htmlWithDocumentType);
    }

    /**
     * Applies $this->css to $this->domDocument.
     *
     * This method places the CSS inline.
     *
     * @return void
     *
     * @throws \InvalidArgumentException
     */
    protected function process()
    {
        $this->clearAllCaches();
        $this->purgeVisitedNodes();

        \set_error_handler([$this, 'handleXpathQueryWarnings'], E_WARNING);
        $this->removeUnprocessableTags();
        $this->normalizeStyleAttributesOfAllNodes();

        // grab any existing style blocks from the html and append them to the existing CSS
        // (these blocks should be appended so as to have precedence over conflicting styles in the existing CSS)
        $allCss = $this->css;
        if ($this->isStyleBlocksParsingEnabled) {
            $allCss .= $this->getCssFromAllStyleNodes();
        }

        $cssWithoutComments = $this->removeCssComments($allCss);
        list($cssWithoutCommentsCharsetOrImport, $cssImportRules)
            = $this->extractImportAndCharsetRules($cssWithoutComments);

        $excludedNodes = $this->getNodesToExclude();
        $cssRules = $this->parseCssRules($cssWithoutCommentsCharsetOrImport);
        foreach ($cssRules['inlinable'] as $cssRule) {
            // There's no real way to test "PHP Warning" output generated by the following XPath query unless PHPUnit
            // converts it to an exception. Unfortunately, this would only apply to tests and not work for production
            // executions, which can still flood logs/output unnecessarily. Instead, Emogrifier's error handler should
            // always throw an exception and it must be caught here and only rethrown if in debug mode.
            try {
                // \DOMXPath::query will always return a DOMNodeList or throw an exception when errors are caught.
                $nodesMatchingCssSelectors = $this->xPath->query($this->translateCssToXpath($cssRule['selector']));
            } catch (\InvalidArgumentException $e) {
                if ($this->debug) {
                    throw $e;
                }
                continue;
            }

            /** @var \DOMElement $node */
            foreach ($nodesMatchingCssSelectors as $node) {
                if (\in_array($node, $excludedNodes, true)) {
                    continue;
                }
                $this->copyInlinableCssToStyleAttribute($node, $cssRule);
            }
        }

        if ($this->isInlineStyleAttributesParsingEnabled) {
            $this->fillStyleAttributesWithMergedStyles();
        }

        $this->removeImportantAnnotationFromAllInlineStyles();

        $this->copyUninlinableCssToStyleNode($cssRules['uninlinable'], $cssImportRules);

        \restore_error_handler();
    }

    /**
     * Searches for all nodes with a style attribute and removes the "!important" annotations out of
     * the inline style declarations, eventually by rearranging declarations.
     *
     * @return void
     */
    private function removeImportantAnnotationFromAllInlineStyles()
    {
        foreach ($this->getAllNodesWithStyleAttribute() as $node) {
            $this->removeImportantAnnotationFromNodeInlineStyle($node);
        }
    }

    /**
     * Removes the "!important" annotations out of the inline style declarations,
     * eventually by rearranging declarations.
     * Rearranging needed when !important shorthand properties are followed by some of their
     * not !important expanded-version properties.
     * For example "font: 12px serif !important; font-size: 13px;" must be reordered
     * to "font-size: 13px; font: 12px serif;" in order to remain correct.
     *
     * @param \DOMElement $node
     *
     * @return void
     */
    private function removeImportantAnnotationFromNodeInlineStyle(\DOMElement $node)
    {
        $inlineStyleDeclarations = $this->parseCssDeclarationsBlock($node->getAttribute('style'));
        $regularStyleDeclarations = [];
        $importantStyleDeclarations = [];
        foreach ($inlineStyleDeclarations as $property => $value) {
            if ($this->attributeValueIsImportant($value)) {
                $importantStyleDeclarations[$property] = \trim(\str_replace('!important', '', $value));
            } else {
                $regularStyleDeclarations[$property] = $value;
            }
        }
        $inlineStyleDeclarationsInNewOrder = \array_merge(
            $regularStyleDeclarations,
            $importantStyleDeclarations
        );
        $node->setAttribute(
            'style',
            $this->generateStyleStringFromSingleDeclarationsArray($inlineStyleDeclarationsInNewOrder)
        );
    }

    /**
     * Returns a list with all DOM nodes that have a style attribute.
     *
     * @return \DOMNodeList
     */
    private function getAllNodesWithStyleAttribute()
    {
        return $this->xPath->query('//*[@style]');
    }

    /**
     * Extracts and parses the individual rules from a CSS string.
     *
     * @param string $css a string of raw CSS code with comments removed
     *
     * @return string[][][] A 2-entry array with the key "inlinable" containing rules which can be inlined as `style`
     *         attributes and the key "uninlinable" containing rules which cannot.  Each value is an array of string
     *         sub-arrays with the keys
     *         "media" (the media query string, e.g. "@media screen and (max-width: 480px)",
     *         or an empty string if not from a `@media` rule),
     *         "selector" (the CSS selector, e.g., "*" or "header h1"),
     *         "hasUnmatchablePseudo" (true if that selector contains pseudo-elements or dynamic pseudo-classes
     *         such that the declarations cannot be applied inline),
     *         "declarationsBlock" (the semicolon-separated CSS declarations for that selector,
     *         e.g., "color: red; height: 4px;"),
     *         and "line" (the line number e.g. 42)
     */
    private function parseCssRules($css)
    {
        $cssKey = \md5($css);
        if (!isset($this->caches[self::CACHE_KEY_CSS][$cssKey])) {
            $matches = $this->getCssRuleMatches($css);

            $cssRules = [
                'inlinable' => [],
                'uninlinable' => [],
            ];
            /** @var string[][] $matches */
            /** @var string[] $cssRule */
            foreach ($matches as $key => $cssRule) {
                $cssDeclaration = \trim($cssRule['declarations']);
                if ($cssDeclaration === '') {
                    continue;
                }

                foreach (\explode(',', $cssRule['selectors']) as $selector) {
                    // don't process pseudo-elements and behavioral (dynamic) pseudo-classes;
                    // only allow structural pseudo-classes
                    $hasPseudoElement = \strpos($selector, '::') !== false;
                    $hasUnsupportedPseudoClass = (bool)\preg_match(
                        '/:(?!' . self::PSEUDO_CLASS_MATCHER . ')[\\w\\-]/i',
                        $selector
                    );
                    $hasUnmatchablePseudo = $hasPseudoElement || $hasUnsupportedPseudoClass;

                    $parsedCssRule = [
                        'media' => $cssRule['media'],
                        'selector' => \trim($selector),
                        'hasUnmatchablePseudo' => $hasUnmatchablePseudo,
                        'declarationsBlock' => $cssDeclaration,
                        // keep track of where it appears in the file, since order is important
                        'line' => $key,
                    ];
                    $ruleType = ($cssRule['media'] === '' && !$hasUnmatchablePseudo) ? 'inlinable' : 'uninlinable';
                    $cssRules[$ruleType][] = $parsedCssRule;
                }
            }

            \usort($cssRules['inlinable'], [$this, 'sortBySelectorPrecedence']);

            $this->caches[self::CACHE_KEY_CSS][$cssKey] = $cssRules;
        }

        return $this->caches[self::CACHE_KEY_CSS][$cssKey];
    }

    /**
     * Parses a string of CSS into the media query, selectors and declarations for each ruleset in order.
     *
     * @param string $css CSS with comments removed
     *
     * @return string[][] Array of string sub-arrays with the keys
     *         "media" (the media query string, e.g. "@media screen and (max-width: 480px)",
     *         or an empty string if not from an `@media` rule),
     *         "selectors" (the CSS selector(s), e.g., "*" or "h1, h2"),
     *         "declarations" (the semicolon-separated CSS declarations for that/those selector(s),
     *         e.g., "color: red; height: 4px;"),
     */
    private function getCssRuleMatches($css)
    {
        $splitCss = $this->splitCssAndMediaQuery($css);

        $ruleMatches = [];
        foreach ($splitCss as $cssPart) {
            // process each part for selectors and definitions
            \preg_match_all('/(?:^|[\\s^{}]*)([^{]+){([^}]*)}/mi', $cssPart['css'], $matches, PREG_SET_ORDER);

            /** @var string[][] $matches */
            foreach ($matches as $cssRule) {
                $ruleMatches[] = [
                    'media' => $cssPart['media'],
                    'selectors' => $cssRule[1],
                    'declarations' => $cssRule[2],
                ];
            }
        }

        return $ruleMatches;
    }

    /**
     * Disables the parsing of inline styles.
     *
     * @return void
     */
    public function disableInlineStyleAttributesParsing()
    {
        $this->isInlineStyleAttributesParsingEnabled = false;
    }

    /**
     * Disables the parsing of <style> blocks.
     *
     * @return void
     */
    public function disableStyleBlocksParsing()
    {
        $this->isStyleBlocksParsingEnabled = false;
    }

    /**
     * Clears all caches.
     *
     * @return void
     */
    private function clearAllCaches()
    {
        $this->caches = [
            self::CACHE_KEY_CSS => [],
            self::CACHE_KEY_SELECTOR => [],
            self::CACHE_KEY_XPATH => [],
            self::CACHE_KEY_CSS_DECLARATIONS_BLOCK => [],
            self::CACHE_KEY_COMBINED_STYLES => [],
        ];
    }

    /**
     * Purges the visited nodes.
     *
     * @return void
     */
    private function purgeVisitedNodes()
    {
        $this->visitedNodes = [];
        $this->styleAttributesForNodes = [];
    }

    /**
     * Marks a tag for removal.
     *
     * There are some HTML tags that DOMDocument cannot process, and it will throw an error if it encounters them.
     * In particular, DOMDocument will complain if you try to use HTML5 tags in an XHTML document.
     *
     * Note: The tags will not be removed if they have any content.
     *
     * @param string $tagName the tag name, e.g., "p"
     *
     * @return void
     */
    public function addUnprocessableHtmlTag($tagName)
    {
        $this->unprocessableHtmlTags[] = $tagName;
    }

    /**
     * Drops a tag from the removal list.
     *
     * @param string $tagName the tag name, e.g., "p"
     *
     * @return void
     */
    public function removeUnprocessableHtmlTag($tagName)
    {
        $key = \array_search($tagName, $this->unprocessableHtmlTags, true);
        if ($key !== false) {
            /** @var int|string $key */
            unset($this->unprocessableHtmlTags[$key]);
        }
    }

    /**
     * Marks a media query type to keep.
     *
     * @param string $mediaName the media type name, e.g., "braille"
     *
     * @return void
     */
    public function addAllowedMediaType($mediaName)
    {
        $this->allowedMediaTypes[$mediaName] = true;
    }

    /**
     * Drops a media query type from the allowed list.
     *
     * @param string $mediaName the tag name, e.g., "braille"
     *
     * @return void
     */
    public function removeAllowedMediaType($mediaName)
    {
        if (isset($this->allowedMediaTypes[$mediaName])) {
            unset($this->allowedMediaTypes[$mediaName]);
        }
    }

    /**
     * Adds a selector to exclude nodes from emogrification.
     *
     * Any nodes that match the selector will not have their style altered.
     *
     * @param string $selector the selector to exclude, e.g., ".editor"
     *
     * @return void
     */
    public function addExcludedSelector($selector)
    {
        $this->excludedSelectors[$selector] = true;
    }

    /**
     * No longer excludes the nodes matching this selector from emogrification.
     *
     * @param string $selector the selector to no longer exclude, e.g., ".editor"
     *
     * @return void
     */
    public function removeExcludedSelector($selector)
    {
        if (isset($this->excludedSelectors[$selector])) {
            unset($this->excludedSelectors[$selector]);
        }
    }

    /**
     * Parses the document and normalizes all existing CSS attributes.
     * This changes 'DISPLAY: none' to 'display: none'.
     * We wouldn't have to do this if DOMXPath supported XPath 2.0.
     * Also stores a reference of nodes with existing inline styles so we don't overwrite them.
     *
     * @return void
     */
    private function normalizeStyleAttributesOfAllNodes()
    {
        /** @var \DOMElement $node */
        foreach ($this->getAllNodesWithStyleAttribute() as $node) {
            if ($this->isInlineStyleAttributesParsingEnabled) {
                $this->normalizeStyleAttributes($node);
            }
            // Remove style attribute in every case, so we can add them back (if inline style attributes
            // parsing is enabled) to the end of the style list, thus keeping the right priority of CSS rules;
            // else original inline style rules may remain at the beginning of the final inline style definition
            // of a node, which may give not the desired results
            $node->removeAttribute('style');
        }
    }

    /**
     * Normalizes the value of the "style" attribute and saves it.
     *
     * @param \DOMElement $node
     *
     * @return void
     */
    private function normalizeStyleAttributes(\DOMElement $node)
    {
        $normalizedOriginalStyle = \preg_replace_callback(
            '/-?+[_a-zA-Z][\\w\\-]*+(?=:)/S',
            static function (array $m) {
                return \strtolower($m[0]);
            },
            $node->getAttribute('style')
        );

        // in order to not overwrite existing style attributes in the HTML, we
        // have to save the original HTML styles
        $nodePath = $node->getNodePath();
        if (!isset($this->styleAttributesForNodes[$nodePath])) {
            $this->styleAttributesForNodes[$nodePath] = $this->parseCssDeclarationsBlock($normalizedOriginalStyle);
            $this->visitedNodes[$nodePath] = $node;
        }

        $node->setAttribute('style', $normalizedOriginalStyle);
    }

    /**
     * Merges styles from styles attributes and style nodes and applies them to the attribute nodes
     *
     * @return void
     */
    private function fillStyleAttributesWithMergedStyles()
    {
        foreach ($this->styleAttributesForNodes as $nodePath => $styleAttributesForNode) {
            $node = $this->visitedNodes[$nodePath];
            $currentStyleAttributes = $this->parseCssDeclarationsBlock($node->getAttribute('style'));
            $node->setAttribute(
                'style',
                $this->generateStyleStringFromDeclarationsArrays(
                    $currentStyleAttributes,
                    $styleAttributesForNode
                )
            );
        }
    }

    /**
     * This method merges old or existing name/value array with new name/value array
     * and then generates a string of the combined style suitable for placing inline.
     * This becomes the single point for CSS string generation allowing for consistent
     * CSS output no matter where the CSS originally came from.
     *
     * @param string[] $oldStyles
     * @param string[] $newStyles
     *
     * @return string
     */
    private function generateStyleStringFromDeclarationsArrays(array $oldStyles, array $newStyles)
    {
        $cacheKey = \serialize([$oldStyles, $newStyles]);
        if (isset($this->caches[self::CACHE_KEY_COMBINED_STYLES][$cacheKey])) {
            return $this->caches[self::CACHE_KEY_COMBINED_STYLES][$cacheKey];
        }

        // Unset the overridden styles to preserve order, important if shorthand and individual properties are mixed
        foreach ($oldStyles as $attributeName => $attributeValue) {
            if (!isset($newStyles[$attributeName])) {
                continue;
            }

            $newAttributeValue = $newStyles[$attributeName];
            if (
                $this->attributeValueIsImportant($attributeValue)
                && !$this->attributeValueIsImportant($newAttributeValue)
            ) {
                unset($newStyles[$attributeName]);
            } else {
                unset($oldStyles[$attributeName]);
            }
        }

        $combinedStyles = \array_merge($oldStyles, $newStyles);

        $style = '';
        foreach ($combinedStyles as $attributeName => $attributeValue) {
            $style .= \strtolower(\trim($attributeName)) . ': ' . \trim($attributeValue) . '; ';
        }
        $trimmedStyle = \rtrim($style);

        $this->caches[self::CACHE_KEY_COMBINED_STYLES][$cacheKey] = $trimmedStyle;

        return $trimmedStyle;
    }

    /**
     * Generates a CSS style string suitable to be used inline from the $styleDeclarations property => value array.
     *
     * @param string[] $styleDeclarations
     *
     * @return string
     */
    private function generateStyleStringFromSingleDeclarationsArray(array $styleDeclarations)
    {
        return $this->generateStyleStringFromDeclarationsArrays([], $styleDeclarations);
    }

    /**
     * Checks whether $attributeValue is marked as !important.
     *
     * @param string $attributeValue
     *
     * @return bool
     */
    private function attributeValueIsImportant($attributeValue)
    {
        return \strtolower(\substr(\trim($attributeValue), -10)) === '!important';
    }

    /**
     * Copies $cssRule into the style attribute of $node.
     *
     * Note: This method does not check whether $cssRule matches $node.
     *
     * @param \DOMElement $node
     * @param string[][] $cssRule
     *
     * @return void
     */
    private function copyInlinableCssToStyleAttribute(\DOMElement $node, array $cssRule)
    {
        $newStyleDeclarations = $this->parseCssDeclarationsBlock($cssRule['declarationsBlock']);
        if ($newStyleDeclarations === []) {
            return;
        }

        // if it has a style attribute, get it, process it, and append (overwrite) new stuff
        if ($node->hasAttribute('style')) {
            // break it up into an associative array
            $oldStyleDeclarations = $this->parseCssDeclarationsBlock($node->getAttribute('style'));
        } else {
            $oldStyleDeclarations = [];
        }
        $node->setAttribute(
            'style',
            $this->generateStyleStringFromDeclarationsArrays($oldStyleDeclarations, $newStyleDeclarations)
        );
    }

    /**
     * Applies $cssRules to $this->domDocument, limited to the rules that actually apply to the document, by placing
     * them as CSS in a `<style>` element.
     *
     * @param string[][] $cssRules the "uninlinable" array of CSS rules returned by `parseCssRules`
     * @param string $cssImportRules This may contain any `@import` rules that should precede the CSS placed in the
     *        `<style>` element.  If there are no unlinlinable CSS rules to copy there, a `<style>` element will be
     *        created containing just `$cssImportRules`.  `$cssImportRules` may be an empty string; if it is, and there
     *        are no unlinlinable CSS rules, an empty `<style>` element will not be created.
     *
     * @return void
     */
    private function copyUninlinableCssToStyleNode(array $cssRules, $cssImportRules)
    {
        $css = $cssImportRules;

        $cssRulesRelevantForDocument = \array_filter($cssRules, [$this, 'existsMatchForSelectorInCssRule']);

        // avoid including unneeded class dependency if there are no rules
        if ($cssRulesRelevantForDocument !== []) {
            // support use without autoload
            if (!\class_exists(CssConcatenator::class)) {
                require_once __DIR__ . '/Emogrifier/Utilities/CssConcatenator.php';
            }

            $cssConcatenator = new CssConcatenator();
            foreach ($cssRulesRelevantForDocument as $cssRule) {
                $cssConcatenator->append([$cssRule['selector']], $cssRule['declarationsBlock'], $cssRule['media']);
            }

            $css .= $cssConcatenator->getCss();
        }

        // avoid adding empty style element
        if ($css !== '') {
            $this->addStyleElementToDocument($css);
        }
    }

    /**
     * Checks whether there is at least one matching element for the CSS selector contained in the `selector` element
     * of the provided CSS rule.
     *
     * Any dynamic pseudo-classes will be assumed to apply. If the selector matches a pseudo-element,
     * it will test for a match with its originating element.
     *
     * @param string[] $cssRule
     *
     * @return bool
     *
     * @throws \InvalidArgumentException
     */
    private function existsMatchForSelectorInCssRule(array $cssRule)
    {
        $selector = $cssRule['selector'];
        if ($cssRule['hasUnmatchablePseudo']) {
            $selector = $this->removeUnmatchablePseudoComponents($selector);
        }
        return $this->existsMatchForCssSelector($selector);
    }

    /**
     * Removes pseudo-elements and dynamic pseudo-classes from a CSS selector, replacing them with "*" if necessary.
     * If such a pseudo-component is within the argument of `:not`, the entire `:not` component is removed or replaced.
     *
     * @param string $selector
     *
     * @return string Selector which will match the relevant DOM elements if the pseudo-classes are assumed to apply,
     *                or in the case of pseudo-elements will match their originating element.
     */
    private function removeUnmatchablePseudoComponents($selector)
    {
        // The regex allows nested brackets via `(?2)`.
        // A space is temporarily prepended because the callback can't determine if the match was at the very start.
        $selectorWithoutNots = \ltrim(\preg_replace_callback(
            '/(\\s?+):not(\\([^()]*+(?:(?2)[^()]*+)*+\\))/i',
            [$this, 'replaceUnmatchableNotComponent'],
            ' ' . $selector
        ));

        $pseudoComponentMatcher = ':(?!' . self::PSEUDO_CLASS_MATCHER . '):?+[\\w\\-]++(?:\\([^\\)]*+\\))?+';
        return \preg_replace(
            ['/(\\s|^)' . $pseudoComponentMatcher . '/i', '/' . $pseudoComponentMatcher . '/i'],
            ['$1*', ''],
            $selectorWithoutNots
        );
    }

    /**
     * Helps `removeUnmatchablePseudoComponents()` replace or remove a selector `:not(...)` component if its argument
     * contains pseudo-elements or dynamic pseudo-classes.
     *
     * @param string[] $matches array of elements matched by the regular expression
     *
     * @return string the full match if there were no unmatchable pseudo components within; otherwise, any preceding
     *         whitespace followed by "*", or an empty string if there was no preceding whitespace
     */
    private function replaceUnmatchableNotComponent(array $matches)
    {
        list($notComponentWithAnyPrecedingWhitespace, $anyPrecedingWhitespace, $notArgumentInBrackets) = $matches;

        $hasUnmatchablePseudo = \preg_match(
            '/:(?!' . self::PSEUDO_CLASS_MATCHER . ')[\\w\\-:]/i',
            $notArgumentInBrackets
        );

        if ($hasUnmatchablePseudo) {
            return $anyPrecedingWhitespace !== '' ? $anyPrecedingWhitespace . '*' : '';
        }
        return $notComponentWithAnyPrecedingWhitespace;
    }

    /**
     * Checks whether there is at least one matching element for $cssSelector.
     * When not in debug mode, it returns true also for invalid selectors (because they may be valid,
     * just not implemented/recognized yet by Emogrifier).
     *
     * @param string $cssSelector
     *
     * @return bool
     *
     * @throws \InvalidArgumentException
     */
    private function existsMatchForCssSelector($cssSelector)
    {
        try {
            $nodesMatchingSelector = $this->xPath->query($this->translateCssToXpath($cssSelector));
        } catch (\InvalidArgumentException $e) {
            if ($this->debug) {
                throw $e;
            }
            return true;
        }

        return $nodesMatchingSelector !== false && $nodesMatchingSelector->length !== 0;
    }

    /**
     * Returns CSS content.
     *
     * @return string
     */
    private function getCssFromAllStyleNodes()
    {
        $styleNodes = $this->xPath->query('//style');

        if ($styleNodes === false) {
            return '';
        }

        $css = '';
        /** @var \DOMNode $styleNode */
        foreach ($styleNodes as $styleNode) {
            $css .= "\n\n" . $styleNode->nodeValue;
            $styleNode->parentNode->removeChild($styleNode);
        }

        return $css;
    }

    /**
     * Adds a style element with $css to $this->domDocument.
     *
     * This method is protected to allow overriding.
     *
     * @see https://github.com/MyIntervals/emogrifier/issues/103
     *
     * @param string $css
     *
     * @return void
     */
    protected function addStyleElementToDocument($css)
    {
        $styleElement = $this->domDocument->createElement('style', $css);
        $styleAttribute = $this->domDocument->createAttribute('type');
        $styleAttribute->value = 'text/css';
        $styleElement->appendChild($styleAttribute);

        $headElement = $this->getHeadElement();
        $headElement->appendChild($styleElement);
    }

    /**
     * Checks that $this->domDocument has a BODY element and adds it if it is missing.
     *
     * @return void
     *
     * @throws \UnexpectedValueException
     */
    private function ensureExistenceOfBodyElement()
    {
        if ($this->domDocument->getElementsByTagName('body')->item(0) !== null) {
            return;
        }

        $htmlElement = $this->domDocument->getElementsByTagName('html')->item(0);
        if ($htmlElement === null) {
            throw new \UnexpectedValueException('There is no HTML element although there should be one.', 1569930874);
        }
        $htmlElement->appendChild($this->domDocument->createElement('body'));
    }

    /**
     * Removes comments from the supplied CSS.
     *
     * @param string $css
     *
     * @return string CSS with the comments removed
     */
    private function removeCssComments($css)
    {
        return \preg_replace('%/\\*[^*]*+(?:\\*(?!/)[^*]*+)*+\\*/%', '', $css);
    }

    /**
     * Extracts `@import` and `@charset` rules from the supplied CSS.  These rules must not be preceded by any other
     * rules, or they will be ignored.  (From the CSS 2.1 specification: "CSS 2.1 user agents must ignore any '@import'
     * rule that occurs inside a block or after any non-ignored statement other than an @charset or an @import rule."
     * Note also that `@charset` is case sensitive whereas `@import` is not.)
     *
     * @param string $css CSS with comments removed
     *
     * @return string[] The first element is the CSS with the valid `@import` and `@charset` rules removed.  The second
     * element contains a concatenation of the valid `@import` rules, each followed by whatever whitespace followed it
     * in the original CSS (so that either unminified or minified formatting is preserved); if there were no `@import`
     * rules, it will be an empty string.  The (valid) `@charset` rules are discarded.
     */
    private function extractImportAndCharsetRules($css)
    {
        $possiblyModifiedCss = $css;
        $importRules = '';

        while (
            \preg_match(
                '/^\\s*+(@((?i)import(?-i)|charset)\\s[^;]++;\\s*+)/',
                $possiblyModifiedCss,
                $matches
            )
        ) {
            list($fullMatch, $atRuleAndFollowingWhitespace, $atRuleName) = $matches;

            if (\strtolower($atRuleName) === 'import') {
                $importRules .= $atRuleAndFollowingWhitespace;
            }

            $possiblyModifiedCss = \substr($possiblyModifiedCss, \strlen($fullMatch));
        }

        return [$possiblyModifiedCss, $importRules];
    }

    /**
     * Splits input CSS code into an array of parts for different media queries, in order.
     * Each part is an array where:
     *
     * - key "css" will contain clean CSS code (for @media rules this will be the group rule body within "{...}")
     * - key "media" will contain "@media " followed by the media query list, for all allowed media queries,
     *   or an empty string for CSS not within a media query
     *
     * Example:
     *
     * The CSS code
     *
     *   "@import "file.css"; h1 { color:red; } @media { h1 {}} @media tv { h1 {}}"
     *
     * will be parsed into the following array:
     *
     *   0 => [
     *     "css" => "h1 { color:red; }",
     *     "media" => ""
     *   ],
     *   1 => [
     *     "css" => " h1 {}",
     *     "media" => "@media "
     *   ]
     *
     * @param string $css
     *
     * @return string[][]
     */
    private function splitCssAndMediaQuery($css)
    {
        $mediaTypesExpression = '';
        if (!empty($this->allowedMediaTypes)) {
            $mediaTypesExpression = '|' . \implode('|', \array_keys($this->allowedMediaTypes));
        }

        $mediaRuleBodyMatcher = '[^{]*+{(?:[^{}]*+{.*})?\\s*+}\\s*+';

        $cssSplitForAllowedMediaTypes = \preg_split(
            '#(@media\\s++(?:only\\s++)?+(?:(?=[{(])' . $mediaTypesExpression . ')' . $mediaRuleBodyMatcher
            . ')#misU',
            $css,
            -1,
            PREG_SPLIT_DELIM_CAPTURE
        );

        // filter the CSS outside/between allowed @media rules
        $cssCleaningMatchers = [
            'import/charset directives' => '/\\s*+@(?:import|charset)\\s[^;]++;/i',
            'remaining media enclosures' => '/\\s*+@media\\s' . $mediaRuleBodyMatcher . '/isU',
        ];

        $splitCss = [];
        foreach ($cssSplitForAllowedMediaTypes as $index => $cssPart) {
            $isMediaRule = $index % 2 !== 0;
            if ($isMediaRule) {
                \preg_match('/^([^{]*+){(.*)}[^}]*+$/s', $cssPart, $matches);
                $splitCss[] = [
                    'css' => $matches[2],
                    'media' => $matches[1],
                ];
            } else {
                $cleanedCss = \trim(\preg_replace($cssCleaningMatchers, '', $cssPart));
                if ($cleanedCss !== '') {
                    $splitCss[] = [
                        'css' => $cleanedCss,
                        'media' => '',
                    ];
                }
            }
        }
        return $splitCss;
    }

    /**
     * Removes empty unprocessable tags from the DOM document.
     *
     * @return void
     */
    private function removeUnprocessableTags()
    {
        foreach ($this->unprocessableHtmlTags as $tagName) {
            // Deleting nodes from a 'live' NodeList invalidates iteration on it, so a copy must be made to iterate.
            $nodes = [];
            foreach ($this->domDocument->getElementsByTagName($tagName) as $node) {
                $nodes[] = $node;
            }
            /** @var \DOMNode $node */
            foreach ($nodes as $node) {
                if (!$node->hasChildNodes()) {
                    $node->parentNode->removeChild($node);
                }
            }
        }
    }

    /**
     * Makes sure that the passed HTML has a document type.
     *
     * @param string $html
     *
     * @return string HTML with document type
     */
    private function ensureDocumentType($html)
    {
        $hasDocumentType = \stripos($html, '<!DOCTYPE') !== false;
        if ($hasDocumentType) {
            return $html;
        }

        return self::DEFAULT_DOCUMENT_TYPE . $html;
    }

    /**
     * Adds a Content-Type meta tag for the charset.
     *
     * This method also ensures that there is a HEAD element.
     *
     * @param string $html
     *
     * @return string the HTML with the meta tag added
     */
    private function addContentTypeMetaTag($html)
    {
        $hasContentTypeMetaTag = \stripos($html, 'Content-Type') !== false;
        if ($hasContentTypeMetaTag) {
            return $html;
        }

        // We are trying to insert the meta tag to the right spot in the DOM.
        // If we just prepended it to the HTML, we would lose attributes set to the HTML tag.
        $hasHeadTag = \stripos($html, '<head') !== false;
        $hasHtmlTag = \stripos($html, '<html') !== false;

        if ($hasHeadTag) {
            $reworkedHtml = \preg_replace('/<head(.*?)>/i', '<head$1>' . self::CONTENT_TYPE_META_TAG, $html);
        } elseif ($hasHtmlTag) {
            $reworkedHtml = \preg_replace(
                '/<html(.*?)>/i',
                '<html$1><head>' . self::CONTENT_TYPE_META_TAG . '</head>',
                $html
            );
        } else {
            $reworkedHtml = self::CONTENT_TYPE_META_TAG . $html;
        }

        return $reworkedHtml;
    }

    /**
     * Makes sure that any self-closing tags not recognized as such by PHP's DOMDocument implementation have a
     * self-closing slash.
     *
     * @param string $html
     *
     * @return string HTML with problematic tags converted.
     */
    private function ensurePhpUnrecognizedSelfClosingTagsAreXml($html)
    {
        return \preg_replace(
            '%<' . self::PHP_UNRECOGNIZED_VOID_TAGNAME_MATCHER . '\\b[^>]*+(?<!/)(?=>)%',
            '$0/',
            $html
        );
    }

    /**
     * @param string[] $a
     * @param string[] $b
     *
     * @return int
     */
    private function sortBySelectorPrecedence(array $a, array $b)
    {
        $precedenceA = $this->getCssSelectorPrecedence($a['selector']);
        $precedenceB = $this->getCssSelectorPrecedence($b['selector']);

        // We want these sorted in ascending order so selectors with lesser precedence get processed first and
        // selectors with greater precedence get sorted last.
        $precedenceForEquals = ($a['line'] < $b['line'] ? -1 : 1);
        $precedenceForNotEquals = ($precedenceA < $precedenceB ? -1 : 1);
        return ($precedenceA === $precedenceB) ? $precedenceForEquals : $precedenceForNotEquals;
    }

    /**
     * @param string $selector
     *
     * @return int
     */
    private function getCssSelectorPrecedence($selector)
    {
        $selectorKey = \md5($selector);
        if (!isset($this->caches[self::CACHE_KEY_SELECTOR][$selectorKey])) {
            $precedence = 0;
            foreach ($this->selectorPrecedenceMatchers as $matcher => $value) {
                if (\trim($selector) === '') {
                    break;
                }
                $number = 0;
                $selector = \preg_replace('/' . $matcher . '\\w+/', '', $selector, -1, $number);
                $precedence += ($value * $number);
            }
            $this->caches[self::CACHE_KEY_SELECTOR][$selectorKey] = $precedence;
        }

        return $this->caches[self::CACHE_KEY_SELECTOR][$selectorKey];
    }

    /**
     * Maps a CSS selector to an XPath query string.
     *
     * @see http://plasmasturm.org/log/444/
     *
     * @param string $cssSelector a CSS selector
     *
     * @return string the corresponding XPath selector
     */
    private function translateCssToXpath($cssSelector)
    {
        $paddedSelector = ' ' . $cssSelector . ' ';
        $lowercasePaddedSelector = \preg_replace_callback(
            '/\\s+\\w+\\s+/',
            static function (array $matches) {
                return \strtolower($matches[0]);
            },
            $paddedSelector
        );
        $trimmedLowercaseSelector = \trim($lowercasePaddedSelector);
        $xPathKey = \md5($trimmedLowercaseSelector);
        if (isset($this->caches[self::CACHE_KEY_XPATH][$xPathKey])) {
            return $this->caches[self::CACHE_KEY_SELECTOR][$xPathKey];
        }

        $hasNotSelector = (bool)\preg_match(
            '/^([^:]+):not\\(\\s*([[:ascii:]]+)\\s*\\)$/',
            $trimmedLowercaseSelector,
            $matches
        );
        if ($hasNotSelector) {
            /** @var string[] $matches */
            list(, $partBeforeNot, $notContents) = $matches;
            $xPath = '//' . $this->translateCssToXpathPass($partBeforeNot) .
                '[not(' . $this->translateCssToXpathPassInline($notContents) . ')]';
        } else {
            $xPath = '//' . $this->translateCssToXpathPass($trimmedLowercaseSelector);
        }
        $this->caches[self::CACHE_KEY_SELECTOR][$xPathKey] = $xPath;

        return $this->caches[self::CACHE_KEY_SELECTOR][$xPathKey];
    }

    /**
     * Flexibly translates the CSS selector $trimmedLowercaseSelector to an xPath selector.
     *
     * @param string $trimmedLowercaseSelector
     *
     * @return string
     */
    private function translateCssToXpathPass($trimmedLowercaseSelector)
    {
        return $this->translateCssToXpathPassWithMatchClassAttributesCallback(
            $trimmedLowercaseSelector,
            [$this, 'matchClassAttributes']
        );
    }

    /**
     * Flexibly translates the CSS selector $trimmedLowercaseSelector to an xPath selector for inline usage.
     *
     * @param string $trimmedLowercaseSelector
     *
     * @return string
     */
    private function translateCssToXpathPassInline($trimmedLowercaseSelector)
    {
        return $this->translateCssToXpathPassWithMatchClassAttributesCallback(
            $trimmedLowercaseSelector,
            [$this, 'matchClassAttributesInline']
        );
    }

    /**
     * Flexibly translates the CSS selector $trimmedLowercaseSelector to an xPath selector while using
     * $matchClassAttributesCallback as to match the class attributes.
     *
     * @param string $trimmedLowercaseSelector
     * @param callable $matchClassAttributesCallback
     *
     * @return string
     */
    private function translateCssToXpathPassWithMatchClassAttributesCallback(
        $trimmedLowercaseSelector,
        callable $matchClassAttributesCallback
    ) {
        $roughXpath = \preg_replace(\array_keys($this->xPathRules), $this->xPathRules, $trimmedLowercaseSelector);
        $xPathWithIdAttributeMatchers = \preg_replace_callback(
            self::ID_ATTRIBUTE_MATCHER,
            [$this, 'matchIdAttributes'],
            $roughXpath
        );
        $xPathWithIdAttributeAndClassMatchers = \preg_replace_callback(
            self::CLASS_ATTRIBUTE_MATCHER,
            $matchClassAttributesCallback,
            $xPathWithIdAttributeMatchers
        );

        // Advanced selectors are going to require a bit more advanced emogrification.
        $xPathWithIdAttributeAndClassMatchers = \preg_replace_callback(
            '/([^\\/]+):nth-child\\(\\s*(odd|even|[+\\-]?\\d|[+\\-]?\\d?n(\\s*[+\\-]\\s*\\d)?)\\s*\\)/i',
            [$this, 'translateNthChild'],
            $xPathWithIdAttributeAndClassMatchers
        );
        $finalXpath = \preg_replace_callback(
            '/([^\\/]+):nth-of-type\\(\\s*(odd|even|[+\\-]?\\d|[+\\-]?\\d?n(\\s*[+\\-]\\s*\\d)?)\\s*\\)/i',
            [$this, 'translateNthOfType'],
            $xPathWithIdAttributeAndClassMatchers
        );

        return $finalXpath;
    }

    /**
     * @param string[] $match
     *
     * @return string
     */
    private function matchIdAttributes(array $match)
    {
        return ($match[1] !== '' ? $match[1] : '*') . '[@id="' . $match[2] . '"]';
    }

    /**
     * @param string[] $match
     *
     * @return string xPath class attribute query wrapped in element selector
     */
    private function matchClassAttributes(array $match)
    {
        return ($match[1] !== '' ? $match[1] : '*') . '[' . $this->matchClassAttributesInline($match) . ']';
    }

    /**
     * @param string[] $match
     *
     * @return string xPath class attribute query
     */
    private function matchClassAttributesInline(array $match)
    {
        return 'contains(concat(" ",@class," "),concat(" ","' .
            \str_replace('.', '"," "))][contains(concat(" ",@class," "),concat(" ","', \substr($match[2], 1)) .
            '"," "))';
    }

    /**
     * @param string[] $match
     *
     * @return string
     */
    private function translateNthChild(array $match)
    {
        $parseResult = $this->parseNth($match);

        if (isset($parseResult[self::MULTIPLIER])) {
            if ($parseResult[self::MULTIPLIER] < 0) {
                $parseResult[self::MULTIPLIER] = \abs($parseResult[self::MULTIPLIER]);
                $xPathExpression = \sprintf(
                    '*[(last() - position()) mod %1%u = %2$u]/self::%3$s',
                    $parseResult[self::MULTIPLIER],
                    $parseResult[self::INDEX],
                    $match[1]
                );
            } else {
                $xPathExpression = \sprintf(
                    '*[position() mod %1$u = %2$u]/self::%3$s',
                    $parseResult[self::MULTIPLIER],
                    $parseResult[self::INDEX],
                    $match[1]
                );
            }
        } else {
            $xPathExpression = \sprintf('*[%1$u]/self::%2$s', $parseResult[self::INDEX], $match[1]);
        }

        return $xPathExpression;
    }

    /**
     * @param string[] $match
     *
     * @return string
     */
    private function translateNthOfType(array $match)
    {
        $parseResult = $this->parseNth($match);

        if (isset($parseResult[self::MULTIPLIER])) {
            if ($parseResult[self::MULTIPLIER] < 0) {
                $parseResult[self::MULTIPLIER] = \abs($parseResult[self::MULTIPLIER]);
                $xPathExpression = \sprintf(
                    '%1$s[(last() - position()) mod %2$u = %3$u]',
                    $match[1],
                    $parseResult[self::MULTIPLIER],
                    $parseResult[self::INDEX]
                );
            } else {
                $xPathExpression = \sprintf(
                    '%1$s[position() mod %2$u = %3$u]',
                    $match[1],
                    $parseResult[self::MULTIPLIER],
                    $parseResult[self::INDEX]
                );
            }
        } else {
            $xPathExpression = \sprintf('%1$s[%2$u]', $match[1], $parseResult[self::INDEX]);
        }

        return $xPathExpression;
    }

    /**
     * @param string[] $match
     *
     * @return int[]
     */
    private function parseNth(array $match)
    {
        if (\in_array(\strtolower($match[2]), ['even', 'odd'], true)) {
            // we have "even" or "odd"
            $index = \strtolower($match[2]) === 'even' ? 0 : 1;
            return [self::MULTIPLIER => 2, self::INDEX => $index];
        }
        if (\stripos($match[2], 'n') === false) {
            // if there is a multiplier
            $index = (int)\str_replace(' ', '', $match[2]);
            return [self::INDEX => $index];
        }

        if (isset($match[3])) {
            $multipleTerm = \str_replace($match[3], '', $match[2]);
            $index = (int)\str_replace(' ', '', $match[3]);
        } else {
            $multipleTerm = $match[2];
            $index = 0;
        }

        $multiplier = \str_ireplace('n', '', $multipleTerm);

        if ($multiplier === '') {
            $multiplier = 1;
        } elseif ($multiplier === '0') {
            return [self::INDEX => $index];
        } else {
            $multiplier = (int)$multiplier;
        }

        while ($index < 0) {
            $index += \abs($multiplier);
        }

        return [self::MULTIPLIER => $multiplier, self::INDEX => $index];
    }

    /**
     * Parses a CSS declaration block into property name/value pairs.
     *
     * Example:
     *
     * The declaration block
     *
     *   "color: #000; font-weight: bold;"
     *
     * will be parsed into the following array:
     *
     *   "color" => "#000"
     *   "font-weight" => "bold"
     *
     * @param string $cssDeclarationsBlock the CSS declarations block without the curly braces, may be empty
     *
     * @return string[]
     *         the CSS declarations with the property names as array keys and the property values as array values
     */
    private function parseCssDeclarationsBlock($cssDeclarationsBlock)
    {
        if (isset($this->caches[self::CACHE_KEY_CSS_DECLARATIONS_BLOCK][$cssDeclarationsBlock])) {
            return $this->caches[self::CACHE_KEY_CSS_DECLARATIONS_BLOCK][$cssDeclarationsBlock];
        }

        $properties = [];
        foreach (\preg_split('/;(?!base64|charset)/', $cssDeclarationsBlock) as $declaration) {
            $matches = [];
            if (!\preg_match('/^([A-Za-z\\-]+)\\s*:\\s*(.+)$/s', \trim($declaration), $matches)) {
                continue;
            }

            $propertyName = \strtolower($matches[1]);
            $propertyValue = $matches[2];
            $properties[$propertyName] = $propertyValue;
        }
        $this->caches[self::CACHE_KEY_CSS_DECLARATIONS_BLOCK][$cssDeclarationsBlock] = $properties;

        return $properties;
    }

    /**
     * Find the nodes that are not to be emogrified.
     *
     * @return \DOMElement[]
     *
     * @throws \InvalidArgumentException
     */
    private function getNodesToExclude()
    {
        $excludedNodes = [];
        foreach (\array_keys($this->excludedSelectors) as $selectorToExclude) {
            try {
                $matchingNodes = $this->xPath->query($this->translateCssToXpath($selectorToExclude));
            } catch (\InvalidArgumentException $e) {
                if ($this->debug) {
                    throw $e;
                }
                continue;
            }
            foreach ($matchingNodes as $node) {
                $excludedNodes[] = $node;
            }
        }

        return $excludedNodes;
    }

    /**
     * Handles invalid xPath expression warnings, generated during the process() method,
     * during querying \DOMDocument and trigger an \InvalidArgumentException with an invalid selector
     * or \RuntimeException, depending on the source of the warning.
     *
     * @param int $type
     * @param string $message
     * @param string $file
     * @param int $line
     * @param array $context
     *
     * @return bool always false
     *
     * @throws \InvalidArgumentException
     * @throws \RuntimeException
     */
    public function handleXpathQueryWarnings(// phpcs:ignore Generic.CodeAnalysis.UnusedFunctionParameter
        $type,
        $message,
        $file,
        $line,
        array $context
    ) {
        $selector = '';
        if (isset($context['cssRule']['selector'])) {
            // warnings generated by invalid/unrecognized selectors in method process()
            $selector = $context['cssRule']['selector'];
        } elseif (isset($context['selectorToExclude'])) {
            // warnings generated by invalid/unrecognized selectors in method getNodesToExclude()
            $selector = $context['selectorToExclude'];
        } elseif (isset($context['cssSelector'])) {
            // warnings generated by invalid/unrecognized selectors in method existsMatchForCssSelector()
            $selector = $context['cssSelector'];
        }

        if ($selector !== '') {
            throw new \InvalidArgumentException(
                \sprintf('%1$s in selector >> %2$s << in %3$s on line %4$u', $message, $selector, $file, $line),
                1509279985
            );
        }

        // Catches eventual warnings generated by method getAllNodesWithStyleAttribute()
        if (isset($context['xPath'])) {
            throw new \RuntimeException(
                \sprintf('%1$s in %2$s on line %3$u', $message, $file, $line),
                1509280067
            );
        }

        // the normal error handling continues when handler return false
        return false;
    }

    /**
     * Sets the debug mode.
     *
     * @param bool $debug set to true to enable debug mode
     *
     * @return void
     */
    public function setDebug($debug)
    {
        $this->debug = $debug;
    }
}
pelago/emogrifier/LICENSE000064400000002054151332455420011155 0ustar00MIT License

Copyright (c) 2008-2018 Pelago

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.
automattic/jetpack-constants/src/class-constants.php000064400000006452151332455420017003 0ustar00<?php
/**
 * A constants manager for Jetpack.
 *
 * @package automattic/jetpack-constants
 */

namespace Automattic\Jetpack;

/**
 * Class Automattic\Jetpack\Constants
 *
 * Testing constants is hard. Once you define a constant, it's defined. Constants Manager is an
 * abstraction layer so that unit tests can set "constants" for tests.
 *
 * To test your code, you'll need to swap out `defined( 'CONSTANT' )` with `Automattic\Jetpack\Constants::is_defined( 'CONSTANT' )`
 * and replace `CONSTANT` with `Automattic\Jetpack\Constants::get_constant( 'CONSTANT' )`. Then in the unit test, you can set the
 * constant with `Automattic\Jetpack\Constants::set_constant( 'CONSTANT', $value )` and then clean up after each test with something like
 * this:
 *
 * function tearDown() {
 *     Automattic\Jetpack\Constants::clear_constants();
 * }
 */
class Constants {
	/**
	 * A container for all defined constants.
	 *
	 * @access public
	 * @static
	 *
	 * @var array.
	 */
	public static $set_constants = array();

	/**
	 * Checks if a "constant" has been set in constants Manager
	 * and has the value of true
	 *
	 * @param string $name The name of the constant.
	 *
	 * @return bool
	 */
	public static function is_true( $name ) {
		return self::is_defined( $name ) && self::get_constant( $name );
	}

	/**
	 * Checks if a "constant" has been set in constants Manager, and if not,
	 * checks if the constant was defined with define( 'name', 'value ).
	 *
	 * @param string $name The name of the constant.
	 *
	 * @return bool
	 */
	public static function is_defined( $name ) {
		return array_key_exists( $name, self::$set_constants )
			? true
			: defined( $name );
	}

	/**
	 * Attempts to retrieve the "constant" from constants Manager, and if it hasn't been set,
	 * then attempts to get the constant with the constant() function. If that also hasn't
	 * been set, attempts to get a value from filters.
	 *
	 * @param string $name The name of the constant.
	 *
	 * @return mixed null if the constant does not exist or the value of the constant.
	 */
	public static function get_constant( $name ) {
		if ( array_key_exists( $name, self::$set_constants ) ) {
			return self::$set_constants[ $name ];
		}

		if ( defined( $name ) ) {
			return constant( $name );
		}

		/**
		 * Filters the value of the constant.
		 *
		 * @since 8.5.0
		 *
		 * @param null The constant value to be filtered. The default is null.
		 * @param String $name The constant name.
		 */
		return apply_filters( 'jetpack_constant_default_value', null, $name );
	}

	/**
	 * Sets the value of the "constant" within constants Manager.
	 *
	 * @param string $name The name of the constant.
	 * @param string $value The value of the constant.
	 */
	public static function set_constant( $name, $value ) {
		self::$set_constants[ $name ] = $value;
	}

	/**
	 * Will unset a "constant" from constants Manager if the constant exists.
	 *
	 * @param string $name The name of the constant.
	 *
	 * @return bool Whether the constant was removed.
	 */
	public static function clear_single_constant( $name ) {
		if ( ! array_key_exists( $name, self::$set_constants ) ) {
			return false;
		}

		unset( self::$set_constants[ $name ] );

		return true;
	}

	/**
	 * Resets all of the constants within constants Manager.
	 */
	public static function clear_constants() {
		self::$set_constants = array();
	}
}
automattic/jetpack-autoloader/src/class-version-loader.php000064400000007664151332455420020051 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class loads other classes based on given parameters.
 */
class Version_Loader {

	/**
	 * The Version_Selector object.
	 *
	 * @var Version_Selector
	 */
	private $version_selector;

	/**
	 * A map of available classes and their version and file path.
	 *
	 * @var array
	 */
	private $classmap;

	/**
	 * A map of PSR-4 namespaces and their version and directory path.
	 *
	 * @var array
	 */
	private $psr4_map;

	/**
	 * A map of all the files that we should load.
	 *
	 * @var array
	 */
	private $filemap;

	/**
	 * The constructor.
	 *
	 * @param Version_Selector $version_selector The Version_Selector object.
	 * @param array            $classmap The verioned classmap to load using.
	 * @param array            $psr4_map The versioned PSR-4 map to load using.
	 * @param array            $filemap The versioned filemap to load.
	 */
	public function __construct( $version_selector, $classmap, $psr4_map, $filemap ) {
		$this->version_selector = $version_selector;
		$this->classmap         = $classmap;
		$this->psr4_map         = $psr4_map;
		$this->filemap          = $filemap;
	}

	/**
	 * Finds the file path for the given class.
	 *
	 * @param string $class_name The class to find.
	 *
	 * @return string|null $file_path The path to the file if found, null if no class was found.
	 */
	public function find_class_file( $class_name ) {
		$data = $this->select_newest_file(
			isset( $this->classmap[ $class_name ] ) ? $this->classmap[ $class_name ] : null,
			$this->find_psr4_file( $class_name )
		);
		if ( ! isset( $data ) ) {
			return null;
		}

		return $data['path'];
	}

	/**
	 * Load all of the files in the filemap.
	 */
	public function load_filemap() {
		if ( empty( $this->filemap ) ) {
			return;
		}

		foreach ( $this->filemap as $file_identifier => $file_data ) {
			if ( empty( $GLOBALS['__composer_autoload_files'][ $file_identifier ] ) ) {
				require_once $file_data['path'];

				$GLOBALS['__composer_autoload_files'][ $file_identifier ] = true;
			}
		}
	}

	/**
	 * Compares different class sources and returns the newest.
	 *
	 * @param array|null $classmap_data The classmap class data.
	 * @param array|null $psr4_data The PSR-4 class data.
	 *
	 * @return array|null $data
	 */
	private function select_newest_file( $classmap_data, $psr4_data ) {
		if ( ! isset( $classmap_data ) ) {
			return $psr4_data;
		} elseif ( ! isset( $psr4_data ) ) {
			return $classmap_data;
		}

		if ( $this->version_selector->is_version_update_required( $classmap_data['version'], $psr4_data['version'] ) ) {
			return $psr4_data;
		}

		return $classmap_data;
	}

	/**
	 * Finds the file for a given class in a PSR-4 namespace.
	 *
	 * @param string $class_name The class to find.
	 *
	 * @return array|null $data The version and path path to the file if found, null otherwise.
	 */
	private function find_psr4_file( $class_name ) {
		if ( ! isset( $this->psr4_map ) ) {
			return null;
		}

		// Don't bother with classes that have no namespace.
		$class_index = strrpos( $class_name, '\\' );
		if ( ! $class_index ) {
			return null;
		}
		$class_for_path = str_replace( '\\', '/', $class_name );

		// Search for the namespace by iteratively cutting off the last segment until
		// we find a match. This allows us to check the most-specific namespaces
		// first as well as minimize the amount of time spent looking.
		for (
			$class_namespace = substr( $class_name, 0, $class_index );
			! empty( $class_namespace );
			$class_namespace = substr( $class_namespace, 0, strrpos( $class_namespace, '\\' ) )
		) {
			$namespace = $class_namespace . '\\';
			if ( ! isset( $this->psr4_map[ $namespace ] ) ) {
				continue;
			}
			$data = $this->psr4_map[ $namespace ];

			foreach ( $data['path'] as $path ) {
				$path .= '/' . substr( $class_for_path, strlen( $namespace ) ) . '.php';
				if ( file_exists( $path ) ) {
					return array(
						'version' => $data['version'],
						'path'    => $path,
					);
				}
			}
		}

		return null;
	}
}
automattic/jetpack-autoloader/src/class-autoloader-locator.php000064400000003616151332455420020711 0ustar00<?php
/* HEADER */ // phpcs:ignore

use Automattic\Jetpack\Autoloader\AutoloadGenerator;

/**
 * This class locates autoloaders.
 */
class Autoloader_Locator {

	/**
	 * The object for comparing autoloader versions.
	 *
	 * @var Version_Selector
	 */
	private $version_selector;

	/**
	 * The constructor.
	 *
	 * @param Version_Selector $version_selector The version selector object.
	 */
	public function __construct( $version_selector ) {
		$this->version_selector = $version_selector;
	}

	/**
	 * Finds the path to the plugin with the latest autoloader.
	 *
	 * @param array  $plugin_paths An array of plugin paths.
	 * @param string $latest_version The latest version reference.
	 *
	 * @return string|null
	 */
	public function find_latest_autoloader( $plugin_paths, &$latest_version ) {
		$latest_plugin = null;

		foreach ( $plugin_paths as $plugin_path ) {
			$version = $this->get_autoloader_version( $plugin_path );
			if ( ! $this->version_selector->is_version_update_required( $latest_version, $version ) ) {
				continue;
			}

			$latest_version = $version;
			$latest_plugin  = $plugin_path;
		}

		return $latest_plugin;
	}

	/**
	 * Gets the path to the autoloader.
	 *
	 * @param string $plugin_path The path to the plugin.
	 *
	 * @return string
	 */
	public function get_autoloader_path( $plugin_path ) {
		return trailingslashit( $plugin_path ) . 'vendor/autoload_packages.php';
	}

	/**
	 * Gets the version for the autoloader.
	 *
	 * @param string $plugin_path The path to the plugin.
	 *
	 * @return string|null
	 */
	public function get_autoloader_version( $plugin_path ) {
		$classmap = trailingslashit( $plugin_path ) . 'vendor/composer/jetpack_autoload_classmap.php';
		if ( ! file_exists( $classmap ) ) {
			return null;
		}

		$classmap = require $classmap;
		if ( isset( $classmap[ AutoloadGenerator::class ] ) ) {
			return $classmap[ AutoloadGenerator::class ]['version'];
		}

		return null;
	}
}
automattic/jetpack-autoloader/src/class-path-processor.php000064400000012557151332455420020066 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class handles dealing with paths for the autoloader.
 */
class Path_Processor {
	/**
	 * Given a path this will replace any of the path constants with a token to represent it.
	 *
	 * @param string $path The path we want to process.
	 *
	 * @return string The tokenized path.
	 */
	public function tokenize_path_constants( $path ) {
		$path = wp_normalize_path( $path );

		$constants = $this->get_normalized_constants();
		foreach ( $constants as $constant => $constant_path ) {
			$len = strlen( $constant_path );
			if ( substr( $path, 0, $len ) !== $constant_path ) {
				continue;
			}

			return substr_replace( $path, '{{' . $constant . '}}', 0, $len );
		}

		return $path;
	}

	/**
	 * Given a path this will replace any of the path constant tokens with the expanded path.
	 *
	 * @param string $tokenized_path The path we want to process.
	 *
	 * @return string The expanded path.
	 */
	public function untokenize_path_constants( $tokenized_path ) {
		$tokenized_path = wp_normalize_path( $tokenized_path );

		$constants = $this->get_normalized_constants();
		foreach ( $constants as $constant => $constant_path ) {
			$constant = '{{' . $constant . '}}';

			$len = strlen( $constant );
			if ( substr( $tokenized_path, 0, $len ) !== $constant ) {
				continue;
			}

			return $this->get_real_path( substr_replace( $tokenized_path, $constant_path, 0, $len ) );
		}

		return $tokenized_path;
	}

	/**
	 * Given a file and an array of places it might be, this will find the absolute path and return it.
	 *
	 * @param string $file The plugin or theme file to resolve.
	 * @param array  $directories_to_check The directories we should check for the file if it isn't an absolute path.
	 *
	 * @return string|false Returns the absolute path to the directory, otherwise false.
	 */
	public function find_directory_with_autoloader( $file, $directories_to_check ) {
		$file = wp_normalize_path( $file );

		if ( ! $this->is_absolute_path( $file ) ) {
			$file = $this->find_absolute_plugin_path( $file, $directories_to_check );
			if ( ! isset( $file ) ) {
				return false;
			}
		}

		// We need the real path for consistency with __DIR__ paths.
		$file = $this->get_real_path( $file );

		// phpcs:disable WordPress.PHP.NoSilencedErrors.Discouraged
		$directory = @is_file( $file ) ? dirname( $file ) : $file;
		if ( ! @is_file( $directory . '/vendor/composer/jetpack_autoload_classmap.php' ) ) {
			return false;
		}
		// phpcs:enable WordPress.PHP.NoSilencedErrors.Discouraged

		return $directory;
	}

	/**
	 * Fetches an array of normalized paths keyed by the constant they came from.
	 *
	 * @return string[] The normalized paths keyed by the constant.
	 */
	private function get_normalized_constants() {
		$raw_constants = array(
			// Order the constants from most-specific to least-specific.
			'WP_PLUGIN_DIR',
			'WPMU_PLUGIN_DIR',
			'WP_CONTENT_DIR',
			'ABSPATH',
		);

		$constants = array();
		foreach ( $raw_constants as $raw ) {
			if ( ! defined( $raw ) ) {
				continue;
			}

			$path = wp_normalize_path( constant( $raw ) );
			if ( isset( $path ) ) {
				$constants[ $raw ] = $path;
			}
		}

		return $constants;
	}

	/**
	 * Indicates whether or not a path is absolute.
	 *
	 * @param string $path The path to check.
	 *
	 * @return bool True if the path is absolute, otherwise false.
	 */
	private function is_absolute_path( $path ) {
		if ( 0 === strlen( $path ) || '.' === $path[0] ) {
			return false;
		}

		// Absolute paths on Windows may begin with a drive letter.
		if ( preg_match( '/^[a-zA-Z]:[\/\\\\]/', $path ) ) {
			return true;
		}

		// A path starting with / or \ is absolute; anything else is relative.
		return ( '/' === $path[0] || '\\' === $path[0] );
	}

	/**
	 * Given a file and a list of directories to check, this method will try to figure out
	 * the absolute path to the file in question.
	 *
	 * @param string $normalized_path The normalized path to the plugin or theme file to resolve.
	 * @param array  $directories_to_check The directories we should check for the file if it isn't an absolute path.
	 *
	 * @return string|null The absolute path to the plugin file, otherwise null.
	 */
	private function find_absolute_plugin_path( $normalized_path, $directories_to_check ) {
		// We're only able to find the absolute path for plugin/theme PHP files.
		if ( ! is_string( $normalized_path ) || '.php' !== substr( $normalized_path, -4 ) ) {
			return null;
		}

		foreach ( $directories_to_check as $directory ) {
			$normalized_check = wp_normalize_path( trailingslashit( $directory ) ) . $normalized_path;
			// phpcs:ignore WordPress.PHP.NoSilencedErrors.Discouraged
			if ( @is_file( $normalized_check ) ) {
				return $normalized_check;
			}
		}

		return null;
	}

	/**
	 * Given a path this will figure out the real path that we should be using.
	 *
	 * @param string $path The path to resolve.
	 *
	 * @return string The resolved path.
	 */
	private function get_real_path( $path ) {
		// We want to resolve symbolic links for consistency with __DIR__ paths.
		// phpcs:ignore WordPress.PHP.NoSilencedErrors.Discouraged
		$real_path = @realpath( $path );
		if ( false === $real_path ) {
			// Let the autoloader deal with paths that don't exist.
			$real_path = $path;
		}

		// Using realpath will make it platform-specific so we must normalize it after.
		if ( $path !== $real_path ) {
			$real_path = wp_normalize_path( $real_path );
		}

		return $real_path;
	}
}
automattic/jetpack-autoloader/src/class-manifest-reader.php000064400000004673151332455420020163 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class reads autoloader manifest files.
 */
class Manifest_Reader {

	/**
	 * The Version_Selector object.
	 *
	 * @var Version_Selector
	 */
	private $version_selector;

	/**
	 * The constructor.
	 *
	 * @param Version_Selector $version_selector The Version_Selector object.
	 */
	public function __construct( $version_selector ) {
		$this->version_selector = $version_selector;
	}

	/**
	 * Reads all of the manifests in the given plugin paths.
	 *
	 * @param array  $plugin_paths  The paths to the plugins we're loading the manifest in.
	 * @param string $manifest_path The path that we're loading the manifest from in each plugin.
	 * @param array  $path_map The path map to add the contents of the manifests to.
	 *
	 * @return array $path_map The path map we've built using the manifests in each plugin.
	 */
	public function read_manifests( $plugin_paths, $manifest_path, &$path_map ) {
		$file_paths = array_map(
			function ( $path ) use ( $manifest_path ) {
				return trailingslashit( $path ) . $manifest_path;
			},
			$plugin_paths
		);

		foreach ( $file_paths as $path ) {
			$this->register_manifest( $path, $path_map );
		}

		return $path_map;
	}

	/**
	 * Registers a plugin's manifest file with the path map.
	 *
	 * @param string $manifest_path The absolute path to the manifest that we're loading.
	 * @param array  $path_map The path map to add the contents of the manifest to.
	 */
	protected function register_manifest( $manifest_path, &$path_map ) {
		if ( ! is_readable( $manifest_path ) ) {
			return;
		}

		$manifest = require $manifest_path;
		if ( ! is_array( $manifest ) ) {
			return;
		}

		foreach ( $manifest as $key => $data ) {
			$this->register_record( $key, $data, $path_map );
		}
	}

	/**
	 * Registers an entry from the manifest in the path map.
	 *
	 * @param string $key The identifier for the entry we're registering.
	 * @param array  $data The data for the entry we're registering.
	 * @param array  $path_map The path map to add the contents of the manifest to.
	 */
	protected function register_record( $key, $data, &$path_map ) {
		if ( isset( $path_map[ $key ]['version'] ) ) {
			$selected_version = $path_map[ $key ]['version'];
		} else {
			$selected_version = null;
		}

		if ( $this->version_selector->is_version_update_required( $selected_version, $data['version'] ) ) {
			$path_map[ $key ] = array(
				'version' => $data['version'],
				'path'    => $data['path'],
			);
		}
	}
}
automattic/jetpack-autoloader/src/class-autoloader-handler.php000064400000010465151332455420020663 0ustar00<?php
/* HEADER */ // phpcs:ignore

use Automattic\Jetpack\Autoloader\AutoloadGenerator;

/**
 * This class selects the package version for the autoloader.
 */
class Autoloader_Handler {

	/**
	 * The PHP_Autoloader instance.
	 *
	 * @var PHP_Autoloader
	 */
	private $php_autoloader;

	/**
	 * The Hook_Manager instance.
	 *
	 * @var Hook_Manager
	 */
	private $hook_manager;

	/**
	 * The Manifest_Reader instance.
	 *
	 * @var Manifest_Reader
	 */
	private $manifest_reader;

	/**
	 * The Version_Selector instance.
	 *
	 * @var Version_Selector
	 */
	private $version_selector;

	/**
	 * The constructor.
	 *
	 * @param PHP_Autoloader   $php_autoloader The PHP_Autoloader instance.
	 * @param Hook_Manager     $hook_manager The Hook_Manager instance.
	 * @param Manifest_Reader  $manifest_reader The Manifest_Reader instance.
	 * @param Version_Selector $version_selector The Version_Selector instance.
	 */
	public function __construct( $php_autoloader, $hook_manager, $manifest_reader, $version_selector ) {
		$this->php_autoloader   = $php_autoloader;
		$this->hook_manager     = $hook_manager;
		$this->manifest_reader  = $manifest_reader;
		$this->version_selector = $version_selector;
	}

	/**
	 * Checks to see whether or not an autoloader is currently in the process of initializing.
	 *
	 * @return bool
	 */
	public function is_initializing() {
		// If no version has been set it means that no autoloader has started initializing yet.
		global $jetpack_autoloader_latest_version;
		if ( ! isset( $jetpack_autoloader_latest_version ) ) {
			return false;
		}

		// When the version is set but the classmap is not it ALWAYS means that this is the
		// latest autoloader and is being included by an older one.
		global $jetpack_packages_classmap;
		if ( empty( $jetpack_packages_classmap ) ) {
			return true;
		}

		// Version 2.4.0 added a new global and altered the reset semantics. We need to check
		// the other global as well since it may also point at initialization.
		// Note: We don't need to check for the class first because every autoloader that
		// will set the latest version global requires this class in the classmap.
		$replacing_version = $jetpack_packages_classmap[ AutoloadGenerator::class ]['version'];
		if ( $this->version_selector->is_dev_version( $replacing_version ) || version_compare( $replacing_version, '2.4.0.0', '>=' ) ) {
			global $jetpack_autoloader_loader;
			if ( ! isset( $jetpack_autoloader_loader ) ) {
				return true;
			}
		}

		return false;
	}

	/**
	 * Activates an autoloader using the given plugins and activates it.
	 *
	 * @param string[] $plugins The plugins to initialize the autoloader for.
	 */
	public function activate_autoloader( $plugins ) {
		global $jetpack_packages_psr4;
		$jetpack_packages_psr4 = array();
		$this->manifest_reader->read_manifests( $plugins, 'vendor/composer/jetpack_autoload_psr4.php', $jetpack_packages_psr4 );

		global $jetpack_packages_classmap;
		$jetpack_packages_classmap = array();
		$this->manifest_reader->read_manifests( $plugins, 'vendor/composer/jetpack_autoload_classmap.php', $jetpack_packages_classmap );

		global $jetpack_packages_filemap;
		$jetpack_packages_filemap = array();
		$this->manifest_reader->read_manifests( $plugins, 'vendor/composer/jetpack_autoload_filemap.php', $jetpack_packages_filemap );

		$loader = new Version_Loader(
			$this->version_selector,
			$jetpack_packages_classmap,
			$jetpack_packages_psr4,
			$jetpack_packages_filemap
		);

		$this->php_autoloader->register_autoloader( $loader );

		// Now that the autoloader is active we can load the filemap.
		$loader->load_filemap();
	}

	/**
	 * Resets the active autoloader and all related global state.
	 */
	public function reset_autoloader() {
		$this->php_autoloader->unregister_autoloader();
		$this->hook_manager->reset();

		// Clear all of the autoloader globals so that older autoloaders don't do anything strange.
		global $jetpack_autoloader_latest_version;
		$jetpack_autoloader_latest_version = null;

		global $jetpack_packages_classmap;
		$jetpack_packages_classmap = array(); // Must be array to avoid exceptions in old autoloaders!

		global $jetpack_packages_psr4;
		$jetpack_packages_psr4 = array(); // Must be array to avoid exceptions in old autoloaders!

		global $jetpack_packages_filemap;
		$jetpack_packages_filemap = array(); // Must be array to avoid exceptions in old autoloaders!
	}
}
automattic/jetpack-autoloader/src/class-plugin-locator.php000064400000010174151332455420020045 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class scans the WordPress installation to find active plugins.
 */
class Plugin_Locator {

	/**
	 * The path processor for finding plugin paths.
	 *
	 * @var Path_Processor
	 */
	private $path_processor;

	/**
	 * The constructor.
	 *
	 * @param Path_Processor $path_processor The Path_Processor instance.
	 */
	public function __construct( $path_processor ) {
		$this->path_processor = $path_processor;
	}

	/**
	 * Finds the path to the current plugin.
	 *
	 * @return string $path The path to the current plugin.
	 *
	 * @throws \RuntimeException If the current plugin does not have an autoloader.
	 */
	public function find_current_plugin() {
		// Escape from `vendor/__DIR__` to root plugin directory.
		$plugin_directory = dirname( dirname( __DIR__ ) );

		// Use the path processor to ensure that this is an autoloader we're referencing.
		$path = $this->path_processor->find_directory_with_autoloader( $plugin_directory, array() );
		if ( false === $path ) {
			throw new \RuntimeException( 'Failed to locate plugin ' . $plugin_directory );
		}

		return $path;
	}

	/**
	 * Checks a given option for plugin paths.
	 *
	 * @param string $option_name  The option that we want to check for plugin information.
	 * @param bool   $site_option  Indicates whether or not we want to check the site option.
	 *
	 * @return array $plugin_paths The list of absolute paths we've found.
	 */
	public function find_using_option( $option_name, $site_option = false ) {
		$raw = $site_option ? get_site_option( $option_name ) : get_option( $option_name );
		if ( false === $raw ) {
			return array();
		}

		return $this->convert_plugins_to_paths( $raw );
	}

	/**
	 * Checks for plugins in the `action` request parameter.
	 *
	 * @param string[] $allowed_actions The actions that we're allowed to return plugins for.
	 *
	 * @return array $plugin_paths The list of absolute paths we've found.
	 */
	public function find_using_request_action( $allowed_actions ) {
		// phpcs:disable WordPress.Security.NonceVerification.Recommended

		/**
		 * Note: we're not actually checking the nonce here because it's too early
		 * in the execution. The pluggable functions are not yet loaded to give
		 * plugins a chance to plug their versions. Therefore we're doing the bare
		 * minimum: checking whether the nonce exists and it's in the right place.
		 * The request will fail later if the nonce doesn't pass the check.
		 */
		if ( empty( $_REQUEST['_wpnonce'] ) ) {
			return array();
		}

		$action = isset( $_REQUEST['action'] ) ? wp_unslash( $_REQUEST['action'] ) : false;
		if ( ! in_array( $action, $allowed_actions, true ) ) {
			return array();
		}

		$plugin_slugs = array();
		switch ( $action ) {
			case 'activate':
			case 'deactivate':
				if ( empty( $_REQUEST['plugin'] ) ) {
					break;
				}

				$plugin_slugs[] = wp_unslash( $_REQUEST['plugin'] );
				break;

			case 'activate-selected':
			case 'deactivate-selected':
				if ( empty( $_REQUEST['checked'] ) ) {
					break;
				}

				$plugin_slugs = wp_unslash( $_REQUEST['checked'] );
				break;
		}

		// phpcs:enable WordPress.Security.NonceVerification.Recommended
		return $this->convert_plugins_to_paths( $plugin_slugs );
	}

	/**
	 * Given an array of plugin slugs or paths, this will convert them to absolute paths and filter
	 * out the plugins that are not directory plugins. Note that array keys will also be included
	 * if they are plugin paths!
	 *
	 * @param string[] $plugins Plugin paths or slugs to filter.
	 *
	 * @return string[]
	 */
	private function convert_plugins_to_paths( $plugins ) {
		if ( ! is_array( $plugins ) || empty( $plugins ) ) {
			return array();
		}

		// We're going to look for plugins in the standard directories.
		$path_constants = array( WP_PLUGIN_DIR, WPMU_PLUGIN_DIR );

		$plugin_paths = array();
		foreach ( $plugins as $key => $value ) {
			$path = $this->path_processor->find_directory_with_autoloader( $key, $path_constants );
			if ( $path ) {
				$plugin_paths[] = $path;
			}

			$path = $this->path_processor->find_directory_with_autoloader( $value, $path_constants );
			if ( $path ) {
				$plugin_paths[] = $path;
			}
		}

		return $plugin_paths;
	}
}
automattic/jetpack-autoloader/src/class-hook-manager.php000064400000003643151332455420017461 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * Allows the latest autoloader to register hooks that can be removed when the autoloader is reset.
 */
class Hook_Manager {

	/**
	 * An array containing all of the hooks that we've registered.
	 *
	 * @var array
	 */
	private $registered_hooks;

	/**
	 * The constructor.
	 */
	public function __construct() {
		$this->registered_hooks = array();
	}

	/**
	 * Adds an action to WordPress and registers it internally.
	 *
	 * @param string   $tag           The name of the action which is hooked.
	 * @param callable $callable      The function to call.
	 * @param int      $priority      Used to specify the priority of the action.
	 * @param int      $accepted_args Used to specify the number of arguments the callable accepts.
	 */
	public function add_action( $tag, $callable, $priority = 10, $accepted_args = 1 ) {
		$this->registered_hooks[ $tag ][] = array(
			'priority' => $priority,
			'callable' => $callable,
		);

		add_action( $tag, $callable, $priority, $accepted_args );
	}

	/**
	 * Adds a filter to WordPress and registers it internally.
	 *
	 * @param string   $tag           The name of the filter which is hooked.
	 * @param callable $callable      The function to call.
	 * @param int      $priority      Used to specify the priority of the filter.
	 * @param int      $accepted_args Used to specify the number of arguments the callable accepts.
	 */
	public function add_filter( $tag, $callable, $priority = 10, $accepted_args = 1 ) {
		$this->registered_hooks[ $tag ][] = array(
			'priority' => $priority,
			'callable' => $callable,
		);

		add_filter( $tag, $callable, $priority, $accepted_args );
	}

	/**
	 * Removes all of the registered hooks.
	 */
	public function reset() {
		foreach ( $this->registered_hooks as $tag => $hooks ) {
			foreach ( $hooks as $hook ) {
				remove_filter( $tag, $hook['callable'], $hook['priority'] );
			}
		}
		$this->registered_hooks = array();
	}
}
automattic/jetpack-autoloader/src/AutoloadProcessor.php000064400000012357151332455420017460 0ustar00<?php // phpcs:ignore WordPress.Files.FileName
/**
 * Autoload Processor.
 *
 * @package automattic/jetpack-autoloader
 */

// phpcs:disable WordPress.Files.FileName.InvalidClassFileName
// phpcs:disable WordPress.NamingConventions.ValidFunctionName.MethodNameInvalid
// phpcs:disable WordPress.NamingConventions.ValidVariableName.UsedPropertyNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.InterpolatedVariableNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.VariableNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.PropertyNotSnakeCase

namespace Automattic\Jetpack\Autoloader;

/**
 * Class AutoloadProcessor.
 */
class AutoloadProcessor {

	/**
	 * A callable for scanning a directory for all of its classes.
	 *
	 * @var callable
	 */
	private $classmapScanner;

	/**
	 * A callable for transforming a path into one to be used in code.
	 *
	 * @var callable
	 */
	private $pathCodeTransformer;

	/**
	 * The constructor.
	 *
	 * @param callable $classmapScanner A callable for scanning a directory for all of its classes.
	 * @param callable $pathCodeTransformer A callable for transforming a path into one to be used in code.
	 */
	public function __construct( $classmapScanner, $pathCodeTransformer ) {
		$this->classmapScanner     = $classmapScanner;
		$this->pathCodeTransformer = $pathCodeTransformer;
	}

	/**
	 * Processes the classmap autoloads into a relative path format including the version for each file.
	 *
	 * @param array $autoloads The autoloads we are processing.
	 * @param bool  $scanPsrPackages Whether or not PSR packages should be converted to a classmap.
	 *
	 * @return array $processed
	 */
	public function processClassmap( $autoloads, $scanPsrPackages ) {
		// We can't scan PSR packages if we don't actually have any.
		if ( empty( $autoloads['psr-4'] ) ) {
			$scanPsrPackages = false;
		}

		if ( empty( $autoloads['classmap'] ) && ! $scanPsrPackages ) {
			return null;
		}

		$excludedClasses = null;
		if ( ! empty( $autoloads['exclude-from-classmap'] ) ) {
			$excludedClasses = '{(' . implode( '|', $autoloads['exclude-from-classmap'] ) . ')}';
		}

		$processed = array();

		if ( $scanPsrPackages ) {
			foreach ( $autoloads['psr-4'] as $namespace => $sources ) {
				$namespace = empty( $namespace ) ? null : $namespace;

				foreach ( $sources as $source ) {
					$classmap = call_user_func( $this->classmapScanner, $source['path'], $excludedClasses, $namespace );

					foreach ( $classmap as $class => $path ) {
						$processed[ $class ] = array(
							'version' => $source['version'],
							'path'    => call_user_func( $this->pathCodeTransformer, $path ),
						);
					}
				}
			}
		}

		/*
		 * PSR-0 namespaces are converted to classmaps for both optimized and unoptimized autoloaders because any new
		 * development should use classmap or PSR-4 autoloading.
		 */
		if ( ! empty( $autoloads['psr-0'] ) ) {
			foreach ( $autoloads['psr-0'] as $namespace => $sources ) {
				$namespace = empty( $namespace ) ? null : $namespace;

				foreach ( $sources as $source ) {
					$classmap = call_user_func( $this->classmapScanner, $source['path'], $excludedClasses, $namespace );
					foreach ( $classmap as $class => $path ) {
						$processed[ $class ] = array(
							'version' => $source['version'],
							'path'    => call_user_func( $this->pathCodeTransformer, $path ),
						);
					}
				}
			}
		}

		if ( ! empty( $autoloads['classmap'] ) ) {
			foreach ( $autoloads['classmap'] as $package ) {
				$classmap = call_user_func( $this->classmapScanner, $package['path'], $excludedClasses, null );

				foreach ( $classmap as $class => $path ) {
					$processed[ $class ] = array(
						'version' => $package['version'],
						'path'    => call_user_func( $this->pathCodeTransformer, $path ),
					);
				}
			}
		}

		return $processed;
	}

	/**
	 * Processes the PSR-4 autoloads into a relative path format including the version for each file.
	 *
	 * @param array $autoloads The autoloads we are processing.
	 * @param bool  $scanPsrPackages Whether or not PSR packages should be converted to a classmap.
	 *
	 * @return array $processed
	 */
	public function processPsr4Packages( $autoloads, $scanPsrPackages ) {
		if ( $scanPsrPackages || empty( $autoloads['psr-4'] ) ) {
			return null;
		}

		$processed = array();

		foreach ( $autoloads['psr-4'] as $namespace => $packages ) {
			$namespace = empty( $namespace ) ? null : $namespace;
			$paths     = array();

			foreach ( $packages as $package ) {
				$paths[] = call_user_func( $this->pathCodeTransformer, $package['path'] );
			}

			$processed[ $namespace ] = array(
				'version' => $package['version'],
				'path'    => $paths,
			);
		}

		return $processed;
	}

	/**
	 * Processes the file autoloads into a relative format including the version for each file.
	 *
	 * @param array $autoloads The autoloads we are processing.
	 *
	 * @return array|null $processed
	 */
	public function processFiles( $autoloads ) {
		if ( empty( $autoloads['files'] ) ) {
			return null;
		}

		$processed = array();

		foreach ( $autoloads['files'] as $file_id => $package ) {
			$processed[ $file_id ] = array(
				'version' => $package['version'],
				'path'    => call_user_func( $this->pathCodeTransformer, $package['path'] ),
			);
		}

		return $processed;
	}
}
automattic/jetpack-autoloader/src/AutoloadGenerator.php000064400000033623151332455420017426 0ustar00<?php // phpcs:ignore WordPress.Files.FileName
/**
 * Autoloader Generator.
 *
 * @package automattic/jetpack-autoloader
 */

// phpcs:disable PHPCompatibility.Keywords.NewKeywords.t_useFound
// phpcs:disable PHPCompatibility.LanguageConstructs.NewLanguageConstructs.t_ns_separatorFound
// phpcs:disable PHPCompatibility.FunctionDeclarations.NewClosure.Found
// phpcs:disable PHPCompatibility.Keywords.NewKeywords.t_namespaceFound
// phpcs:disable PHPCompatibility.Keywords.NewKeywords.t_dirFound
// phpcs:disable WordPress.Files.FileName.InvalidClassFileName
// phpcs:disable WordPress.PHP.DevelopmentFunctions.error_log_var_export
// phpcs:disable WordPress.WP.AlternativeFunctions.file_system_read_file_put_contents
// phpcs:disable WordPress.WP.AlternativeFunctions.file_system_read_fopen
// phpcs:disable WordPress.WP.AlternativeFunctions.file_system_read_fwrite
// phpcs:disable WordPress.NamingConventions.ValidFunctionName.MethodNameInvalid
// phpcs:disable WordPress.NamingConventions.ValidVariableName.UsedPropertyNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.InterpolatedVariableNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.VariableNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.PropertyNotSnakeCase

namespace Automattic\Jetpack\Autoloader;

use Composer\Autoload\ClassMapGenerator;
use Composer\Composer;
use Composer\Config;
use Composer\Installer\InstallationManager;
use Composer\IO\IOInterface;
use Composer\Package\PackageInterface;
use Composer\Repository\InstalledRepositoryInterface;
use Composer\Util\Filesystem;
use Composer\Util\PackageSorter;

/**
 * Class AutoloadGenerator.
 */
class AutoloadGenerator {

	/**
	 * The filesystem utility.
	 *
	 * @var Filesystem
	 */
	private $filesystem;

	/**
	 * Instantiate an AutoloadGenerator object.
	 *
	 * @param IOInterface $io IO object.
	 */
	public function __construct( IOInterface $io = null ) {
		$this->io         = $io;
		$this->filesystem = new Filesystem();
	}

	/**
	 * Dump the Jetpack autoloader files.
	 *
	 * @param Composer                     $composer The Composer object.
	 * @param Config                       $config Config object.
	 * @param InstalledRepositoryInterface $localRepo Installed Repository object.
	 * @param PackageInterface             $mainPackage Main Package object.
	 * @param InstallationManager          $installationManager Manager for installing packages.
	 * @param string                       $targetDir Path to the current target directory.
	 * @param bool                         $scanPsrPackages Whether or not PSR packages should be converted to a classmap.
	 * @param string                       $suffix The autoloader suffix.
	 */
	public function dump(
		Composer $composer,
		Config $config,
		InstalledRepositoryInterface $localRepo,
		PackageInterface $mainPackage,
		InstallationManager $installationManager,
		$targetDir,
		$scanPsrPackages = false,
		$suffix = null
	) {
		$this->filesystem->ensureDirectoryExists( $config->get( 'vendor-dir' ) );

		$packageMap = $composer->getAutoloadGenerator()->buildPackageMap( $installationManager, $mainPackage, $localRepo->getCanonicalPackages() );
		$autoloads  = $this->parseAutoloads( $packageMap, $mainPackage );

		// Convert the autoloads into a format that the manifest generator can consume more easily.
		$basePath           = $this->filesystem->normalizePath( realpath( getcwd() ) );
		$vendorPath         = $this->filesystem->normalizePath( realpath( $config->get( 'vendor-dir' ) ) );
		$processedAutoloads = $this->processAutoloads( $autoloads, $scanPsrPackages, $vendorPath, $basePath );
		unset( $packageMap, $autoloads );

		// Make sure none of the legacy files remain that can lead to problems with the autoloader.
		$this->removeLegacyFiles( $vendorPath );

		// Write all of the files now that we're done.
		$this->writeAutoloaderFiles( $vendorPath . '/jetpack-autoloader/', $suffix );
		$this->writeManifests( $vendorPath . '/' . $targetDir, $processedAutoloads );

		if ( ! $scanPsrPackages ) {
			$this->io->writeError( '<warning>You are generating an unoptimized autoloader. If this is a production build, consider using the -o option.</warning>' );
		}
	}

	/**
	 * Compiles an ordered list of namespace => path mappings
	 *
	 * @param  array            $packageMap  Array of array(package, installDir-relative-to-composer.json).
	 * @param  PackageInterface $mainPackage Main package instance.
	 *
	 * @return array The list of path mappings.
	 */
	public function parseAutoloads( array $packageMap, PackageInterface $mainPackage ) {
		$rootPackageMap = array_shift( $packageMap );

		$sortedPackageMap   = $this->sortPackageMap( $packageMap );
		$sortedPackageMap[] = $rootPackageMap;
		array_unshift( $packageMap, $rootPackageMap );

		$psr0     = $this->parseAutoloadsType( $packageMap, 'psr-0', $mainPackage );
		$psr4     = $this->parseAutoloadsType( $packageMap, 'psr-4', $mainPackage );
		$classmap = $this->parseAutoloadsType( array_reverse( $sortedPackageMap ), 'classmap', $mainPackage );
		$files    = $this->parseAutoloadsType( $sortedPackageMap, 'files', $mainPackage );

		krsort( $psr0 );
		krsort( $psr4 );

		return array(
			'psr-0'    => $psr0,
			'psr-4'    => $psr4,
			'classmap' => $classmap,
			'files'    => $files,
		);
	}

	/**
	 * Sorts packages by dependency weight
	 *
	 * Packages of equal weight retain the original order
	 *
	 * @param  array $packageMap The package map.
	 *
	 * @return array
	 */
	protected function sortPackageMap( array $packageMap ) {
		$packages = array();
		$paths    = array();

		foreach ( $packageMap as $item ) {
			list( $package, $path ) = $item;
			$name                   = $package->getName();
			$packages[ $name ]      = $package;
			$paths[ $name ]         = $path;
		}

		$sortedPackages = PackageSorter::sortPackages( $packages );

		$sortedPackageMap = array();

		foreach ( $sortedPackages as $package ) {
			$name               = $package->getName();
			$sortedPackageMap[] = array( $packages[ $name ], $paths[ $name ] );
		}

		return $sortedPackageMap;
	}

	/**
	 * Returns the file identifier.
	 *
	 * @param PackageInterface $package The package instance.
	 * @param string           $path The path.
	 */
	protected function getFileIdentifier( PackageInterface $package, $path ) {
		return md5( $package->getName() . ':' . $path );
	}

	/**
	 * Returns the path code for the given path.
	 *
	 * @param Filesystem $filesystem The filesystem instance.
	 * @param string     $basePath The base path.
	 * @param string     $vendorPath The vendor path.
	 * @param string     $path The path.
	 *
	 * @return string The path code.
	 */
	protected function getPathCode( Filesystem $filesystem, $basePath, $vendorPath, $path ) {
		if ( ! $filesystem->isAbsolutePath( $path ) ) {
			$path = $basePath . '/' . $path;
		}
		$path = $filesystem->normalizePath( $path );

		$baseDir = '';
		if ( 0 === strpos( $path . '/', $vendorPath . '/' ) ) {
			$path    = substr( $path, strlen( $vendorPath ) );
			$baseDir = '$vendorDir';

			if ( false !== $path ) {
				$baseDir .= ' . ';
			}
		} else {
			$path = $filesystem->normalizePath( $filesystem->findShortestPath( $basePath, $path, true ) );
			if ( ! $filesystem->isAbsolutePath( $path ) ) {
				$baseDir = '$baseDir . ';
				$path    = '/' . $path;
			}
		}

		if ( strpos( $path, '.phar' ) !== false ) {
			$baseDir = "'phar://' . " . $baseDir;
		}

		return $baseDir . ( ( false !== $path ) ? var_export( $path, true ) : '' );
	}

	/**
	 * This function differs from the composer parseAutoloadsType in that beside returning the path.
	 * It also return the path and the version of a package.
	 *
	 * Supports PSR-4, PSR-0, and classmap parsing.
	 *
	 * @param array            $packageMap Map of all the packages.
	 * @param string           $type Type of autoloader to use.
	 * @param PackageInterface $mainPackage Instance of the Package Object.
	 *
	 * @return array
	 */
	protected function parseAutoloadsType( array $packageMap, $type, PackageInterface $mainPackage ) {
		$autoloads = array();

		foreach ( $packageMap as $item ) {
			list($package, $installPath) = $item;
			$autoload                    = $package->getAutoload();

			if ( $package === $mainPackage ) {
				$autoload = array_merge_recursive( $autoload, $package->getDevAutoload() );
			}

			if ( null !== $package->getTargetDir() && $package !== $mainPackage ) {
				$installPath = substr( $installPath, 0, -strlen( '/' . $package->getTargetDir() ) );
			}

			if ( in_array( $type, array( 'psr-4', 'psr-0' ), true ) && isset( $autoload[ $type ] ) && is_array( $autoload[ $type ] ) ) {
				foreach ( $autoload[ $type ] as $namespace => $paths ) {
					$paths = is_array( $paths ) ? $paths : array( $paths );
					foreach ( $paths as $path ) {
						$relativePath              = empty( $installPath ) ? ( empty( $path ) ? '.' : $path ) : $installPath . '/' . $path;
						$autoloads[ $namespace ][] = array(
							'path'    => $relativePath,
							'version' => $package->getVersion(), // Version of the class comes from the package - should we try to parse it?
						);
					}
				}
			}

			if ( 'classmap' === $type && isset( $autoload['classmap'] ) && is_array( $autoload['classmap'] ) ) {
				foreach ( $autoload['classmap'] as $paths ) {
					$paths = is_array( $paths ) ? $paths : array( $paths );
					foreach ( $paths as $path ) {
						$relativePath = empty( $installPath ) ? ( empty( $path ) ? '.' : $path ) : $installPath . '/' . $path;
						$autoloads[]  = array(
							'path'    => $relativePath,
							'version' => $package->getVersion(), // Version of the class comes from the package - should we try to parse it?
						);
					}
				}
			}
			if ( 'files' === $type && isset( $autoload['files'] ) && is_array( $autoload['files'] ) ) {
				foreach ( $autoload['files'] as $paths ) {
					$paths = is_array( $paths ) ? $paths : array( $paths );
					foreach ( $paths as $path ) {
						$relativePath = empty( $installPath ) ? ( empty( $path ) ? '.' : $path ) : $installPath . '/' . $path;
						$autoloads[ $this->getFileIdentifier( $package, $path ) ] = array(
							'path'    => $relativePath,
							'version' => $package->getVersion(), // Version of the file comes from the package - should we try to parse it?
						);
					}
				}
			}
		}

		return $autoloads;
	}

	/**
	 * Given Composer's autoloads this will convert them to a version that we can use to generate the manifests.
	 *
	 * When the $scanPsrPackages argument is true, PSR-4 namespaces are converted to classmaps. When $scanPsrPackages
	 * is false, PSR-4 namespaces are not converted to classmaps.
	 *
	 * PSR-0 namespaces are always converted to classmaps.
	 *
	 * @param array  $autoloads The autoloads we want to process.
	 * @param bool   $scanPsrPackages Whether or not PSR-4 packages should be converted to a classmap.
	 * @param string $vendorPath The path to the vendor directory.
	 * @param string $basePath The path to the current directory.
	 *
	 * @return array $processedAutoloads
	 */
	private function processAutoloads( $autoloads, $scanPsrPackages, $vendorPath, $basePath ) {
		$processor = new AutoloadProcessor(
			function ( $path, $excludedClasses, $namespace ) use ( $basePath ) {
				$dir = $this->filesystem->normalizePath(
					$this->filesystem->isAbsolutePath( $path ) ? $path : $basePath . '/' . $path
				);
				return ClassMapGenerator::createMap(
					$dir,
					$excludedClasses,
					null, // Don't pass the IOInterface since the normal autoload generation will have reported already.
					empty( $namespace ) ? null : $namespace
				);
			},
			function ( $path ) use ( $basePath, $vendorPath ) {
				return $this->getPathCode( $this->filesystem, $basePath, $vendorPath, $path );
			}
		);

		return array(
			'psr-4'    => $processor->processPsr4Packages( $autoloads, $scanPsrPackages ),
			'classmap' => $processor->processClassmap( $autoloads, $scanPsrPackages ),
			'files'    => $processor->processFiles( $autoloads ),
		);
	}

	/**
	 * Removes all of the legacy autoloader files so they don't cause any problems.
	 *
	 * @param string $outDir The directory legacy files are written to.
	 */
	private function removeLegacyFiles( $outDir ) {
		$files = array(
			'autoload_functions.php',
			'class-autoloader-handler.php',
			'class-classes-handler.php',
			'class-files-handler.php',
			'class-plugins-handler.php',
			'class-version-selector.php',
		);
		foreach ( $files as $file ) {
			$this->filesystem->remove( $outDir . '/' . $file );
		}
	}

	/**
	 * Writes all of the autoloader files to disk.
	 *
	 * @param string $outDir The directory to write to.
	 * @param string $suffix The unique autoloader suffix.
	 */
	private function writeAutoloaderFiles( $outDir, $suffix ) {
		$this->io->writeError( "<info>Generating jetpack autoloader ($outDir)</info>" );

		// We will remove all autoloader files to generate this again.
		$this->filesystem->emptyDirectory( $outDir );

		// Write the autoloader files.
		AutoloadFileWriter::copyAutoloaderFiles( $this->io, $outDir, $suffix );
	}

	/**
	 * Writes all of the manifest files to disk.
	 *
	 * @param string $outDir The directory to write to.
	 * @param array  $processedAutoloads The processed autoloads.
	 */
	private function writeManifests( $outDir, $processedAutoloads ) {
		$this->io->writeError( "<info>Generating jetpack autoloader manifests ($outDir)</info>" );

		$manifestFiles = array(
			'classmap' => 'jetpack_autoload_classmap.php',
			'psr-4'    => 'jetpack_autoload_psr4.php',
			'files'    => 'jetpack_autoload_filemap.php',
		);

		foreach ( $manifestFiles as $key => $file ) {
			// Make sure the file doesn't exist so it isn't there if we don't write it.
			$this->filesystem->remove( $outDir . '/' . $file );
			if ( empty( $processedAutoloads[ $key ] ) ) {
				continue;
			}

			$content = ManifestGenerator::buildManifest( $key, $file, $processedAutoloads[ $key ] );
			if ( empty( $content ) ) {
				continue;
			}

			if ( file_put_contents( $outDir . '/' . $file, $content ) ) {
				$this->io->writeError( "  <info>Generated: $file</info>" );
			} else {
				$this->io->writeError( "  <error>Error: $file</error>" );
			}
		}
	}
}
automattic/jetpack-autoloader/src/ManifestGenerator.php000064400000007132151332455420017420 0ustar00<?php // phpcs:ignore WordPress.Files.FileName
/**
 * Manifest Generator.
 *
 * @package automattic/jetpack-autoloader
 */

// phpcs:disable WordPress.Files.FileName.InvalidClassFileName
// phpcs:disable WordPress.NamingConventions.ValidFunctionName.MethodNameInvalid
// phpcs:disable WordPress.NamingConventions.ValidVariableName.UsedPropertyNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.InterpolatedVariableNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.VariableNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.PropertyNotSnakeCase
// phpcs:disable WordPress.PHP.DevelopmentFunctions.error_log_var_export

namespace Automattic\Jetpack\Autoloader;

/**
 * Class ManifestGenerator.
 */
class ManifestGenerator {

	/**
	 * Builds a manifest file for the given autoloader type.
	 *
	 * @param string $autoloaderType The type of autoloader to build a manifest for.
	 * @param string $fileName The filename of the manifest.
	 * @param array  $content The manifest content to generate using.
	 *
	 * @return string|null $manifestFile
	 * @throws \InvalidArgumentException When an invalid autoloader type is given.
	 */
	public static function buildManifest( $autoloaderType, $fileName, $content ) {
		if ( empty( $content ) ) {
			return null;
		}

		switch ( $autoloaderType ) {
			case 'classmap':
			case 'files':
				return self::buildStandardManifest( $fileName, $content );
			case 'psr-4':
				return self::buildPsr4Manifest( $fileName, $content );
		}

		throw new \InvalidArgumentException( 'An invalid manifest type of ' . $autoloaderType . ' was passed!' );
	}

	/**
	 * Builds the contents for the standard manifest file.
	 *
	 * @param string $fileName The filename we are building.
	 * @param array  $manifestData The formatted data for the manifest.
	 *
	 * @return string|null $manifestFile
	 */
	private static function buildStandardManifest( $fileName, $manifestData ) {
		$fileContent = PHP_EOL;
		foreach ( $manifestData as $key => $data ) {
			$key          = var_export( $key, true );
			$versionCode  = var_export( $data['version'], true );
			$fileContent .= <<<MANIFEST_CODE
	$key => array(
		'version' => $versionCode,
		'path'    => {$data['path']}
	),
MANIFEST_CODE;
			$fileContent .= PHP_EOL;
		}

		return self::buildFile( $fileName, $fileContent );
	}

	/**
	 * Builds the contents for the PSR-4 manifest file.
	 *
	 * @param string $fileName The filename we are building.
	 * @param array  $namespaces The formatted PSR-4 data for the manifest.
	 *
	 * @return string|null $manifestFile
	 */
	private static function buildPsr4Manifest( $fileName, $namespaces ) {
		$fileContent = PHP_EOL;
		foreach ( $namespaces as $namespace => $data ) {
			$namespaceCode = var_export( $namespace, true );
			$versionCode   = var_export( $data['version'], true );
			$pathCode      = 'array( ' . implode( ', ', $data['path'] ) . ' )';
			$fileContent  .= <<<MANIFEST_CODE
	$namespaceCode => array(
		'version' => $versionCode,
		'path'    => $pathCode
	),
MANIFEST_CODE;
			$fileContent  .= PHP_EOL;
		}

		return self::buildFile( $fileName, $fileContent );
	}

	/**
	 * Generate the PHP that will be used in the file.
	 *
	 * @param string $fileName The filename we are building.
	 * @param string $content The content to be written into the file.
	 *
	 * @return string $fileContent
	 */
	private static function buildFile( $fileName, $content ) {
		return <<<INCLUDE_FILE
<?php

// This file `$fileName` was auto generated by automattic/jetpack-autoloader.

\$vendorDir = dirname(__DIR__);
\$baseDir   = dirname(\$vendorDir);

return array($content);

INCLUDE_FILE;
	}
}
automattic/jetpack-autoloader/src/class-shutdown-handler.php000064400000005203151332455420020371 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class handles the shutdown of the autoloader.
 */
class Shutdown_Handler {

	/**
	 * The Plugins_Handler instance.
	 *
	 * @var Plugins_Handler
	 */
	private $plugins_handler;

	/**
	 * The plugins cached by this autoloader.
	 *
	 * @var string[]
	 */
	private $cached_plugins;

	/**
	 * Indicates whether or not this autoloader was included by another.
	 *
	 * @var bool
	 */
	private $was_included_by_autoloader;

	/**
	 * Constructor.
	 *
	 * @param Plugins_Handler $plugins_handler The Plugins_Handler instance to use.
	 * @param string[]        $cached_plugins The plugins cached by the autoloaer.
	 * @param bool            $was_included_by_autoloader Indicates whether or not the autoloader was included by another.
	 */
	public function __construct( $plugins_handler, $cached_plugins, $was_included_by_autoloader ) {
		$this->plugins_handler            = $plugins_handler;
		$this->cached_plugins             = $cached_plugins;
		$this->was_included_by_autoloader = $was_included_by_autoloader;
	}

	/**
	 * Handles the shutdown of the autoloader.
	 */
	public function __invoke() {
		// Don't save a broken cache if an error happens during some plugin's initialization.
		if ( ! did_action( 'plugins_loaded' ) ) {
			// Ensure that the cache is emptied to prevent consecutive failures if the cache is to blame.
			if ( ! empty( $this->cached_plugins ) ) {
				$this->plugins_handler->cache_plugins( array() );
			}

			return;
		}

		// Load the active plugins fresh since the list we pulled earlier might not contain
		// plugins that were activated but did not reset the autoloader. This happens
		// when a plugin is in the cache but not "active" when the autoloader loads.
		// We also want to make sure that plugins which are deactivating are not
		// considered "active" so that they will be removed from the cache now.
		try {
			$active_plugins = $this->plugins_handler->get_active_plugins( false, ! $this->was_included_by_autoloader );
		} catch ( \Exception $ex ) {
			// When the package is deleted before shutdown it will throw an exception.
			// In the event this happens we should erase the cache.
			if ( ! empty( $this->cached_plugins ) ) {
				$this->plugins_handler->cache_plugins( array() );
			}
			return;
		}

		// The paths should be sorted for easy comparisons with those loaded from the cache.
		// Note we don't need to sort the cached entries because they're already sorted.
		sort( $active_plugins );

		// We don't want to waste time saving a cache that hasn't changed.
		if ( $this->cached_plugins === $active_plugins ) {
			return;
		}

		$this->plugins_handler->cache_plugins( $active_plugins );
	}
}
automattic/jetpack-autoloader/src/CustomAutoloaderPlugin.php000064400000014057151332455420020460 0ustar00<?php //phpcs:ignore WordPress.Files.FileName.NotHyphenatedLowercase
/**
 * Custom Autoloader Composer Plugin, hooks into composer events to generate the custom autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

// phpcs:disable PHPCompatibility.Keywords.NewKeywords.t_useFound
// phpcs:disable PHPCompatibility.LanguageConstructs.NewLanguageConstructs.t_ns_separatorFound
// phpcs:disable PHPCompatibility.Keywords.NewKeywords.t_namespaceFound
// phpcs:disable WordPress.Files.FileName.NotHyphenatedLowercase
// phpcs:disable WordPress.Files.FileName.InvalidClassFileName
// phpcs:disable WordPress.NamingConventions.ValidVariableName.VariableNotSnakeCase

namespace Automattic\Jetpack\Autoloader;

use Composer\Composer;
use Composer\EventDispatcher\EventSubscriberInterface;
use Composer\IO\IOInterface;
use Composer\Plugin\PluginInterface;
use Composer\Script\Event;
use Composer\Script\ScriptEvents;

/**
 * Class CustomAutoloaderPlugin.
 *
 * @package automattic/jetpack-autoloader
 */
class CustomAutoloaderPlugin implements PluginInterface, EventSubscriberInterface {

	/**
	 * IO object.
	 *
	 * @var IOInterface IO object.
	 */
	private $io;

	/**
	 * Composer object.
	 *
	 * @var Composer Composer object.
	 */
	private $composer;

	/**
	 * Do nothing.
	 *
	 * @param Composer    $composer Composer object.
	 * @param IOInterface $io IO object.
	 */
	public function activate( Composer $composer, IOInterface $io ) { // phpcs:ignore VariableAnalysis.CodeAnalysis.VariableAnalysis.UnusedVariable
		$this->composer = $composer;
		$this->io       = $io;
	}

	/**
	 * Do nothing.
	 * phpcs:disable VariableAnalysis.CodeAnalysis.VariableAnalysis.UnusedVariable
	 *
	 * @param Composer    $composer Composer object.
	 * @param IOInterface $io IO object.
	 */
	public function deactivate( Composer $composer, IOInterface $io ) {
		/*
		 * Intentionally left empty. This is a PluginInterface method.
		 * phpcs:enable VariableAnalysis.CodeAnalysis.VariableAnalysis.UnusedVariable
		 */
	}

	/**
	 * Do nothing.
	 * phpcs:disable VariableAnalysis.CodeAnalysis.VariableAnalysis.UnusedVariable
	 *
	 * @param Composer    $composer Composer object.
	 * @param IOInterface $io IO object.
	 */
	public function uninstall( Composer $composer, IOInterface $io ) {
		/*
		 * Intentionally left empty. This is a PluginInterface method.
		 * phpcs:enable VariableAnalysis.CodeAnalysis.VariableAnalysis.UnusedVariable
		 */
	}

	/**
	 * Tell composer to listen for events and do something with them.
	 *
	 * @return array List of subscribed events.
	 */
	public static function getSubscribedEvents() {
		return array(
			ScriptEvents::POST_AUTOLOAD_DUMP => 'postAutoloadDump',
		);
	}

	/**
	 * Generate the custom autolaoder.
	 *
	 * @param Event $event Script event object.
	 */
	public function postAutoloadDump( Event $event ) {
		// When the autoloader is not required by the root package we don't want to execute it.
		// This prevents unwanted transitive execution that generates unused autoloaders or
		// at worst throws fatal executions.
		if ( ! $this->isRequiredByRoot() ) {
			return;
		}

		$config = $this->composer->getConfig();

		if ( 'vendor' !== $config->raw()['config']['vendor-dir'] ) {
			$this->io->writeError( "\n<error>An error occurred while generating the autoloader files:", true );
			$this->io->writeError( 'The project\'s composer.json or composer environment set a non-default vendor directory.', true );
			$this->io->writeError( 'The default composer vendor directory must be used.</error>', true );
			exit();
		}

		$installationManager = $this->composer->getInstallationManager();
		$repoManager         = $this->composer->getRepositoryManager();
		$localRepo           = $repoManager->getLocalRepository();
		$package             = $this->composer->getPackage();
		$optimize            = $event->getFlags()['optimize'];
		$suffix              = $this->determineSuffix();

		$generator = new AutoloadGenerator( $this->io );
		$generator->dump( $this->composer, $config, $localRepo, $package, $installationManager, 'composer', $optimize, $suffix );
		$this->generated = true;
	}

	/**
	 * Determine the suffix for the autoloader class.
	 *
	 * Reuses an existing suffix from vendor/autoload_packages.php or vendor/autoload.php if possible.
	 *
	 * @return string Suffix.
	 */
	private function determineSuffix() {
		$config     = $this->composer->getConfig();
		$vendorPath = $config->get( 'vendor-dir' );

		// Command line.
		$suffix = $config->get( 'autoloader-suffix' );
		if ( $suffix ) {
			return $suffix;
		}

		// Reuse our own suffix, if any.
		if ( is_readable( $vendorPath . '/autoload_packages.php' ) ) {
			// phpcs:ignore WordPress.WP.AlternativeFunctions.file_get_contents_file_get_contents
			$content = file_get_contents( $vendorPath . '/autoload_packages.php' );
			if ( preg_match( '/^namespace Automattic\\\\Jetpack\\\\Autoloader\\\\jp([^;\s]+);/m', $content, $match ) ) {
				return $match[1];
			}
		}

		// Reuse Composer's suffix, if any.
		if ( is_readable( $vendorPath . '/autoload.php' ) ) {
			// phpcs:ignore WordPress.WP.AlternativeFunctions.file_get_contents_file_get_contents
			$content = file_get_contents( $vendorPath . '/autoload.php' );
			if ( preg_match( '{ComposerAutoloaderInit([^:\s]+)::}', $content, $match ) ) {
				return $match[1];
			}
		}

		// Generate a random suffix.
		return md5( uniqid( '', true ) );
	}

	/**
	 * Checks to see whether or not the root package is the one that required the autoloader.
	 *
	 * @return bool
	 */
	private function isRequiredByRoot() {
		$package  = $this->composer->getPackage();
		$requires = $package->getRequires();
		if ( ! is_array( $requires ) ) {
			$requires = array();
		}
		$devRequires = $package->getDevRequires();
		if ( ! is_array( $devRequires ) ) {
			$devRequires = array();
		}
		$requires = array_merge( $requires, $devRequires );

		if ( empty( $requires ) ) {
			$this->io->writeError( "\n<error>The package is not required and this should never happen?</error>", true );
			exit();
		}

		foreach ( $requires as $require ) {
			if ( 'automattic/jetpack-autoloader' === $require->getTarget() ) {
				return true;
			}
		}

		return false;
	}
}
automattic/jetpack-autoloader/src/class-autoloader.php000064400000007573151332455420017256 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class handles management of the actual PHP autoloader.
 */
class Autoloader {

	/**
	 * Checks to see whether or not the autoloader should be initialized and then initializes it if so.
	 *
	 * @param Container|null $container The container we want to use for autoloader initialization. If none is given
	 *                                  then a container will be created automatically.
	 */
	public static function init( $container = null ) {
		// The container holds and manages the lifecycle of our dependencies
		// to make them easier to work with and increase flexibility.
		if ( ! isset( $container ) ) {
			require_once __DIR__ . '/class-container.php';
			$container = new Container();
		}

		// phpcs:disable Generic.Commenting.DocComment.MissingShort

		/** @var Autoloader_Handler $autoloader_handler */
		$autoloader_handler = $container->get( Autoloader_Handler::class );

		// If the autoloader is already initializing it means that it has included us as the latest.
		$was_included_by_autoloader = $autoloader_handler->is_initializing();

		/** @var Plugin_Locator $plugin_locator */
		$plugin_locator = $container->get( Plugin_Locator::class );

		/** @var Plugins_Handler $plugins_handler */
		$plugins_handler = $container->get( Plugins_Handler::class );

		// The current plugin is the one that we are attempting to initialize here.
		$current_plugin = $plugin_locator->find_current_plugin();

		// The active plugins are those that we were able to discover on the site. This list will not
		// include mu-plugins, those activated by code, or those who are hidden by filtering. We also
		// want to take care to not consider the current plugin unknown if it was included by an
		// autoloader. This avoids the case where a plugin will be marked "active" while deactivated
		// due to it having the latest autoloader.
		$active_plugins = $plugins_handler->get_active_plugins( true, ! $was_included_by_autoloader );

		// The cached plugins are all of those that were active or discovered by the autoloader during a previous request.
		// Note that it's possible this list will include plugins that have since been deactivated, but after a request
		// the cache should be updated and the deactivated plugins will be removed.
		$cached_plugins = $plugins_handler->get_cached_plugins();

		// We combine the active list and cached list to preemptively load classes for plugins that are
		// presently unknown but will be loaded during the request. While this may result in us considering packages in
		// deactivated plugins there shouldn't be any problems as a result and the eventual consistency is sufficient.
		$all_plugins = array_merge( $active_plugins, $cached_plugins );

		// In particular we also include the current plugin to address the case where it is the latest autoloader
		// but also unknown (and not cached). We don't want it in the active list because we don't know that it
		// is active but we need it in the all plugins list so that it is considered by the autoloader.
		$all_plugins[] = $current_plugin;

		// We require uniqueness in the array to avoid processing the same plugin more than once.
		$all_plugins = array_values( array_unique( $all_plugins ) );

		/** @var Latest_Autoloader_Guard $guard */
		$guard = $container->get( Latest_Autoloader_Guard::class );
		if ( $guard->should_stop_init( $current_plugin, $all_plugins, $was_included_by_autoloader ) ) {
			return;
		}

		// Initialize the autoloader using the handler now that we're ready.
		$autoloader_handler->activate_autoloader( $all_plugins );

		/** @var Hook_Manager $hook_manager */
		$hook_manager = $container->get( Hook_Manager::class );

		// Register a shutdown handler to clean up the autoloader.
		$hook_manager->add_action( 'shutdown', new Shutdown_Handler( $plugins_handler, $cached_plugins, $was_included_by_autoloader ) );

		// phpcs:enable Generic.Commenting.DocComment.MissingShort
	}
}
automattic/jetpack-autoloader/src/class-php-autoloader.php000064400000005071151332455420020032 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class handles management of the actual PHP autoloader.
 */
class PHP_Autoloader {

	/**
	 * Registers the autoloader with PHP so that it can begin autoloading classes.
	 *
	 * @param Version_Loader $version_loader The class loader to use in the autoloader.
	 */
	public function register_autoloader( $version_loader ) {
		// Make sure no other autoloaders are registered.
		$this->unregister_autoloader();

		// Set the global so that it can be used to load classes.
		global $jetpack_autoloader_loader;
		$jetpack_autoloader_loader = $version_loader;

		// Ensure that the autoloader is first to avoid contention with others.
		spl_autoload_register( array( self::class, 'load_class' ), true, true );
	}

	/**
	 * Unregisters the active autoloader so that it will no longer autoload classes.
	 */
	public function unregister_autoloader() {
		// Remove any v2 autoloader that we've already registered.
		$autoload_chain = spl_autoload_functions();
		foreach ( $autoload_chain as $autoloader ) {
			// We can identify a v2 autoloader using the namespace.
			$namespace_check = null;

			// Functions are recorded as strings.
			if ( is_string( $autoloader ) ) {
				$namespace_check = $autoloader;
			} elseif ( is_array( $autoloader ) && is_string( $autoloader[0] ) ) {
				// Static method calls have the class as the first array element.
				$namespace_check = $autoloader[0];
			} else {
				// Since the autoloader has only ever been a function or a static method we don't currently need to check anything else.
				continue;
			}

			// Check for the namespace without the generated suffix.
			if ( 'Automattic\\Jetpack\\Autoloader\\jp' === substr( $namespace_check, 0, 32 ) ) {
				spl_autoload_unregister( $autoloader );
			}
		}

		// Clear the global now that the autoloader has been unregistered.
		global $jetpack_autoloader_loader;
		$jetpack_autoloader_loader = null;
	}

	/**
	 * Loads a class file if one could be found.
	 *
	 * Note: This function is static so that the autoloader can be easily unregistered. If
	 * it was a class method we would have to unwrap the object to check the namespace.
	 *
	 * @param string $class_name The name of the class to autoload.
	 *
	 * @return bool Indicates whether or not a class file was loaded.
	 */
	public static function load_class( $class_name ) {
		global $jetpack_autoloader_loader;
		if ( ! isset( $jetpack_autoloader_loader ) ) {
			return;
		}

		$file = $jetpack_autoloader_loader->find_class_file( $class_name );
		if ( ! isset( $file ) ) {
			return false;
		}

		require $file;
		return true;
	}
}
automattic/jetpack-autoloader/src/autoload.php000064400000000173151332455420015611 0ustar00<?php
/* HEADER */ // phpcs:ignore

require_once __DIR__ . '/jetpack-autoloader/class-autoloader.php';
Autoloader::init();
automattic/jetpack-autoloader/src/class-latest-autoloader-guard.php000064400000005062151332455420021637 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class ensures that we're only executing the latest autoloader.
 */
class Latest_Autoloader_Guard {

	/**
	 * The Plugins_Handler instance.
	 *
	 * @var Plugins_Handler
	 */
	private $plugins_handler;

	/**
	 * The Autoloader_Handler instance.
	 *
	 * @var Autoloader_Handler
	 */
	private $autoloader_handler;

	/**
	 * The Autoloader_locator instance.
	 *
	 * @var Autoloader_Locator
	 */
	private $autoloader_locator;

	/**
	 * The constructor.
	 *
	 * @param Plugins_Handler    $plugins_handler    The Plugins_Handler instance.
	 * @param Autoloader_Handler $autoloader_handler The Autoloader_Handler instance.
	 * @param Autoloader_Locator $autoloader_locator The Autoloader_Locator instance.
	 */
	public function __construct( $plugins_handler, $autoloader_handler, $autoloader_locator ) {
		$this->plugins_handler    = $plugins_handler;
		$this->autoloader_handler = $autoloader_handler;
		$this->autoloader_locator = $autoloader_locator;
	}

	/**
	 * Indicates whether or not the autoloader should be initialized. Note that this function
	 * has the side-effect of actually loading the latest autoloader in the event that this
	 * is not it.
	 *
	 * @param string   $current_plugin             The current plugin we're checking.
	 * @param string[] $plugins                    The active plugins to check for autoloaders in.
	 * @param bool     $was_included_by_autoloader Indicates whether or not this autoloader was included by another.
	 *
	 * @return bool True if we should stop initialization, otherwise false.
	 */
	public function should_stop_init( $current_plugin, $plugins, $was_included_by_autoloader ) {
		global $jetpack_autoloader_latest_version;

		// We need to reset the autoloader when the plugins change because
		// that means the autoloader was generated with a different list.
		if ( $this->plugins_handler->have_plugins_changed( $plugins ) ) {
			$this->autoloader_handler->reset_autoloader();
		}

		// When the latest autoloader has already been found we don't need to search for it again.
		// We should take care however because this will also trigger if the autoloader has been
		// included by an older one.
		if ( isset( $jetpack_autoloader_latest_version ) && ! $was_included_by_autoloader ) {
			return true;
		}

		$latest_plugin = $this->autoloader_locator->find_latest_autoloader( $plugins, $jetpack_autoloader_latest_version );
		if ( isset( $latest_plugin ) && $latest_plugin !== $current_plugin ) {
			require $this->autoloader_locator->get_autoloader_path( $latest_plugin );
			return true;
		}

		return false;
	}
}
automattic/jetpack-autoloader/src/class-plugins-handler.php000064400000013071151332455420020201 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class handles locating and caching all of the active plugins.
 */
class Plugins_Handler {
	/**
	 * The transient key for plugin paths.
	 */
	const TRANSIENT_KEY = 'jetpack_autoloader_plugin_paths';

	/**
	 * The locator for finding plugins in different locations.
	 *
	 * @var Plugin_Locator
	 */
	private $plugin_locator;

	/**
	 * The processor for transforming cached paths.
	 *
	 * @var Path_Processor
	 */
	private $path_processor;

	/**
	 * The constructor.
	 *
	 * @param Plugin_Locator $plugin_locator The locator for finding active plugins.
	 * @param Path_Processor $path_processor The processor for transforming cached paths.
	 */
	public function __construct( $plugin_locator, $path_processor ) {
		$this->plugin_locator = $plugin_locator;
		$this->path_processor = $path_processor;
	}

	/**
	 * Gets all of the active plugins we can find.
	 *
	 * @param bool $include_deactivating When true, plugins deactivating this request will be considered active.
	 * @param bool $record_unknown When true, the current plugin will be marked as active and recorded when unknown.
	 *
	 * @return string[]
	 */
	public function get_active_plugins( $include_deactivating, $record_unknown ) {
		global $jetpack_autoloader_activating_plugins_paths;

		// We're going to build a unique list of plugins from a few different sources
		// to find all of our "active" plugins. While we need to return an integer
		// array, we're going to use an associative array internally to reduce
		// the amount of time that we're going to spend checking uniqueness
		// and merging different arrays together to form the output.
		$active_plugins = array();

		// Make sure that plugins which have activated this request are considered as "active" even though
		// they probably won't be present in any option.
		if ( is_array( $jetpack_autoloader_activating_plugins_paths ) ) {
			foreach ( $jetpack_autoloader_activating_plugins_paths as $path ) {
				$active_plugins[ $path ] = $path;
			}
		}

		// This option contains all of the plugins that have been activated.
		$plugins = $this->plugin_locator->find_using_option( 'active_plugins' );
		foreach ( $plugins as $path ) {
			$active_plugins[ $path ] = $path;
		}

		// This option contains all of the multisite plugins that have been activated.
		if ( is_multisite() ) {
			$plugins = $this->plugin_locator->find_using_option( 'active_sitewide_plugins', true );
			foreach ( $plugins as $path ) {
				$active_plugins[ $path ] = $path;
			}
		}

		// These actions contain plugins that are being activated/deactivated during this request.
		$plugins = $this->plugin_locator->find_using_request_action( array( 'activate', 'activate-selected', 'deactivate', 'deactivate-selected' ) );
		foreach ( $plugins as $path ) {
			$active_plugins[ $path ] = $path;
		}

		// When the current plugin isn't considered "active" there's a problem.
		// Since we're here, the plugin is active and currently being loaded.
		// We can support this case (mu-plugins and non-standard activation)
		// by adding the current plugin to the active list and marking it
		// as an unknown (activating) plugin. This also has the benefit
		// of causing a reset because the active plugins list has
		// been changed since it was saved in the global.
		$current_plugin = $this->plugin_locator->find_current_plugin();
		if ( $record_unknown && ! in_array( $current_plugin, $active_plugins, true ) ) {
			$active_plugins[ $current_plugin ]             = $current_plugin;
			$jetpack_autoloader_activating_plugins_paths[] = $current_plugin;
		}

		// When deactivating plugins aren't desired we should entirely remove them from the active list.
		if ( ! $include_deactivating ) {
			// These actions contain plugins that are being deactivated during this request.
			$plugins = $this->plugin_locator->find_using_request_action( array( 'deactivate', 'deactivate-selected' ) );
			foreach ( $plugins as $path ) {
				unset( $active_plugins[ $path ] );
			}
		}

		// Transform the array so that we don't have to worry about the keys interacting with other array types later.
		return array_values( $active_plugins );
	}

	/**
	 * Gets all of the cached plugins if there are any.
	 *
	 * @return string[]
	 */
	public function get_cached_plugins() {
		$cached = get_transient( self::TRANSIENT_KEY );
		if ( ! is_array( $cached ) || empty( $cached ) ) {
			return array();
		}

		// We need to expand the tokens to an absolute path for this webserver.
		return array_map( array( $this->path_processor, 'untokenize_path_constants' ), $cached );
	}

	/**
	 * Saves the plugin list to the cache.
	 *
	 * @param array $plugins The plugin list to save to the cache.
	 */
	public function cache_plugins( $plugins ) {
		// We store the paths in a tokenized form so that that webservers with different absolute paths don't break.
		$plugins = array_map( array( $this->path_processor, 'tokenize_path_constants' ), $plugins );

		set_transient( self::TRANSIENT_KEY, $plugins );
	}

	/**
	 * Checks to see whether or not the plugin list given has changed when compared to the
	 * shared `$jetpack_autoloader_cached_plugin_paths` global. This allows us to deal
	 * with cases where the active list may change due to filtering..
	 *
	 * @param string[] $plugins The plugins list to check against the global cache.
	 *
	 * @return bool True if the plugins have changed, otherwise false.
	 */
	public function have_plugins_changed( $plugins ) {
		global $jetpack_autoloader_cached_plugin_paths;

		if ( $jetpack_autoloader_cached_plugin_paths !== $plugins ) {
			$jetpack_autoloader_cached_plugin_paths = $plugins;
			return true;
		}

		return false;
	}
}
automattic/jetpack-autoloader/src/class-container.php000064400000011157151332455420017072 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * This class manages the files and dependencies of the autoloader.
 */
class Container {

	/**
	 * Since each autoloader's class files exist within their own namespace we need a map to
	 * convert between the local class and a shared key. Note that no version checking is
	 * performed on these dependencies and the first autoloader to register will be the
	 * one that is utilized.
	 */
	const SHARED_DEPENDENCY_KEYS = array(
		Hook_Manager::class => 'Hook_Manager',
	);

	/**
	 * A map of all the dependencies we've registered with the container and created.
	 *
	 * @var array
	 */
	protected $dependencies;

	/**
	 * The constructor.
	 */
	public function __construct() {
		$this->dependencies = array();

		$this->register_shared_dependencies();
		$this->register_dependencies();
		$this->initialize_globals();
	}

	/**
	 * Gets a dependency out of the container.
	 *
	 * @param string $class The class to fetch.
	 *
	 * @return mixed
	 * @throws \InvalidArgumentException When a class that isn't registered with the container is fetched.
	 */
	public function get( $class ) {
		if ( ! isset( $this->dependencies[ $class ] ) ) {
			throw new \InvalidArgumentException( "Class '$class' is not registered with the container." );
		}

		return $this->dependencies[ $class ];
	}

	/**
	 * Registers all of the dependencies that are shared between all instances of the autoloader.
	 */
	private function register_shared_dependencies() {
		global $jetpack_autoloader_container_shared;
		if ( ! isset( $jetpack_autoloader_container_shared ) ) {
			$jetpack_autoloader_container_shared = array();
		}

		$key = self::SHARED_DEPENDENCY_KEYS[ Hook_Manager::class ];
		if ( ! isset( $jetpack_autoloader_container_shared[ $key ] ) ) {
			require_once __DIR__ . '/class-hook-manager.php';
			$jetpack_autoloader_container_shared[ $key ] = new Hook_Manager();
		}
		$this->dependencies[ Hook_Manager::class ] = &$jetpack_autoloader_container_shared[ $key ];
	}

	/**
	 * Registers all of the dependencies with the container.
	 */
	private function register_dependencies() {
		require_once __DIR__ . '/class-path-processor.php';
		$this->dependencies[ Path_Processor::class ] = new Path_Processor();

		require_once __DIR__ . '/class-plugin-locator.php';
		$this->dependencies[ Plugin_Locator::class ] = new Plugin_Locator(
			$this->get( Path_Processor::class )
		);

		require_once __DIR__ . '/class-version-selector.php';
		$this->dependencies[ Version_Selector::class ] = new Version_Selector();

		require_once __DIR__ . '/class-autoloader-locator.php';
		$this->dependencies[ Autoloader_Locator::class ] = new Autoloader_Locator(
			$this->get( Version_Selector::class )
		);

		require_once __DIR__ . '/class-php-autoloader.php';
		$this->dependencies[ PHP_Autoloader::class ] = new PHP_Autoloader();

		require_once __DIR__ . '/class-manifest-reader.php';
		$this->dependencies[ Manifest_Reader::class ] = new Manifest_Reader(
			$this->get( Version_Selector::class )
		);

		require_once __DIR__ . '/class-plugins-handler.php';
		$this->dependencies[ Plugins_Handler::class ] = new Plugins_Handler(
			$this->get( Plugin_Locator::class ),
			$this->get( Path_Processor::class )
		);

		require_once __DIR__ . '/class-autoloader-handler.php';
		$this->dependencies[ Autoloader_Handler::class ] = new Autoloader_Handler(
			$this->get( PHP_Autoloader::class ),
			$this->get( Hook_Manager::class ),
			$this->get( Manifest_Reader::class ),
			$this->get( Version_Selector::class )
		);

		require_once __DIR__ . '/class-latest-autoloader-guard.php';
		$this->dependencies[ Latest_Autoloader_Guard::class ] = new Latest_Autoloader_Guard(
			$this->get( Plugins_Handler::class ),
			$this->get( Autoloader_Handler::class ),
			$this->get( Autoloader_Locator::class )
		);

		// Register any classes that we will use elsewhere.
		require_once __DIR__ . '/class-version-loader.php';
		require_once __DIR__ . '/class-shutdown-handler.php';
	}

	/**
	 * Initializes any of the globals needed by the autoloader.
	 */
	private function initialize_globals() {
		/*
		 * This global was retired in version 2.9. The value is set to 'false' to maintain
		 * compatibility with older versions of the autoloader.
		 */
		global $jetpack_autoloader_including_latest;
		$jetpack_autoloader_including_latest = false;

		// Not all plugins can be found using the locator. In cases where a plugin loads the autoloader
		// but was not discoverable, we will record them in this array to track them as "active".
		global $jetpack_autoloader_activating_plugins_paths;
		if ( ! isset( $jetpack_autoloader_activating_plugins_paths ) ) {
			$jetpack_autoloader_activating_plugins_paths = array();
		}
	}
}
automattic/jetpack-autoloader/src/class-version-selector.php000064400000003165151332455420020413 0ustar00<?php
/* HEADER */ // phpcs:ignore

/**
 * Used to select package versions.
 */
class Version_Selector {

	/**
	 * Checks whether the selected package version should be updated. Composer development
	 * package versions ('9999999-dev' or versions that start with 'dev-') are favored
	 * when the JETPACK_AUTOLOAD_DEV constant is set to true.
	 *
	 * @param String $selected_version The currently selected package version.
	 * @param String $compare_version The package version that is being evaluated to
	 *                                determine if the version needs to be updated.
	 *
	 * @return bool Returns true if the selected package version should be updated,
	 *                 else false.
	 */
	public function is_version_update_required( $selected_version, $compare_version ) {
		$use_dev_versions = defined( 'JETPACK_AUTOLOAD_DEV' ) && JETPACK_AUTOLOAD_DEV;

		if ( is_null( $selected_version ) ) {
			return true;
		}

		if ( $use_dev_versions && $this->is_dev_version( $selected_version ) ) {
			return false;
		}

		if ( $this->is_dev_version( $compare_version ) ) {
			if ( $use_dev_versions ) {
				return true;
			} else {
				return false;
			}
		}

		if ( version_compare( $selected_version, $compare_version, '<' ) ) {
			return true;
		}

		return false;
	}

	/**
	 * Checks whether the given package version is a development version.
	 *
	 * @param String $version The package version.
	 *
	 * @return bool True if the version is a dev version, else false.
	 */
	public function is_dev_version( $version ) {
		if ( 'dev-' === substr( $version, 0, 4 ) || '9999999-dev' === $version ) {
			return true;
		}

		return false;
	}
}
automattic/jetpack-autoloader/src/AutoloadFileWriter.php000064400000006211151332455420017545 0ustar00<?php // phpcs:ignore WordPress.Files.FileName
/**
 * Autoloader file writer.
 *
 * @package automattic/jetpack-autoloader
 */

// phpcs:disable WordPress.Files.FileName.InvalidClassFileName
// phpcs:disable WordPress.NamingConventions.ValidFunctionName.MethodNameInvalid
// phpcs:disable WordPress.NamingConventions.ValidVariableName.UsedPropertyNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.InterpolatedVariableNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.VariableNotSnakeCase
// phpcs:disable WordPress.NamingConventions.ValidVariableName.PropertyNotSnakeCase
// phpcs:disable WordPress.PHP.DevelopmentFunctions.error_log_var_export
// phpcs:disable WordPress.WP.AlternativeFunctions.file_system_read_file_put_contents
// phpcs:disable WordPress.WP.AlternativeFunctions.file_system_read_fopen
// phpcs:disable WordPress.WP.AlternativeFunctions.file_system_read_fwrite

namespace Automattic\Jetpack\Autoloader;

/**
 * Class AutoloadFileWriter.
 */
class AutoloadFileWriter {

	/**
	 * The file comment to use.
	 */
	const COMMENT = <<<AUTOLOADER_COMMENT
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

AUTOLOADER_COMMENT;

	/**
	 * Copies autoloader files and replaces any placeholders in them.
	 *
	 * @param IOInterface|null $io An IO for writing to.
	 * @param string           $outDir The directory to place the autoloader files in.
	 * @param string           $suffix The suffix to use in the autoloader's namespace.
	 */
	public static function copyAutoloaderFiles( $io, $outDir, $suffix ) {
		$renameList = array(
			'autoload.php' => '../autoload_packages.php',
		);
		$ignoreList = array(
			'AutoloadGenerator.php',
			'AutoloadProcessor.php',
			'CustomAutoloaderPlugin.php',
			'ManifestGenerator.php',
			'AutoloadFileWriter.php',
		);

		// Copy all of the autoloader files.
		$files = scandir( __DIR__ );
		foreach ( $files as $file ) {
			// Only PHP files will be copied.
			if ( substr( $file, -4 ) !== '.php' ) {
				continue;
			}

			if ( in_array( $file, $ignoreList, true ) ) {
				continue;
			}

			$newFile = isset( $renameList[ $file ] ) ? $renameList[ $file ] : $file;
			$content = self::prepareAutoloaderFile( $file, $suffix );

			$written = file_put_contents( $outDir . '/' . $newFile, $content );
			if ( $io ) {
				if ( $written ) {
					$io->writeError( "  <info>Generated: $newFile</info>" );
				} else {
					$io->writeError( "  <error>Error: $newFile</error>" );
				}
			}
		}
	}

	/**
	 * Prepares an autoloader file to be written to the destination.
	 *
	 * @param String $filename a file to prepare.
	 * @param String $suffix   Unique suffix used in the namespace.
	 *
	 * @return string
	 */
	private static function prepareAutoloaderFile( $filename, $suffix ) {
		$header  = self::COMMENT;
		$header .= PHP_EOL;
		$header .= 'namespace Automattic\Jetpack\Autoloader\jp' . $suffix . ';';
		$header .= PHP_EOL . PHP_EOL;

		$sourceLoader  = fopen( __DIR__ . '/' . $filename, 'r' );
		$file_contents = stream_get_contents( $sourceLoader );
		return str_replace(
			'/* HEADER */',
			$header,
			$file_contents
		);
	}
}
maxmind-db/reader/autoload.php000064400000002575151332455420012364 0ustar00<?php

/**
 * PSR-4 autoloader implementation for the MaxMind\DB namespace.
 * First we define the 'mmdb_autoload' function, and then we register
 * it with 'spl_autoload_register' so that PHP knows to use it.
 *
 * @param mixed $class
 */

/**
 * Automatically include the file that defines <code>class</code>.
 *
 * @param string $class
 *                      the name of the class to load
 */
function mmdb_autoload($class)
{
    /*
    * A project-specific mapping between the namespaces and where
    * they're located. By convention, we include the trailing
    * slashes. The one-element array here simply makes things easy
    * to extend in the future if (for example) the test classes
    * begin to use one another.
    */
    $namespace_map = ['MaxMind\\Db\\' => __DIR__ . '/src/MaxMind/Db/'];

    foreach ($namespace_map as $prefix => $dir) {
        /* First swap out the namespace prefix with a directory... */
        $path = str_replace($prefix, $dir, $class);

        /* replace the namespace separator with a directory separator... */
        $path = str_replace('\\', '/', $path);

        /* and finally, add the PHP file extension to the result. */
        $path = $path . '.php';

        /* $path should now contain the path to a PHP file defining $class */
        if (file_exists($path)) {
            include $path;
        }
    }
}

spl_autoload_register('mmdb_autoload');
maxmind-db/reader/LICENSE000064400000026136151332455420011047 0ustar00
                                 Apache License
                           Version 2.0, January 2004
                        http://www.apache.org/licenses/

   TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION

   1. Definitions.

      "License" shall mean the terms and conditions for use, reproduction,
      and distribution as defined by Sections 1 through 9 of this document.

      "Licensor" shall mean the copyright owner or entity authorized by
      the copyright owner that is granting the License.

      "Legal Entity" shall mean the union of the acting entity and all
      other entities that control, are controlled by, or are under common
      control with that entity. For the purposes of this definition,
      "control" means (i) the power, direct or indirect, to cause the
      direction or management of such entity, whether by contract or
      otherwise, or (ii) ownership of fifty percent (50%) or more of the
      outstanding shares, or (iii) beneficial ownership of such entity.

      "You" (or "Your") shall mean an individual or Legal Entity
      exercising permissions granted by this License.

      "Source" form shall mean the preferred form for making modifications,
      including but not limited to software source code, documentation
      source, and configuration files.

      "Object" form shall mean any form resulting from mechanical
      transformation or translation of a Source form, including but
      not limited to compiled object code, generated documentation,
      and conversions to other media types.

      "Work" shall mean the work of authorship, whether in Source or
      Object form, made available under the License, as indicated by a
      copyright notice that is included in or attached to the work
      (an example is provided in the Appendix below).

      "Derivative Works" shall mean any work, whether in Source or Object
      form, that is based on (or derived from) the Work and for which the
      editorial revisions, annotations, elaborations, or other modifications
      represent, as a whole, an original work of authorship. For the purposes
      of this License, Derivative Works shall not include works that remain
      separable from, or merely link (or bind by name) to the interfaces of,
      the Work and Derivative Works thereof.

      "Contribution" shall mean any work of authorship, including
      the original version of the Work and any modifications or additions
      to that Work or Derivative Works thereof, that is intentionally
      submitted to Licensor for inclusion in the Work by the copyright owner
      or by an individual or Legal Entity authorized to submit on behalf of
      the copyright owner. For the purposes of this definition, "submitted"
      means any form of electronic, verbal, or written communication sent
      to the Licensor or its representatives, including but not limited to
      communication on electronic mailing lists, source code control systems,
      and issue tracking systems that are managed by, or on behalf of, the
      Licensor for the purpose of discussing and improving the Work, but
      excluding communication that is conspicuously marked or otherwise
      designated in writing by the copyright owner as "Not a Contribution."

      "Contributor" shall mean Licensor and any individual or Legal Entity
      on behalf of whom a Contribution has been received by Licensor and
      subsequently incorporated within the Work.

   2. Grant of Copyright License. Subject to the terms and conditions of
      this License, each Contributor hereby grants to You a perpetual,
      worldwide, non-exclusive, no-charge, royalty-free, irrevocable
      copyright license to reproduce, prepare Derivative Works of,
      publicly display, publicly perform, sublicense, and distribute the
      Work and such Derivative Works in Source or Object form.

   3. Grant of Patent License. Subject to the terms and conditions of
      this License, each Contributor hereby grants to You a perpetual,
      worldwide, non-exclusive, no-charge, royalty-free, irrevocable
      (except as stated in this section) patent license to make, have made,
      use, offer to sell, sell, import, and otherwise transfer the Work,
      where such license applies only to those patent claims licensable
      by such Contributor that are necessarily infringed by their
      Contribution(s) alone or by combination of their Contribution(s)
      with the Work to which such Contribution(s) was submitted. If You
      institute patent litigation against any entity (including a
      cross-claim or counterclaim in a lawsuit) alleging that the Work
      or a Contribution incorporated within the Work constitutes direct
      or contributory patent infringement, then any patent licenses
      granted to You under this License for that Work shall terminate
      as of the date such litigation is filed.

   4. Redistribution. You may reproduce and distribute copies of the
      Work or Derivative Works thereof in any medium, with or without
      modifications, and in Source or Object form, provided that You
      meet the following conditions:

      (a) You must give any other recipients of the Work or
          Derivative Works a copy of this License; and

      (b) You must cause any modified files to carry prominent notices
          stating that You changed the files; and

      (c) You must retain, in the Source form of any Derivative Works
          that You distribute, all copyright, patent, trademark, and
          attribution notices from the Source form of the Work,
          excluding those notices that do not pertain to any part of
          the Derivative Works; and

      (d) If the Work includes a "NOTICE" text file as part of its
          distribution, then any Derivative Works that You distribute must
          include a readable copy of the attribution notices contained
          within such NOTICE file, excluding those notices that do not
          pertain to any part of the Derivative Works, in at least one
          of the following places: within a NOTICE text file distributed
          as part of the Derivative Works; within the Source form or
          documentation, if provided along with the Derivative Works; or,
          within a display generated by the Derivative Works, if and
          wherever such third-party notices normally appear. The contents
          of the NOTICE file are for informational purposes only and
          do not modify the License. You may add Your own attribution
          notices within Derivative Works that You distribute, alongside
          or as an addendum to the NOTICE text from the Work, provided
          that such additional attribution notices cannot be construed
          as modifying the License.

      You may add Your own copyright statement to Your modifications and
      may provide additional or different license terms and conditions
      for use, reproduction, or distribution of Your modifications, or
      for any such Derivative Works as a whole, provided Your use,
      reproduction, and distribution of the Work otherwise complies with
      the conditions stated in this License.

   5. Submission of Contributions. Unless You explicitly state otherwise,
      any Contribution intentionally submitted for inclusion in the Work
      by You to the Licensor shall be under the terms and conditions of
      this License, without any additional terms or conditions.
      Notwithstanding the above, nothing herein shall supersede or modify
      the terms of any separate license agreement you may have executed
      with Licensor regarding such Contributions.

   6. Trademarks. This License does not grant permission to use the trade
      names, trademarks, service marks, or product names of the Licensor,
      except as required for reasonable and customary use in describing the
      origin of the Work and reproducing the content of the NOTICE file.

   7. Disclaimer of Warranty. Unless required by applicable law or
      agreed to in writing, Licensor provides the Work (and each
      Contributor provides its Contributions) on an "AS IS" BASIS,
      WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
      implied, including, without limitation, any warranties or conditions
      of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
      PARTICULAR PURPOSE. You are solely responsible for determining the
      appropriateness of using or redistributing the Work and assume any
      risks associated with Your exercise of permissions under this License.

   8. Limitation of Liability. In no event and under no legal theory,
      whether in tort (including negligence), contract, or otherwise,
      unless required by applicable law (such as deliberate and grossly
      negligent acts) or agreed to in writing, shall any Contributor be
      liable to You for damages, including any direct, indirect, special,
      incidental, or consequential damages of any character arising as a
      result of this License or out of the use or inability to use the
      Work (including but not limited to damages for loss of goodwill,
      work stoppage, computer failure or malfunction, or any and all
      other commercial damages or losses), even if such Contributor
      has been advised of the possibility of such damages.

   9. Accepting Warranty or Additional Liability. While redistributing
      the Work or Derivative Works thereof, You may choose to offer,
      and charge a fee for, acceptance of support, warranty, indemnity,
      or other liability obligations and/or rights consistent with this
      License. However, in accepting such obligations, You may act only
      on Your own behalf and on Your sole responsibility, not on behalf
      of any other Contributor, and only if You agree to indemnify,
      defend, and hold each Contributor harmless for any liability
      incurred by, or claims asserted against, such Contributor by reason
      of your accepting any such warranty or additional liability.

   END OF TERMS AND CONDITIONS

   APPENDIX: How to apply the Apache License to your work.

      To apply the Apache License to your work, attach the following
      boilerplate notice, with the fields enclosed by brackets "[]"
      replaced with your own identifying information. (Don't include
      the brackets!)  The text should be enclosed in the appropriate
      comment syntax for the file format. We also recommend that a
      file or class name and description of purpose be included on the
      same "printed page" as the copyright notice for easier
      identification within third-party archives.

   Copyright [yyyy] [name of copyright owner]

   Licensed under the Apache License, Version 2.0 (the "License");
   you may not use this file except in compliance with the License.
   You may obtain a copy of the License at

       http://www.apache.org/licenses/LICENSE-2.0

   Unless required by applicable law or agreed to in writing, software
   distributed under the License is distributed on an "AS IS" BASIS,
   WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
   See the License for the specific language governing permissions and
   limitations under the License.
maxmind-db/reader/src/MaxMind/Db/Reader/InvalidDatabaseException.php000064400000000300151332455420021301 0ustar00<?php

namespace MaxMind\Db\Reader;

use Exception;

/**
 * This class should be thrown when unexpected data is found in the database.
 */
class InvalidDatabaseException extends Exception
{
}
maxmind-db/reader/src/MaxMind/Db/Reader/Util.php000064400000001276151332455420015341 0ustar00<?php

namespace MaxMind\Db\Reader;

class Util
{
    public static function read($stream, $offset, $numberOfBytes)
    {
        if ($numberOfBytes === 0) {
            return '';
        }
        if (fseek($stream, $offset) === 0) {
            $value = fread($stream, $numberOfBytes);

            // We check that the number of bytes read is equal to the number
            // asked for. We use ftell as getting the length of $value is
            // much slower.
            if (ftell($stream) - $offset === $numberOfBytes) {
                return $value;
            }
        }
        throw new InvalidDatabaseException(
            'The MaxMind DB file contains bad data'
        );
    }
}
maxmind-db/reader/src/MaxMind/Db/Reader/Metadata.php000064400000010645151332455420016144 0ustar00<?php

namespace MaxMind\Db\Reader;

/**
 * This class provides the metadata for the MaxMind DB file.
 *
 * @property int    $nodeCount                This is an unsigned 32-bit
 *                                            integer indicating the number of
 *                                            nodes in the search tree.
 * @property int    $recordSize               This is an unsigned 16-bit
 *                                            integer. It indicates the number
 *                                            of bits in a record in the search
 *                                            tree. Note that each node
 *                                            consists of two records.
 * @property int    $ipVersion                This is an unsigned 16-bit
 *                                            integer which is always 4 or 6.
 *                                            It indicates whether the database
 *                                            contains IPv4 or IPv6 address
 *                                            data.
 * @property string $databaseType             This is a string that indicates
 *                                            the structure of each data record
 *                                            associated with an IP address.
 *                                            The actual definition of these
 *                                            structures is left up to the
 *                                            database creator.
 * @property array  $languages                An array of strings, each of
 *                                            which is a language code. A given
 *                                            record may contain data items
 *                                            that have been localized to some
 *                                            or all of these languages. This
 *                                            may be undefined.
 * @property int    $binaryFormatMajorVersion This is an unsigned 16-bit
 *                                            integer indicating the major
 *                                            version number for the database's
 *                                            binary format.
 * @property int    $binaryFormatMinorVersion This is an unsigned 16-bit
 *                                            integer indicating the minor
 *                                            version number for the database's
 *                                            binary format.
 * @property int    $buildEpoch               This is an unsigned 64-bit
 *                                            integer that contains the
 *                                            database build timestamp as a
 *                                            Unix epoch value.
 * @property array  $description              This key will always point to a
 *                                            map (associative array). The keys
 *                                            of that map will be language
 *                                            codes, and the values will be a
 *                                            description in that language as a
 *                                            UTF-8 string. May be undefined
 *                                            for some databases.
 */
class Metadata
{
    private $binaryFormatMajorVersion;
    private $binaryFormatMinorVersion;
    private $buildEpoch;
    private $databaseType;
    private $description;
    private $ipVersion;
    private $languages;
    private $nodeByteSize;
    private $nodeCount;
    private $recordSize;
    private $searchTreeSize;

    public function __construct($metadata)
    {
        $this->binaryFormatMajorVersion =
            $metadata['binary_format_major_version'];
        $this->binaryFormatMinorVersion =
            $metadata['binary_format_minor_version'];
        $this->buildEpoch = $metadata['build_epoch'];
        $this->databaseType = $metadata['database_type'];
        $this->languages = $metadata['languages'];
        $this->description = $metadata['description'];
        $this->ipVersion = $metadata['ip_version'];
        $this->nodeCount = $metadata['node_count'];
        $this->recordSize = $metadata['record_size'];
        $this->nodeByteSize = $this->recordSize / 4;
        $this->searchTreeSize = $this->nodeCount * $this->nodeByteSize;
    }

    public function __get($var)
    {
        return $this->$var;
    }
}
maxmind-db/reader/src/MaxMind/Db/Reader/Decoder.php000064400000024450151332455420015770 0ustar00<?php

namespace MaxMind\Db\Reader;

// @codingStandardsIgnoreLine
use RuntimeException;

/**
 * @ignore
 *
 * We subtract 1 from the log to protect against precision loss.
 */
\define(__NAMESPACE__ . '\_MM_MAX_INT_BYTES', (log(PHP_INT_MAX, 2) - 1) / 8);

class Decoder
{
    private $fileStream;
    private $pointerBase;
    private $pointerBaseByteSize;
    // This is only used for unit testing
    private $pointerTestHack;
    private $switchByteOrder;

    /** @ignore */
    const _EXTENDED = 0;
    /** @ignore */
    const _POINTER = 1;
    /** @ignore */
    const _UTF8_STRING = 2;
    /** @ignore */
    const _DOUBLE = 3;
    /** @ignore */
    const _BYTES = 4;
    /** @ignore */
    const _UINT16 = 5;
    /** @ignore */
    const _UINT32 = 6;
    /** @ignore */
    const _MAP = 7;
    /** @ignore */
    const _INT32 = 8;
    /** @ignore */
    const _UINT64 = 9;
    /** @ignore */
    const _UINT128 = 10;
    /** @ignore */
    const _ARRAY = 11;
    /** @ignore */
    const _CONTAINER = 12;
    /** @ignore */
    const _END_MARKER = 13;
    /** @ignore */
    const _BOOLEAN = 14;
    /** @ignore */
    const _FLOAT = 15;

    public function __construct(
        $fileStream,
        $pointerBase = 0,
        $pointerTestHack = false
    ) {
        $this->fileStream = $fileStream;
        $this->pointerBase = $pointerBase;

        $this->pointerBaseByteSize = $pointerBase > 0 ? log($pointerBase, 2) / 8 : 0;
        $this->pointerTestHack = $pointerTestHack;

        $this->switchByteOrder = $this->isPlatformLittleEndian();
    }

    public function decode($offset)
    {
        $ctrlByte = \ord(Util::read($this->fileStream, $offset, 1));
        ++$offset;

        $type = $ctrlByte >> 5;

        // Pointers are a special case, we don't read the next $size bytes, we
        // use the size to determine the length of the pointer and then follow
        // it.
        if ($type === self::_POINTER) {
            list($pointer, $offset) = $this->decodePointer($ctrlByte, $offset);

            // for unit testing
            if ($this->pointerTestHack) {
                return [$pointer];
            }

            list($result) = $this->decode($pointer);

            return [$result, $offset];
        }

        if ($type === self::_EXTENDED) {
            $nextByte = \ord(Util::read($this->fileStream, $offset, 1));

            $type = $nextByte + 7;

            if ($type < 8) {
                throw new InvalidDatabaseException(
                    'Something went horribly wrong in the decoder. An extended type '
                    . 'resolved to a type number < 8 ('
                    . $type
                    . ')'
                );
            }

            ++$offset;
        }

        list($size, $offset) = $this->sizeFromCtrlByte($ctrlByte, $offset);

        return $this->decodeByType($type, $offset, $size);
    }

    private function decodeByType($type, $offset, $size)
    {
        switch ($type) {
            case self::_MAP:
                return $this->decodeMap($size, $offset);
            case self::_ARRAY:
                return $this->decodeArray($size, $offset);
            case self::_BOOLEAN:
                return [$this->decodeBoolean($size), $offset];
        }

        $newOffset = $offset + $size;
        $bytes = Util::read($this->fileStream, $offset, $size);
        switch ($type) {
            case self::_BYTES:
            case self::_UTF8_STRING:
                return [$bytes, $newOffset];
            case self::_DOUBLE:
                $this->verifySize(8, $size);

                return [$this->decodeDouble($bytes), $newOffset];
            case self::_FLOAT:
                $this->verifySize(4, $size);

                return [$this->decodeFloat($bytes), $newOffset];
            case self::_INT32:
                return [$this->decodeInt32($bytes, $size), $newOffset];
            case self::_UINT16:
            case self::_UINT32:
            case self::_UINT64:
            case self::_UINT128:
                return [$this->decodeUint($bytes, $size), $newOffset];
            default:
                throw new InvalidDatabaseException(
                    'Unknown or unexpected type: ' . $type
                );
        }
    }

    private function verifySize($expected, $actual)
    {
        if ($expected !== $actual) {
            throw new InvalidDatabaseException(
                "The MaxMind DB file's data section contains bad data (unknown data type or corrupt data)"
            );
        }
    }

    private function decodeArray($size, $offset)
    {
        $array = [];

        for ($i = 0; $i < $size; ++$i) {
            list($value, $offset) = $this->decode($offset);
            array_push($array, $value);
        }

        return [$array, $offset];
    }

    private function decodeBoolean($size)
    {
        return $size === 0 ? false : true;
    }

    private function decodeDouble($bits)
    {
        // This assumes IEEE 754 doubles, but most (all?) modern platforms
        // use them.
        //
        // We are not using the "E" format as that was only added in
        // 7.0.15 and 7.1.1. As such, we must switch byte order on
        // little endian machines.
        list(, $double) = unpack('d', $this->maybeSwitchByteOrder($bits));

        return $double;
    }

    private function decodeFloat($bits)
    {
        // This assumes IEEE 754 floats, but most (all?) modern platforms
        // use them.
        //
        // We are not using the "G" format as that was only added in
        // 7.0.15 and 7.1.1. As such, we must switch byte order on
        // little endian machines.
        list(, $float) = unpack('f', $this->maybeSwitchByteOrder($bits));

        return $float;
    }

    private function decodeInt32($bytes, $size)
    {
        switch ($size) {
            case 0:
                return 0;
            case 1:
            case 2:
            case 3:
                $bytes = str_pad($bytes, 4, "\x00", STR_PAD_LEFT);
                break;
            case 4:
                break;
            default:
                throw new InvalidDatabaseException(
                    "The MaxMind DB file's data section contains bad data (unknown data type or corrupt data)"
                );
        }

        list(, $int) = unpack('l', $this->maybeSwitchByteOrder($bytes));

        return $int;
    }

    private function decodeMap($size, $offset)
    {
        $map = [];

        for ($i = 0; $i < $size; ++$i) {
            list($key, $offset) = $this->decode($offset);
            list($value, $offset) = $this->decode($offset);
            $map[$key] = $value;
        }

        return [$map, $offset];
    }

    private function decodePointer($ctrlByte, $offset)
    {
        $pointerSize = (($ctrlByte >> 3) & 0x3) + 1;

        $buffer = Util::read($this->fileStream, $offset, $pointerSize);
        $offset = $offset + $pointerSize;

        switch ($pointerSize) {
            case 1:
                $packed = \chr($ctrlByte & 0x7) . $buffer;
                list(, $pointer) = unpack('n', $packed);
                $pointer += $this->pointerBase;
                break;
            case 2:
                $packed = "\x00" . \chr($ctrlByte & 0x7) . $buffer;
                list(, $pointer) = unpack('N', $packed);
                $pointer += $this->pointerBase + 2048;
                break;
            case 3:
                $packed = \chr($ctrlByte & 0x7) . $buffer;

                // It is safe to use 'N' here, even on 32 bit machines as the
                // first bit is 0.
                list(, $pointer) = unpack('N', $packed);
                $pointer += $this->pointerBase + 526336;
                break;
            case 4:
                // We cannot use unpack here as we might overflow on 32 bit
                // machines
                $pointerOffset = $this->decodeUint($buffer, $pointerSize);

                $byteLength = $pointerSize + $this->pointerBaseByteSize;

                if ($byteLength <= _MM_MAX_INT_BYTES) {
                    $pointer = $pointerOffset + $this->pointerBase;
                } elseif (\extension_loaded('gmp')) {
                    $pointer = gmp_strval(gmp_add($pointerOffset, $this->pointerBase));
                } elseif (\extension_loaded('bcmath')) {
                    $pointer = bcadd($pointerOffset, $this->pointerBase);
                } else {
                    throw new RuntimeException(
                        'The gmp or bcmath extension must be installed to read this database.'
                    );
                }
        }

        return [$pointer, $offset];
    }

    private function decodeUint($bytes, $byteLength)
    {
        if ($byteLength === 0) {
            return 0;
        }

        $integer = 0;

        for ($i = 0; $i < $byteLength; ++$i) {
            $part = \ord($bytes[$i]);

            // We only use gmp or bcmath if the final value is too big
            if ($byteLength <= _MM_MAX_INT_BYTES) {
                $integer = ($integer << 8) + $part;
            } elseif (\extension_loaded('gmp')) {
                $integer = gmp_strval(gmp_add(gmp_mul($integer, 256), $part));
            } elseif (\extension_loaded('bcmath')) {
                $integer = bcadd(bcmul($integer, 256), $part);
            } else {
                throw new RuntimeException(
                    'The gmp or bcmath extension must be installed to read this database.'
                );
            }
        }

        return $integer;
    }

    private function sizeFromCtrlByte($ctrlByte, $offset)
    {
        $size = $ctrlByte & 0x1f;

        if ($size < 29) {
            return [$size, $offset];
        }

        $bytesToRead = $size - 28;
        $bytes = Util::read($this->fileStream, $offset, $bytesToRead);

        if ($size === 29) {
            $size = 29 + \ord($bytes);
        } elseif ($size === 30) {
            list(, $adjust) = unpack('n', $bytes);
            $size = 285 + $adjust;
        } elseif ($size > 30) {
            list(, $adjust) = unpack('N', "\x00" . $bytes);
            $size = $adjust + 65821;
        }

        return [$size, $offset + $bytesToRead];
    }

    private function maybeSwitchByteOrder($bytes)
    {
        return $this->switchByteOrder ? strrev($bytes) : $bytes;
    }

    private function isPlatformLittleEndian()
    {
        $testint = 0x00FF;
        $packed = pack('S', $testint);

        return $testint === current(unpack('v', $packed));
    }
}
maxmind-db/reader/src/MaxMind/Db/Reader.php000064400000025204151332455420014421 0ustar00<?php

namespace MaxMind\Db;

use BadMethodCallException;
use Exception;
use InvalidArgumentException;
use MaxMind\Db\Reader\Decoder;
use MaxMind\Db\Reader\InvalidDatabaseException;
use MaxMind\Db\Reader\Metadata;
use MaxMind\Db\Reader\Util;
use UnexpectedValueException;

/**
 * Instances of this class provide a reader for the MaxMind DB format. IP
 * addresses can be looked up using the get method.
 */
class Reader
{
    private static $DATA_SECTION_SEPARATOR_SIZE = 16;
    private static $METADATA_START_MARKER = "\xAB\xCD\xEFMaxMind.com";
    private static $METADATA_START_MARKER_LENGTH = 14;
    private static $METADATA_MAX_SIZE = 131072; // 128 * 1024 = 128KB

    private $decoder;
    private $fileHandle;
    private $fileSize;
    private $ipV4Start;
    private $metadata;

    /**
     * Constructs a Reader for the MaxMind DB format. The file passed to it must
     * be a valid MaxMind DB file such as a GeoIp2 database file.
     *
     * @param string $database
     *                         the MaxMind DB file to use
     *
     * @throws InvalidArgumentException                    for invalid database path or unknown arguments
     * @throws \MaxMind\Db\Reader\InvalidDatabaseException
     *                                                     if the database is invalid or there is an error reading
     *                                                     from it
     */
    public function __construct($database)
    {
        if (\func_num_args() !== 1) {
            throw new InvalidArgumentException(
                'The constructor takes exactly one argument.'
            );
        }

        if (!is_readable($database)) {
            throw new InvalidArgumentException(
                "The file \"$database\" does not exist or is not readable."
            );
        }
        $this->fileHandle = @fopen($database, 'rb');
        if ($this->fileHandle === false) {
            throw new InvalidArgumentException(
                "Error opening \"$database\"."
            );
        }
        $this->fileSize = @filesize($database);
        if ($this->fileSize === false) {
            throw new UnexpectedValueException(
                "Error determining the size of \"$database\"."
            );
        }

        $start = $this->findMetadataStart($database);
        $metadataDecoder = new Decoder($this->fileHandle, $start);
        list($metadataArray) = $metadataDecoder->decode($start);
        $this->metadata = new Metadata($metadataArray);
        $this->decoder = new Decoder(
            $this->fileHandle,
            $this->metadata->searchTreeSize + self::$DATA_SECTION_SEPARATOR_SIZE
        );
        $this->ipV4Start = $this->ipV4StartNode();
    }

    /**
     * Retrieves the record for the IP address.
     *
     * @param string $ipAddress
     *                          the IP address to look up
     *
     * @throws BadMethodCallException   if this method is called on a closed database
     * @throws InvalidArgumentException if something other than a single IP address is passed to the method
     * @throws InvalidDatabaseException
     *                                  if the database is invalid or there is an error reading
     *                                  from it
     *
     * @return mixed the record for the IP address
     */
    public function get($ipAddress)
    {
        if (\func_num_args() !== 1) {
            throw new InvalidArgumentException(
                'Method takes exactly one argument.'
            );
        }
        list($record) = $this->getWithPrefixLen($ipAddress);

        return $record;
    }

    /**
     * Retrieves the record for the IP address and its associated network prefix length.
     *
     * @param string $ipAddress
     *                          the IP address to look up
     *
     * @throws BadMethodCallException   if this method is called on a closed database
     * @throws InvalidArgumentException if something other than a single IP address is passed to the method
     * @throws InvalidDatabaseException
     *                                  if the database is invalid or there is an error reading
     *                                  from it
     *
     * @return array an array where the first element is the record and the
     *               second the network prefix length for the record
     */
    public function getWithPrefixLen($ipAddress)
    {
        if (\func_num_args() !== 1) {
            throw new InvalidArgumentException(
                'Method takes exactly one argument.'
            );
        }

        if (!\is_resource($this->fileHandle)) {
            throw new BadMethodCallException(
                'Attempt to read from a closed MaxMind DB.'
            );
        }

        if (!filter_var($ipAddress, FILTER_VALIDATE_IP)) {
            throw new InvalidArgumentException(
                "The value \"$ipAddress\" is not a valid IP address."
            );
        }

        list($pointer, $prefixLen) = $this->findAddressInTree($ipAddress);
        if ($pointer === 0) {
            return [null, $prefixLen];
        }

        return [$this->resolveDataPointer($pointer), $prefixLen];
    }

    private function findAddressInTree($ipAddress)
    {
        $rawAddress = unpack('C*', inet_pton($ipAddress));

        $bitCount = \count($rawAddress) * 8;

        // The first node of the tree is always node 0, at the beginning of the
        // value
        $node = 0;

        $metadata = $this->metadata;

        // Check if we are looking up an IPv4 address in an IPv6 tree. If this
        // is the case, we can skip over the first 96 nodes.
        if ($metadata->ipVersion === 6) {
            if ($bitCount === 32) {
                $node = $this->ipV4Start;
            }
        } elseif ($metadata->ipVersion === 4 && $bitCount === 128) {
            throw new InvalidArgumentException(
                "Error looking up $ipAddress. You attempted to look up an"
                . ' IPv6 address in an IPv4-only database.'
            );
        }

        $nodeCount = $metadata->nodeCount;

        for ($i = 0; $i < $bitCount && $node < $nodeCount; ++$i) {
            $tempBit = 0xFF & $rawAddress[($i >> 3) + 1];
            $bit = 1 & ($tempBit >> 7 - ($i % 8));

            $node = $this->readNode($node, $bit);
        }
        if ($node === $nodeCount) {
            // Record is empty
            return [0, $i];
        } elseif ($node > $nodeCount) {
            // Record is a data pointer
            return [$node, $i];
        }
        throw new InvalidDatabaseException('Something bad happened');
    }

    private function ipV4StartNode()
    {
        // If we have an IPv4 database, the start node is the first node
        if ($this->metadata->ipVersion === 4) {
            return 0;
        }

        $node = 0;

        for ($i = 0; $i < 96 && $node < $this->metadata->nodeCount; ++$i) {
            $node = $this->readNode($node, 0);
        }

        return $node;
    }

    private function readNode($nodeNumber, $index)
    {
        $baseOffset = $nodeNumber * $this->metadata->nodeByteSize;

        switch ($this->metadata->recordSize) {
            case 24:
                $bytes = Util::read($this->fileHandle, $baseOffset + $index * 3, 3);
                list(, $node) = unpack('N', "\x00" . $bytes);

                return $node;
            case 28:
                $bytes = Util::read($this->fileHandle, $baseOffset + 3 * $index, 4);
                if ($index === 0) {
                    $middle = (0xF0 & \ord($bytes[3])) >> 4;
                } else {
                    $middle = 0x0F & \ord($bytes[0]);
                }
                list(, $node) = unpack('N', \chr($middle) . substr($bytes, $index, 3));

                return $node;
            case 32:
                $bytes = Util::read($this->fileHandle, $baseOffset + $index * 4, 4);
                list(, $node) = unpack('N', $bytes);

                return $node;
            default:
                throw new InvalidDatabaseException(
                    'Unknown record size: '
                    . $this->metadata->recordSize
                );
        }
    }

    private function resolveDataPointer($pointer)
    {
        $resolved = $pointer - $this->metadata->nodeCount
            + $this->metadata->searchTreeSize;
        if ($resolved >= $this->fileSize) {
            throw new InvalidDatabaseException(
                "The MaxMind DB file's search tree is corrupt"
            );
        }

        list($data) = $this->decoder->decode($resolved);

        return $data;
    }

    /*
     * This is an extremely naive but reasonably readable implementation. There
     * are much faster algorithms (e.g., Boyer-Moore) for this if speed is ever
     * an issue, but I suspect it won't be.
     */
    private function findMetadataStart($filename)
    {
        $handle = $this->fileHandle;
        $fstat = fstat($handle);
        $fileSize = $fstat['size'];
        $marker = self::$METADATA_START_MARKER;
        $markerLength = self::$METADATA_START_MARKER_LENGTH;

        $minStart = $fileSize - min(self::$METADATA_MAX_SIZE, $fileSize);

        for ($offset = $fileSize - $markerLength; $offset >= $minStart; --$offset) {
            if (fseek($handle, $offset) !== 0) {
                break;
            }

            $value = fread($handle, $markerLength);
            if ($value === $marker) {
                return $offset + $markerLength;
            }
        }
        throw new InvalidDatabaseException(
            "Error opening database file ($filename). " .
            'Is this a valid MaxMind DB file?'
        );
    }

    /**
     * @throws InvalidArgumentException if arguments are passed to the method
     * @throws BadMethodCallException   if the database has been closed
     *
     * @return Metadata object for the database
     */
    public function metadata()
    {
        if (\func_num_args()) {
            throw new InvalidArgumentException(
                'Method takes no arguments.'
            );
        }

        // Not technically required, but this makes it consistent with
        // C extension and it allows us to change our implementation later.
        if (!\is_resource($this->fileHandle)) {
            throw new BadMethodCallException(
                'Attempt to read from a closed MaxMind DB.'
            );
        }

        return $this->metadata;
    }

    /**
     * Closes the MaxMind DB and returns resources to the system.
     *
     * @throws Exception
     *                   if an I/O error occurs
     */
    public function close()
    {
        if (!\is_resource($this->fileHandle)) {
            throw new BadMethodCallException(
                'Attempt to close a closed MaxMind DB.'
            );
        }
        fclose($this->fileHandle);
    }
}
maxmind-db/reader/ext/php_maxminddb.h000064400000001535151332455420013621 0ustar00/* MaxMind, Inc., licenses this file to you under the Apache License, Version
 * 2.0 (the "License"); you may not use this file except in compliance with
 * the License.  You may obtain a copy of the License at
 *
 * http://www.apache.org/licenses/LICENSE-2.0
 *
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
 * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.  See the
 * License for the specific language governing permissions and limitations
 * under the License.
 */

#include <zend_interfaces.h>

#ifndef PHP_MAXMINDDB_H
#define PHP_MAXMINDDB_H 1
#define PHP_MAXMINDDB_VERSION "1.6.0"
#define PHP_MAXMINDDB_EXTNAME "maxminddb"

extern zend_module_entry maxminddb_module_entry;
#define phpext_maxminddb_ptr &maxminddb_module_entry

#endif
maxmind-db/reader/ext/maxminddb.c000064400000055714151332455420012755 0ustar00/* MaxMind, Inc., licenses this file to you under the Apache License, Version
 * 2.0 (the "License"); you may not use this file except in compliance with
 * the License.  You may obtain a copy of the License at
 *
 * http://www.apache.org/licenses/LICENSE-2.0
 *
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
 * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.  See the
 * License for the specific language governing permissions and limitations
 * under the License.
 */

#include "php_maxminddb.h"

#ifdef HAVE_CONFIG_H
#include "config.h"
#endif

#include <php.h>
#include <zend.h>

#include "Zend/zend_exceptions.h"
#include "ext/standard/info.h"
#include <maxminddb.h>

#ifdef ZTS
#include <TSRM.h>
#endif

#define __STDC_FORMAT_MACROS
#include <inttypes.h>

#define PHP_MAXMINDDB_NS ZEND_NS_NAME("MaxMind", "Db")
#define PHP_MAXMINDDB_READER_NS ZEND_NS_NAME(PHP_MAXMINDDB_NS, "Reader")
#define PHP_MAXMINDDB_READER_EX_NS                                             \
    ZEND_NS_NAME(PHP_MAXMINDDB_READER_NS, "InvalidDatabaseException")

#ifdef ZEND_ENGINE_3
#define Z_MAXMINDDB_P(zv) php_maxminddb_fetch_object(Z_OBJ_P(zv))
#define _ZVAL_STRING ZVAL_STRING
#define _ZVAL_STRINGL ZVAL_STRINGL
typedef size_t strsize_t;
typedef zend_object free_obj_t;
#else
#define Z_MAXMINDDB_P(zv)                                                      \
    (maxminddb_obj *)zend_object_store_get_object(zv TSRMLS_CC)
#define _ZVAL_STRING(a, b) ZVAL_STRING(a, b, 1)
#define _ZVAL_STRINGL(a, b, c) ZVAL_STRINGL(a, b, c, 1)
typedef int strsize_t;
typedef void free_obj_t;
#endif

/* For PHP 8 compatibility */
#ifndef TSRMLS_C
#define TSRMLS_C
#endif
#ifndef TSRMLS_CC
#define TSRMLS_CC
#endif
#ifndef TSRMLS_DC
#define TSRMLS_DC
#endif
#ifndef ZEND_ACC_CTOR
#define ZEND_ACC_CTOR 0
#endif

#ifdef ZEND_ENGINE_3
typedef struct _maxminddb_obj {
    MMDB_s *mmdb;
    zend_object std;
} maxminddb_obj;
#else
typedef struct _maxminddb_obj {
    zend_object std;
    MMDB_s *mmdb;
} maxminddb_obj;
#endif

PHP_FUNCTION(maxminddb);

static int
get_record(INTERNAL_FUNCTION_PARAMETERS, zval *record, int *prefix_len);
static const MMDB_entry_data_list_s *
handle_entry_data_list(const MMDB_entry_data_list_s *entry_data_list,
                       zval *z_value TSRMLS_DC);
static const MMDB_entry_data_list_s *
handle_array(const MMDB_entry_data_list_s *entry_data_list,
             zval *z_value TSRMLS_DC);
static const MMDB_entry_data_list_s *
handle_map(const MMDB_entry_data_list_s *entry_data_list,
           zval *z_value TSRMLS_DC);
static void handle_uint128(const MMDB_entry_data_list_s *entry_data_list,
                           zval *z_value TSRMLS_DC);
static void handle_uint64(const MMDB_entry_data_list_s *entry_data_list,
                          zval *z_value TSRMLS_DC);
static void handle_uint32(const MMDB_entry_data_list_s *entry_data_list,
                          zval *z_value TSRMLS_DC);
static zend_class_entry *lookup_class(const char *name TSRMLS_DC);

#define CHECK_ALLOCATED(val)                                                   \
    if (!val) {                                                                \
        zend_error(E_ERROR, "Out of memory");                                  \
        return;                                                                \
    }

#define THROW_EXCEPTION(name, ...)                                             \
    {                                                                          \
        zend_class_entry *exception_ce = lookup_class(name TSRMLS_CC);         \
        zend_throw_exception_ex(exception_ce, 0 TSRMLS_CC, __VA_ARGS__);       \
    }

#if PHP_VERSION_ID < 50399
#define object_properties_init(zo, class_type)                                 \
    {                                                                          \
        zval *tmp;                                                             \
        zend_hash_copy((*zo).properties,                                       \
                       &class_type->default_properties,                        \
                       (copy_ctor_func_t)zval_add_ref,                         \
                       (void *)&tmp,                                           \
                       sizeof(zval *));                                        \
    }
#endif

static zend_object_handlers maxminddb_obj_handlers;
static zend_class_entry *maxminddb_ce;

static inline maxminddb_obj *
php_maxminddb_fetch_object(zend_object *obj TSRMLS_DC) {
#ifdef ZEND_ENGINE_3
    return (maxminddb_obj *)((char *)(obj)-XtOffsetOf(maxminddb_obj, std));
#else
    return (maxminddb_obj *)obj;
#endif
}

ZEND_BEGIN_ARG_INFO_EX(arginfo_maxmindbreader_construct, 0, 0, 1)
ZEND_ARG_INFO(0, db_file)
ZEND_END_ARG_INFO()

PHP_METHOD(MaxMind_Db_Reader, __construct) {
    char *db_file = NULL;
    strsize_t name_len;
    zval *_this_zval = NULL;

    if (zend_parse_method_parameters(ZEND_NUM_ARGS() TSRMLS_CC,
                                     getThis(),
                                     "Os",
                                     &_this_zval,
                                     maxminddb_ce,
                                     &db_file,
                                     &name_len) == FAILURE) {
        THROW_EXCEPTION("InvalidArgumentException",
                        "The constructor takes exactly one argument.");
        return;
    }

    if (0 != php_check_open_basedir(db_file TSRMLS_CC) ||
        0 != access(db_file, R_OK)) {
        THROW_EXCEPTION("InvalidArgumentException",
                        "The file \"%s\" does not exist or is not readable.",
                        db_file);
        return;
    }

    MMDB_s *mmdb = (MMDB_s *)ecalloc(1, sizeof(MMDB_s));
    uint16_t status = MMDB_open(db_file, MMDB_MODE_MMAP, mmdb);

    if (MMDB_SUCCESS != status) {
        THROW_EXCEPTION(PHP_MAXMINDDB_READER_EX_NS,
                        "Error opening database file (%s). Is this a valid "
                        "MaxMind DB file?",
                        db_file);
        efree(mmdb);
        return;
    }

    maxminddb_obj *mmdb_obj = Z_MAXMINDDB_P(getThis());
    mmdb_obj->mmdb = mmdb;
}

ZEND_BEGIN_ARG_INFO_EX(arginfo_maxmindbreader_get, 0, 0, 1)
ZEND_ARG_INFO(0, ip_address)
ZEND_END_ARG_INFO()

PHP_METHOD(MaxMind_Db_Reader, get) {
    int prefix_len = 0;
    get_record(INTERNAL_FUNCTION_PARAM_PASSTHRU, return_value, &prefix_len);
}

PHP_METHOD(MaxMind_Db_Reader, getWithPrefixLen) {
    zval *record, *z_prefix_len;
#ifdef ZEND_ENGINE_3
    zval _record, _z_prefix_len;
    record = &_record;
    z_prefix_len = &_z_prefix_len;
#else
    ALLOC_INIT_ZVAL(record);
    ALLOC_INIT_ZVAL(z_prefix_len);
#endif

    int prefix_len = 0;
    if (get_record(INTERNAL_FUNCTION_PARAM_PASSTHRU, record, &prefix_len)) {
        return;
    }

    array_init(return_value);
    add_next_index_zval(return_value, record);

    ZVAL_LONG(z_prefix_len, prefix_len);
    add_next_index_zval(return_value, z_prefix_len);
}

static int
get_record(INTERNAL_FUNCTION_PARAMETERS, zval *record, int *prefix_len) {
    char *ip_address = NULL;
    strsize_t name_len;
    zval *_this_zval = NULL;

    if (zend_parse_method_parameters(ZEND_NUM_ARGS() TSRMLS_CC,
                                     getThis(),
                                     "Os",
                                     &_this_zval,
                                     maxminddb_ce,
                                     &ip_address,
                                     &name_len) == FAILURE) {
        THROW_EXCEPTION("InvalidArgumentException",
                        "Method takes exactly one argument.");
        return 1;
    }

    const maxminddb_obj *mmdb_obj = (maxminddb_obj *)Z_MAXMINDDB_P(getThis());

    MMDB_s *mmdb = mmdb_obj->mmdb;

    if (NULL == mmdb) {
        THROW_EXCEPTION("BadMethodCallException",
                        "Attempt to read from a closed MaxMind DB.");
        return 1;
    }

    struct addrinfo hints = {
        .ai_family = AF_UNSPEC,
        .ai_flags = AI_NUMERICHOST,
        // We set ai_socktype so that we only get one result back
        .ai_socktype = SOCK_STREAM};

    struct addrinfo *addresses = NULL;
    int gai_status = getaddrinfo(ip_address, NULL, &hints, &addresses);
    if (gai_status) {
        THROW_EXCEPTION("InvalidArgumentException",
                        "The value \"%s\" is not a valid IP address.",
                        ip_address);
        return 1;
    }
    if (!addresses || !addresses->ai_addr) {
        THROW_EXCEPTION(
            "InvalidArgumentException",
            "getaddrinfo was successful but failed to set the addrinfo");
        return 1;
    }

    int sa_family = addresses->ai_addr->sa_family;

    int mmdb_error = MMDB_SUCCESS;
    MMDB_lookup_result_s result =
        MMDB_lookup_sockaddr(mmdb, addresses->ai_addr, &mmdb_error);

    freeaddrinfo(addresses);

    if (MMDB_SUCCESS != mmdb_error) {
        char *exception_name;
        if (MMDB_IPV6_LOOKUP_IN_IPV4_DATABASE_ERROR == mmdb_error) {
            exception_name = "InvalidArgumentException";
        } else {
            exception_name = PHP_MAXMINDDB_READER_EX_NS;
        }
        THROW_EXCEPTION(exception_name,
                        "Error looking up %s. %s",
                        ip_address,
                        MMDB_strerror(mmdb_error));
        return 1;
    }

    *prefix_len = result.netmask;

    if (sa_family == AF_INET && mmdb->metadata.ip_version == 6) {
        // We return the prefix length given the IPv4 address. If there is
        // no IPv4 subtree, we return a prefix length of 0.
        *prefix_len = *prefix_len >= 96 ? *prefix_len - 96 : 0;
    }

    if (!result.found_entry) {
        ZVAL_NULL(record);
        return 0;
    }

    MMDB_entry_data_list_s *entry_data_list = NULL;
    int status = MMDB_get_entry_data_list(&result.entry, &entry_data_list);

    if (MMDB_SUCCESS != status) {
        THROW_EXCEPTION(PHP_MAXMINDDB_READER_EX_NS,
                        "Error while looking up data for %s. %s",
                        ip_address,
                        MMDB_strerror(status));
        MMDB_free_entry_data_list(entry_data_list);
        return 1;
    } else if (NULL == entry_data_list) {
        THROW_EXCEPTION(PHP_MAXMINDDB_READER_EX_NS,
                        "Error while looking up data for %s. Your database may "
                        "be corrupt or you have found a bug in libmaxminddb.",
                        ip_address);
        return 1;
    }

    handle_entry_data_list(entry_data_list, record TSRMLS_CC);
    MMDB_free_entry_data_list(entry_data_list);
    return 0;
}

ZEND_BEGIN_ARG_INFO_EX(arginfo_maxmindbreader_void, 0, 0, 0)
ZEND_END_ARG_INFO()

PHP_METHOD(MaxMind_Db_Reader, metadata) {
    if (ZEND_NUM_ARGS() != 0) {
        THROW_EXCEPTION("InvalidArgumentException",
                        "Method takes no arguments.");
        return;
    }

    const maxminddb_obj *const mmdb_obj =
        (maxminddb_obj *)Z_MAXMINDDB_P(getThis());

    if (NULL == mmdb_obj->mmdb) {
        THROW_EXCEPTION("BadMethodCallException",
                        "Attempt to read from a closed MaxMind DB.");
        return;
    }

    const char *const name = ZEND_NS_NAME(PHP_MAXMINDDB_READER_NS, "Metadata");
    zend_class_entry *metadata_ce = lookup_class(name TSRMLS_CC);

    object_init_ex(return_value, metadata_ce);

#ifdef ZEND_ENGINE_3
    zval _metadata_array;
    zval *metadata_array = &_metadata_array;
    ZVAL_NULL(metadata_array);
#else
    zval *metadata_array;
    ALLOC_INIT_ZVAL(metadata_array);
#endif

    MMDB_entry_data_list_s *entry_data_list;
    MMDB_get_metadata_as_entry_data_list(mmdb_obj->mmdb, &entry_data_list);

    handle_entry_data_list(entry_data_list, metadata_array TSRMLS_CC);
    MMDB_free_entry_data_list(entry_data_list);
#if PHP_VERSION_ID >= 80000
    zend_call_method_with_1_params(Z_OBJ_P(return_value),
                                   metadata_ce,
                                   &metadata_ce->constructor,
                                   ZEND_CONSTRUCTOR_FUNC_NAME,
                                   NULL,
                                   metadata_array);
    zval_ptr_dtor(metadata_array);
#elif defined(ZEND_ENGINE_3)
    zend_call_method_with_1_params(return_value,
                                   metadata_ce,
                                   &metadata_ce->constructor,
                                   ZEND_CONSTRUCTOR_FUNC_NAME,
                                   NULL,
                                   metadata_array);
    zval_ptr_dtor(metadata_array);
#else
    zend_call_method_with_1_params(&return_value,
                                   metadata_ce,
                                   &metadata_ce->constructor,
                                   ZEND_CONSTRUCTOR_FUNC_NAME,
                                   NULL,
                                   metadata_array);
    zval_ptr_dtor(&metadata_array);
#endif
}

PHP_METHOD(MaxMind_Db_Reader, close) {
    if (ZEND_NUM_ARGS() != 0) {
        THROW_EXCEPTION("InvalidArgumentException",
                        "Method takes no arguments.");
        return;
    }

    maxminddb_obj *mmdb_obj = (maxminddb_obj *)Z_MAXMINDDB_P(getThis());

    if (NULL == mmdb_obj->mmdb) {
        THROW_EXCEPTION("BadMethodCallException",
                        "Attempt to close a closed MaxMind DB.");
        return;
    }
    MMDB_close(mmdb_obj->mmdb);
    efree(mmdb_obj->mmdb);
    mmdb_obj->mmdb = NULL;
}

static const MMDB_entry_data_list_s *
handle_entry_data_list(const MMDB_entry_data_list_s *entry_data_list,
                       zval *z_value TSRMLS_DC) {
    switch (entry_data_list->entry_data.type) {
        case MMDB_DATA_TYPE_MAP:
            return handle_map(entry_data_list, z_value TSRMLS_CC);
        case MMDB_DATA_TYPE_ARRAY:
            return handle_array(entry_data_list, z_value TSRMLS_CC);
        case MMDB_DATA_TYPE_UTF8_STRING:
            _ZVAL_STRINGL(z_value,
                          (char *)entry_data_list->entry_data.utf8_string,
                          entry_data_list->entry_data.data_size);
            break;
        case MMDB_DATA_TYPE_BYTES:
            _ZVAL_STRINGL(z_value,
                          (char *)entry_data_list->entry_data.bytes,
                          entry_data_list->entry_data.data_size);
            break;
        case MMDB_DATA_TYPE_DOUBLE:
            ZVAL_DOUBLE(z_value, entry_data_list->entry_data.double_value);
            break;
        case MMDB_DATA_TYPE_FLOAT:
            ZVAL_DOUBLE(z_value, entry_data_list->entry_data.float_value);
            break;
        case MMDB_DATA_TYPE_UINT16:
            ZVAL_LONG(z_value, entry_data_list->entry_data.uint16);
            break;
        case MMDB_DATA_TYPE_UINT32:
            handle_uint32(entry_data_list, z_value TSRMLS_CC);
            break;
        case MMDB_DATA_TYPE_BOOLEAN:
            ZVAL_BOOL(z_value, entry_data_list->entry_data.boolean);
            break;
        case MMDB_DATA_TYPE_UINT64:
            handle_uint64(entry_data_list, z_value TSRMLS_CC);
            break;
        case MMDB_DATA_TYPE_UINT128:
            handle_uint128(entry_data_list, z_value TSRMLS_CC);
            break;
        case MMDB_DATA_TYPE_INT32:
            ZVAL_LONG(z_value, entry_data_list->entry_data.int32);
            break;
        default:
            THROW_EXCEPTION(PHP_MAXMINDDB_READER_EX_NS,
                            "Invalid data type arguments: %d",
                            entry_data_list->entry_data.type);
            return NULL;
    }
    return entry_data_list;
}

static const MMDB_entry_data_list_s *
handle_map(const MMDB_entry_data_list_s *entry_data_list,
           zval *z_value TSRMLS_DC) {
    array_init(z_value);
    const uint32_t map_size = entry_data_list->entry_data.data_size;

    uint i;
    for (i = 0; i < map_size && entry_data_list; i++) {
        entry_data_list = entry_data_list->next;

        char *key = estrndup((char *)entry_data_list->entry_data.utf8_string,
                             entry_data_list->entry_data.data_size);
        if (NULL == key) {
            THROW_EXCEPTION(PHP_MAXMINDDB_READER_EX_NS,
                            "Invalid data type arguments");
            return NULL;
        }

        entry_data_list = entry_data_list->next;
#ifdef ZEND_ENGINE_3
        zval _new_value;
        zval *new_value = &_new_value;
        ZVAL_NULL(new_value);
#else
        zval *new_value;
        ALLOC_INIT_ZVAL(new_value);
#endif
        entry_data_list =
            handle_entry_data_list(entry_data_list, new_value TSRMLS_CC);
        add_assoc_zval(z_value, key, new_value);
        efree(key);
    }
    return entry_data_list;
}

static const MMDB_entry_data_list_s *
handle_array(const MMDB_entry_data_list_s *entry_data_list,
             zval *z_value TSRMLS_DC) {
    const uint32_t size = entry_data_list->entry_data.data_size;

    array_init(z_value);

    uint i;
    for (i = 0; i < size && entry_data_list; i++) {
        entry_data_list = entry_data_list->next;
#ifdef ZEND_ENGINE_3
        zval _new_value;
        zval *new_value = &_new_value;
        ZVAL_NULL(new_value);
#else
        zval *new_value;
        ALLOC_INIT_ZVAL(new_value);
#endif
        entry_data_list =
            handle_entry_data_list(entry_data_list, new_value TSRMLS_CC);
        add_next_index_zval(z_value, new_value);
    }
    return entry_data_list;
}

static void handle_uint128(const MMDB_entry_data_list_s *entry_data_list,
                           zval *z_value TSRMLS_DC) {
    uint64_t high = 0;
    uint64_t low = 0;
#if MMDB_UINT128_IS_BYTE_ARRAY
    int i;
    for (i = 0; i < 8; i++) {
        high = (high << 8) | entry_data_list->entry_data.uint128[i];
    }

    for (i = 8; i < 16; i++) {
        low = (low << 8) | entry_data_list->entry_data.uint128[i];
    }
#else
    high = entry_data_list->entry_data.uint128 >> 64;
    low = (uint64_t)entry_data_list->entry_data.uint128;
#endif

    char *num_str;
    spprintf(&num_str, 0, "0x%016" PRIX64 "%016" PRIX64, high, low);
    CHECK_ALLOCATED(num_str);

    _ZVAL_STRING(z_value, num_str);
    efree(num_str);
}

static void handle_uint32(const MMDB_entry_data_list_s *entry_data_list,
                          zval *z_value TSRMLS_DC) {
    uint32_t val = entry_data_list->entry_data.uint32;

#if LONG_MAX >= UINT32_MAX
    ZVAL_LONG(z_value, val);
    return;
#else
    if (val <= LONG_MAX) {
        ZVAL_LONG(z_value, val);
        return;
    }

    char *int_str;
    spprintf(&int_str, 0, "%" PRIu32, val);
    CHECK_ALLOCATED(int_str);

    _ZVAL_STRING(z_value, int_str);
    efree(int_str);
#endif
}

static void handle_uint64(const MMDB_entry_data_list_s *entry_data_list,
                          zval *z_value TSRMLS_DC) {
    uint64_t val = entry_data_list->entry_data.uint64;

#if LONG_MAX >= UINT64_MAX
    ZVAL_LONG(z_value, val);
    return;
#else
    if (val <= LONG_MAX) {
        ZVAL_LONG(z_value, val);
        return;
    }

    char *int_str;
    spprintf(&int_str, 0, "%" PRIu64, val);
    CHECK_ALLOCATED(int_str);

    _ZVAL_STRING(z_value, int_str);
    efree(int_str);
#endif
}

static zend_class_entry *lookup_class(const char *name TSRMLS_DC) {
#ifdef ZEND_ENGINE_3
    zend_string *n = zend_string_init(name, strlen(name), 0);
    zend_class_entry *ce = zend_lookup_class(n);
    zend_string_release(n);
    if (NULL == ce) {
        zend_error(E_ERROR, "Class %s not found", name);
    }
    return ce;
#else
    zend_class_entry **ce;
    if (FAILURE == zend_lookup_class(name, strlen(name), &ce TSRMLS_CC)) {
        zend_error(E_ERROR, "Class %s not found", name);
    }
    return *ce;
#endif
}

static void maxminddb_free_storage(free_obj_t *object TSRMLS_DC) {
    maxminddb_obj *obj =
        php_maxminddb_fetch_object((zend_object *)object TSRMLS_CC);
    if (obj->mmdb != NULL) {
        MMDB_close(obj->mmdb);
        efree(obj->mmdb);
    }

    zend_object_std_dtor(&obj->std TSRMLS_CC);
#ifndef ZEND_ENGINE_3
    efree(object);
#endif
}

#ifdef ZEND_ENGINE_3
static zend_object *maxminddb_create_handler(zend_class_entry *type TSRMLS_DC) {
    maxminddb_obj *obj = (maxminddb_obj *)ecalloc(1, sizeof(maxminddb_obj));
    zend_object_std_init(&obj->std, type TSRMLS_CC);
    object_properties_init(&(obj->std), type);

    obj->std.handlers = &maxminddb_obj_handlers;

    return &obj->std;
}
#else
static zend_object_value
maxminddb_create_handler(zend_class_entry *type TSRMLS_DC) {
    zend_object_value retval;

    maxminddb_obj *obj = (maxminddb_obj *)ecalloc(1, sizeof(maxminddb_obj));
    zend_object_std_init(&obj->std, type TSRMLS_CC);
    object_properties_init(&(obj->std), type);

    retval.handle = zend_objects_store_put(
        obj, NULL, maxminddb_free_storage, NULL TSRMLS_CC);
    retval.handlers = &maxminddb_obj_handlers;

    return retval;
}
#endif

// clang-format off
static zend_function_entry maxminddb_methods[] = {
    PHP_ME(MaxMind_Db_Reader, __construct, arginfo_maxmindbreader_construct,
           ZEND_ACC_PUBLIC | ZEND_ACC_CTOR)
    PHP_ME(MaxMind_Db_Reader, close, arginfo_maxmindbreader_void, ZEND_ACC_PUBLIC)
    PHP_ME(MaxMind_Db_Reader, get, arginfo_maxmindbreader_get,  ZEND_ACC_PUBLIC)
    PHP_ME(MaxMind_Db_Reader, getWithPrefixLen, arginfo_maxmindbreader_get,  ZEND_ACC_PUBLIC)
    PHP_ME(MaxMind_Db_Reader, metadata, arginfo_maxmindbreader_void, ZEND_ACC_PUBLIC)
    { NULL, NULL, NULL }
};
// clang-format on

PHP_MINIT_FUNCTION(maxminddb) {
    zend_class_entry ce;

    INIT_CLASS_ENTRY(ce, PHP_MAXMINDDB_READER_NS, maxminddb_methods);
    maxminddb_ce = zend_register_internal_class(&ce TSRMLS_CC);
    maxminddb_ce->create_object = maxminddb_create_handler;
    memcpy(&maxminddb_obj_handlers,
           zend_get_std_object_handlers(),
           sizeof(zend_object_handlers));
    maxminddb_obj_handlers.clone_obj = NULL;
#ifdef ZEND_ENGINE_3
    maxminddb_obj_handlers.offset = XtOffsetOf(maxminddb_obj, std);
    maxminddb_obj_handlers.free_obj = maxminddb_free_storage;
#endif
    zend_declare_class_constant_string(maxminddb_ce,
                                       "MMDB_LIB_VERSION",
                                       sizeof("MMDB_LIB_VERSION") - 1,
                                       MMDB_lib_version() TSRMLS_CC);

    return SUCCESS;
}

static PHP_MINFO_FUNCTION(maxminddb) {
    php_info_print_table_start();

    php_info_print_table_row(2, "MaxMind DB Reader", "enabled");
    php_info_print_table_row(
        2, "maxminddb extension version", PHP_MAXMINDDB_VERSION);
    php_info_print_table_row(
        2, "libmaxminddb library version", MMDB_lib_version());

    php_info_print_table_end();
}

zend_module_entry maxminddb_module_entry = {STANDARD_MODULE_HEADER,
                                            PHP_MAXMINDDB_EXTNAME,
                                            NULL,
                                            PHP_MINIT(maxminddb),
                                            NULL,
                                            NULL,
                                            NULL,
                                            PHP_MINFO(maxminddb),
                                            PHP_MAXMINDDB_VERSION,
                                            STANDARD_MODULE_PROPERTIES};

#ifdef COMPILE_DL_MAXMINDDB
ZEND_GET_MODULE(maxminddb)
#endif
maxmind-db/reader/ext/config.m4000064400000003101151332455420012334 0ustar00PHP_ARG_WITH(maxminddb,
    [Whether to enable the MaxMind DB Reader extension],
    [  --with-maxminddb      Enable MaxMind DB Reader extension support])

PHP_ARG_ENABLE(maxminddb-debug, for MaxMind DB debug support,
    [ --enable-maxminddb-debug    Enable enable MaxMind DB deubg support], no, no)

if test $PHP_MAXMINDDB != "no"; then

    AC_PATH_PROG(PKG_CONFIG, pkg-config, no)

    AC_MSG_CHECKING(for libmaxminddb)
    if test -x "$PKG_CONFIG" && $PKG_CONFIG --exists libmaxminddb; then
        dnl retrieve build options from pkg-config
        if $PKG_CONFIG libmaxminddb --atleast-version 1.0.0; then
            LIBMAXMINDDB_INC=`$PKG_CONFIG libmaxminddb --cflags`
            LIBMAXMINDDB_LIB=`$PKG_CONFIG libmaxminddb --libs`
            LIBMAXMINDDB_VER=`$PKG_CONFIG libmaxminddb --modversion`
            AC_MSG_RESULT(found version $LIBMAXMINDDB_VER)
        else
            AC_MSG_ERROR(system libmaxminddb must be upgraded to version >= 1.0.0)
        fi
        PHP_EVAL_LIBLINE($LIBMAXMINDDB_LIB, MAXMINDDB_SHARED_LIBADD)
        PHP_EVAL_INCLINE($LIBMAXMINDDB_INC)
    else
        AC_MSG_RESULT(pkg-config information missing)
        AC_MSG_WARN(will use libmaxmxinddb from compiler default path)

        PHP_CHECK_LIBRARY(maxminddb, MMDB_open)
        PHP_ADD_LIBRARY(maxminddb, 1, MAXMINDDB_SHARED_LIBADD)
    fi

    if test $PHP_MAXMINDDB_DEBUG != "no"; then
        CFLAGS="$CFLAGS -Wall -Wextra -Wno-unused-parameter -Wno-missing-field-initializers -Werror"
    fi

    PHP_SUBST(MAXMINDDB_SHARED_LIBADD)

    PHP_NEW_EXTENSION(maxminddb, maxminddb.c, $ext_shared)
fi
maxmind-db/reader/ext/tests/003-open-basedir.phpt000064400000000342151332455420015540 0ustar00--TEST--
openbase_dir is followed
--INI--
open_basedir=/--dne--
--FILE--
<?php
use MaxMind\Db\Reader;

$reader = new Reader('/usr/local/share/GeoIP/GeoIP2-City.mmdb');
?>
--EXPECTREGEX--
.*open_basedir restriction in effect.*
maxmind-db/reader/ext/tests/002-final.phpt000064400000000411151332455420014255 0ustar00--TEST--
Check that Reader class is not final
--SKIPIF--
<?php if (!extension_loaded('maxminddb')) {
    echo 'skip';
} ?>
--FILE--
<?php
$reflectionClass = new \ReflectionClass('MaxMind\Db\Reader');
var_dump($reflectionClass->isFinal());
?>
--EXPECT--
bool(false)
maxmind-db/reader/ext/tests/001-load.phpt000064400000000332151332455420014104 0ustar00--TEST--
Check for maxminddb presence
--SKIPIF--
<?php if (!extension_loaded('maxminddb')) {
    echo 'skip';
} ?>
--FILE--
<?php
echo 'maxminddb extension is available';
?>
--EXPECT--
maxminddb extension is available
composer/jetpack_autoload_classmap.php000064400000502305151332455420014311 0ustar00<?php

// This file `jetpack_autoload_classmap.php` was auto generated by automattic/jetpack-autoloader.

$vendorDir = dirname(__DIR__);
$baseDir   = dirname($vendorDir);

return array(
	'Symfony\\Component\\CssSelector\\XPath\\XPathExpr' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/XPathExpr.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Translator' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Translator.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Extension\\ExtensionInterface' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Extension/ExtensionInterface.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Extension\\NodeExtension' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Extension/NodeExtension.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Extension\\AttributeMatchingExtension' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Extension/AttributeMatchingExtension.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Extension\\HtmlExtension' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Extension/HtmlExtension.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Extension\\PseudoClassExtension' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Extension/PseudoClassExtension.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Extension\\AbstractExtension' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Extension/AbstractExtension.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Extension\\FunctionExtension' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Extension/FunctionExtension.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\Extension\\CombinationExtension' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/Extension/CombinationExtension.php'
	),
	'Symfony\\Component\\CssSelector\\XPath\\TranslatorInterface' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/XPath/TranslatorInterface.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\XPath\\TranslatorTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/XPath/TranslatorTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\CssSelectorConverterTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/CssSelectorConverterTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\HashNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/HashNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\NegationNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/NegationNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\AbstractNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/AbstractNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\SelectorNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/SelectorNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\PseudoNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/PseudoNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\ClassNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/ClassNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\AttributeNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/AttributeNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\FunctionNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/FunctionNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\SpecificityTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/SpecificityTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\CombinedSelectorNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/CombinedSelectorNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Node\\ElementNodeTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Node/ElementNodeTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\ParserTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/ParserTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\ReaderTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/ReaderTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\TokenStreamTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/TokenStreamTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Shortcut\\HashParserTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Shortcut/HashParserTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Shortcut\\ClassParserTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Shortcut/ClassParserTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Shortcut\\ElementParserTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Shortcut/ElementParserTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Shortcut\\EmptyStringParserTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Shortcut/EmptyStringParserTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Handler\\CommentHandlerTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Handler/CommentHandlerTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Handler\\HashHandlerTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Handler/HashHandlerTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Handler\\AbstractHandlerTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Handler/AbstractHandlerTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Handler\\IdentifierHandlerTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Handler/IdentifierHandlerTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Handler\\WhitespaceHandlerTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Handler/WhitespaceHandlerTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Handler\\NumberHandlerTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Handler/NumberHandlerTest.php'
	),
	'Symfony\\Component\\CssSelector\\Tests\\Parser\\Handler\\StringHandlerTest' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Tests/Parser/Handler/StringHandlerTest.php'
	),
	'Symfony\\Component\\CssSelector\\Exception\\ExpressionErrorException' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Exception/ExpressionErrorException.php'
	),
	'Symfony\\Component\\CssSelector\\Exception\\InternalErrorException' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Exception/InternalErrorException.php'
	),
	'Symfony\\Component\\CssSelector\\Exception\\ParseException' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Exception/ParseException.php'
	),
	'Symfony\\Component\\CssSelector\\Exception\\ExceptionInterface' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Exception/ExceptionInterface.php'
	),
	'Symfony\\Component\\CssSelector\\Exception\\SyntaxErrorException' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Exception/SyntaxErrorException.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\SelectorNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/SelectorNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\ClassNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/ClassNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\HashNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/HashNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\FunctionNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/FunctionNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\AttributeNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/AttributeNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\NegationNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/NegationNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\CombinedSelectorNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/CombinedSelectorNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\ElementNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/ElementNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\NodeInterface' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/NodeInterface.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\Specificity' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/Specificity.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\AbstractNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/AbstractNode.php'
	),
	'Symfony\\Component\\CssSelector\\Node\\PseudoNode' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Node/PseudoNode.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\TokenStream' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/TokenStream.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Token' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Token.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Reader' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Reader.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Tokenizer\\Tokenizer' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Tokenizer/Tokenizer.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Tokenizer\\TokenizerEscaping' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Tokenizer/TokenizerEscaping.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Tokenizer\\TokenizerPatterns' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Tokenizer/TokenizerPatterns.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Shortcut\\EmptyStringParser' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Shortcut/EmptyStringParser.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Shortcut\\ClassParser' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Shortcut/ClassParser.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Shortcut\\ElementParser' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Shortcut/ElementParser.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Shortcut\\HashParser' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Shortcut/HashParser.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Handler\\IdentifierHandler' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Handler/IdentifierHandler.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Handler\\NumberHandler' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Handler/NumberHandler.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Handler\\HandlerInterface' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Handler/HandlerInterface.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Handler\\StringHandler' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Handler/StringHandler.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Handler\\WhitespaceHandler' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Handler/WhitespaceHandler.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Handler\\CommentHandler' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Handler/CommentHandler.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Handler\\HashHandler' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Handler/HashHandler.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\Parser' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/Parser.php'
	),
	'Symfony\\Component\\CssSelector\\Parser\\ParserInterface' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/Parser/ParserInterface.php'
	),
	'Symfony\\Component\\CssSelector\\CssSelectorConverter' => array(
		'version' => '3.3.6.0',
		'path'    => $vendorDir . '/symfony/css-selector/CssSelectorConverter.php'
	),
	'Psr\\Container\\NotFoundExceptionInterface' => array(
		'version' => '1.0.0.0',
		'path'    => $vendorDir . '/psr/container/src/NotFoundExceptionInterface.php'
	),
	'Psr\\Container\\ContainerExceptionInterface' => array(
		'version' => '1.0.0.0',
		'path'    => $vendorDir . '/psr/container/src/ContainerExceptionInterface.php'
	),
	'Psr\\Container\\ContainerInterface' => array(
		'version' => '1.0.0.0',
		'path'    => $vendorDir . '/psr/container/src/ContainerInterface.php'
	),
	'Pelago\\Emogrifier' => array(
		'version' => '3.1.0.0',
		'path'    => $vendorDir . '/pelago/emogrifier/src/Emogrifier.php'
	),
	'Pelago\\Emogrifier\\CssInliner' => array(
		'version' => '3.1.0.0',
		'path'    => $vendorDir . '/pelago/emogrifier/src/Emogrifier/CssInliner.php'
	),
	'Pelago\\Emogrifier\\HtmlProcessor\\CssToAttributeConverter' => array(
		'version' => '3.1.0.0',
		'path'    => $vendorDir . '/pelago/emogrifier/src/Emogrifier/HtmlProcessor/CssToAttributeConverter.php'
	),
	'Pelago\\Emogrifier\\HtmlProcessor\\AbstractHtmlProcessor' => array(
		'version' => '3.1.0.0',
		'path'    => $vendorDir . '/pelago/emogrifier/src/Emogrifier/HtmlProcessor/AbstractHtmlProcessor.php'
	),
	'Pelago\\Emogrifier\\HtmlProcessor\\HtmlNormalizer' => array(
		'version' => '3.1.0.0',
		'path'    => $vendorDir . '/pelago/emogrifier/src/Emogrifier/HtmlProcessor/HtmlNormalizer.php'
	),
	'Pelago\\Emogrifier\\HtmlProcessor\\HtmlPruner' => array(
		'version' => '3.1.0.0',
		'path'    => $vendorDir . '/pelago/emogrifier/src/Emogrifier/HtmlProcessor/HtmlPruner.php'
	),
	'Pelago\\Emogrifier\\Utilities\\CssConcatenator' => array(
		'version' => '3.1.0.0',
		'path'    => $vendorDir . '/pelago/emogrifier/src/Emogrifier/Utilities/CssConcatenator.php'
	),
	'Pelago\\Emogrifier\\Utilities\\ArrayIntersector' => array(
		'version' => '3.1.0.0',
		'path'    => $vendorDir . '/pelago/emogrifier/src/Emogrifier/Utilities/ArrayIntersector.php'
	),
	'MaxMind\\Db\\Reader\\Decoder' => array(
		'version' => '1.6.0.0',
		'path'    => $vendorDir . '/maxmind-db/reader/src/MaxMind/Db/Reader/Decoder.php'
	),
	'MaxMind\\Db\\Reader\\Metadata' => array(
		'version' => '1.6.0.0',
		'path'    => $vendorDir . '/maxmind-db/reader/src/MaxMind/Db/Reader/Metadata.php'
	),
	'MaxMind\\Db\\Reader\\InvalidDatabaseException' => array(
		'version' => '1.6.0.0',
		'path'    => $vendorDir . '/maxmind-db/reader/src/MaxMind/Db/Reader/InvalidDatabaseException.php'
	),
	'MaxMind\\Db\\Reader\\Util' => array(
		'version' => '1.6.0.0',
		'path'    => $vendorDir . '/maxmind-db/reader/src/MaxMind/Db/Reader/Util.php'
	),
	'MaxMind\\Db\\Reader' => array(
		'version' => '1.6.0.0',
		'path'    => $vendorDir . '/maxmind-db/reader/src/MaxMind/Db/Reader.php'
	),
	'Composer\\Installers\\SyliusInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/SyliusInstaller.php'
	),
	'Composer\\Installers\\GravInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/GravInstaller.php'
	),
	'Composer\\Installers\\CodeIgniterInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/CodeIgniterInstaller.php'
	),
	'Composer\\Installers\\BonefishInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/BonefishInstaller.php'
	),
	'Composer\\Installers\\ItopInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ItopInstaller.php'
	),
	'Composer\\Installers\\DrupalInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/DrupalInstaller.php'
	),
	'Composer\\Installers\\DokuWikiInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/DokuWikiInstaller.php'
	),
	'Composer\\Installers\\YawikInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/YawikInstaller.php'
	),
	'Composer\\Installers\\ZikulaInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ZikulaInstaller.php'
	),
	'Composer\\Installers\\BaseInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/BaseInstaller.php'
	),
	'Composer\\Installers\\LanManagementSystemInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/LanManagementSystemInstaller.php'
	),
	'Composer\\Installers\\BitrixInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/BitrixInstaller.php'
	),
	'Composer\\Installers\\CraftInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/CraftInstaller.php'
	),
	'Composer\\Installers\\ImageCMSInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ImageCMSInstaller.php'
	),
	'Composer\\Installers\\SilverStripeInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/SilverStripeInstaller.php'
	),
	'Composer\\Installers\\Installer' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/Installer.php'
	),
	'Composer\\Installers\\CakePHPInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/CakePHPInstaller.php'
	),
	'Composer\\Installers\\ShopwareInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ShopwareInstaller.php'
	),
	'Composer\\Installers\\ExpressionEngineInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ExpressionEngineInstaller.php'
	),
	'Composer\\Installers\\TastyIgniterInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/TastyIgniterInstaller.php'
	),
	'Composer\\Installers\\PhpBBInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PhpBBInstaller.php'
	),
	'Composer\\Installers\\DecibelInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/DecibelInstaller.php'
	),
	'Composer\\Installers\\OxidInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/OxidInstaller.php'
	),
	'Composer\\Installers\\MediaWikiInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MediaWikiInstaller.php'
	),
	'Composer\\Installers\\CroogoInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/CroogoInstaller.php'
	),
	'Composer\\Installers\\LavaLiteInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/LavaLiteInstaller.php'
	),
	'Composer\\Installers\\ClanCatsFrameworkInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ClanCatsFrameworkInstaller.php'
	),
	'Composer\\Installers\\PrestashopInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PrestashopInstaller.php'
	),
	'Composer\\Installers\\KnownInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/KnownInstaller.php'
	),
	'Composer\\Installers\\FuelInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/FuelInstaller.php'
	),
	'Composer\\Installers\\AnnotateCmsInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/AnnotateCmsInstaller.php'
	),
	'Composer\\Installers\\PiwikInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PiwikInstaller.php'
	),
	'Composer\\Installers\\KirbyInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/KirbyInstaller.php'
	),
	'Composer\\Installers\\OctoberInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/OctoberInstaller.php'
	),
	'Composer\\Installers\\HuradInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/HuradInstaller.php'
	),
	'Composer\\Installers\\KodiCMSInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/KodiCMSInstaller.php'
	),
	'Composer\\Installers\\CiviCrmInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/CiviCrmInstaller.php'
	),
	'Composer\\Installers\\KanboardInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/KanboardInstaller.php'
	),
	'Composer\\Installers\\StarbugInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/StarbugInstaller.php'
	),
	'Composer\\Installers\\WordPressInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/WordPressInstaller.php'
	),
	'Composer\\Installers\\OsclassInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/OsclassInstaller.php'
	),
	'Composer\\Installers\\EliasisInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/EliasisInstaller.php'
	),
	'Composer\\Installers\\TYPO3FlowInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/TYPO3FlowInstaller.php'
	),
	'Composer\\Installers\\ChefInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ChefInstaller.php'
	),
	'Composer\\Installers\\Plugin' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/Plugin.php'
	),
	'Composer\\Installers\\JoomlaInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/JoomlaInstaller.php'
	),
	'Composer\\Installers\\PhiftyInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PhiftyInstaller.php'
	),
	'Composer\\Installers\\MODXEvoInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MODXEvoInstaller.php'
	),
	'Composer\\Installers\\MODULEWorkInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MODULEWorkInstaller.php'
	),
	'Composer\\Installers\\CockpitInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/CockpitInstaller.php'
	),
	'Composer\\Installers\\FuelphpInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/FuelphpInstaller.php'
	),
	'Composer\\Installers\\MakoInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MakoInstaller.php'
	),
	'Composer\\Installers\\ElggInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ElggInstaller.php'
	),
	'Composer\\Installers\\WHMCSInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/WHMCSInstaller.php'
	),
	'Composer\\Installers\\DolibarrInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/DolibarrInstaller.php'
	),
	'Composer\\Installers\\AttogramInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/AttogramInstaller.php'
	),
	'Composer\\Installers\\AglInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/AglInstaller.php'
	),
	'Composer\\Installers\\OntoWikiInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/OntoWikiInstaller.php'
	),
	'Composer\\Installers\\MauticInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MauticInstaller.php'
	),
	'Composer\\Installers\\Concrete5Installer' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/Concrete5Installer.php'
	),
	'Composer\\Installers\\SiteDirectInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/SiteDirectInstaller.php'
	),
	'Composer\\Installers\\ZendInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ZendInstaller.php'
	),
	'Composer\\Installers\\LithiumInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/LithiumInstaller.php'
	),
	'Composer\\Installers\\KohanaInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/KohanaInstaller.php'
	),
	'Composer\\Installers\\Symfony1Installer' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/Symfony1Installer.php'
	),
	'Composer\\Installers\\ModxInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ModxInstaller.php'
	),
	'Composer\\Installers\\MajimaInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MajimaInstaller.php'
	),
	'Composer\\Installers\\PPIInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PPIInstaller.php'
	),
	'Composer\\Installers\\WolfCMSInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/WolfCMSInstaller.php'
	),
	'Composer\\Installers\\MantisBTInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MantisBTInstaller.php'
	),
	'Composer\\Installers\\ProcessWireInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ProcessWireInstaller.php'
	),
	'Composer\\Installers\\PantheonInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PantheonInstaller.php'
	),
	'Composer\\Installers\\WinterInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/WinterInstaller.php'
	),
	'Composer\\Installers\\TheliaInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/TheliaInstaller.php'
	),
	'Composer\\Installers\\DframeInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/DframeInstaller.php'
	),
	'Composer\\Installers\\RedaxoInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/RedaxoInstaller.php'
	),
	'Composer\\Installers\\PlentymarketsInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PlentymarketsInstaller.php'
	),
	'Composer\\Installers\\MoodleInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MoodleInstaller.php'
	),
	'Composer\\Installers\\MicroweberInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MicroweberInstaller.php'
	),
	'Composer\\Installers\\RoundcubeInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/RoundcubeInstaller.php'
	),
	'Composer\\Installers\\RadPHPInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/RadPHPInstaller.php'
	),
	'Composer\\Installers\\PuppetInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PuppetInstaller.php'
	),
	'Composer\\Installers\\MiaoxingInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MiaoxingInstaller.php'
	),
	'Composer\\Installers\\PimcoreInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PimcoreInstaller.php'
	),
	'Composer\\Installers\\TaoInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/TaoInstaller.php'
	),
	'Composer\\Installers\\SyDESInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/SyDESInstaller.php'
	),
	'Composer\\Installers\\ReIndexInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/ReIndexInstaller.php'
	),
	'Composer\\Installers\\MagentoInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MagentoInstaller.php'
	),
	'Composer\\Installers\\TYPO3CmsInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/TYPO3CmsInstaller.php'
	),
	'Composer\\Installers\\AsgardInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/AsgardInstaller.php'
	),
	'Composer\\Installers\\EzPlatformInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/EzPlatformInstaller.php'
	),
	'Composer\\Installers\\Redaxo5Installer' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/Redaxo5Installer.php'
	),
	'Composer\\Installers\\PortoInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PortoInstaller.php'
	),
	'Composer\\Installers\\LaravelInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/LaravelInstaller.php'
	),
	'Composer\\Installers\\MayaInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/MayaInstaller.php'
	),
	'Composer\\Installers\\SMFInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/SMFInstaller.php'
	),
	'Composer\\Installers\\TuskInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/TuskInstaller.php'
	),
	'Composer\\Installers\\PxcmsInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/PxcmsInstaller.php'
	),
	'Composer\\Installers\\VgmcpInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/VgmcpInstaller.php'
	),
	'Composer\\Installers\\VanillaInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/VanillaInstaller.php'
	),
	'Composer\\Installers\\UserFrostingInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/UserFrostingInstaller.php'
	),
	'Composer\\Installers\\AimeosInstaller' => array(
		'version' => '1.12.0.0',
		'path'    => $vendorDir . '/composer/installers/src/Composer/Installers/AimeosInstaller.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Container' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Container.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Argument\\ClassName' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Argument/ClassName.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Argument\\ClassNameInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Argument/ClassNameInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Argument\\ClassNameWithOptionalValue' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Argument/ClassNameWithOptionalValue.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Argument\\RawArgument' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Argument/RawArgument.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Argument\\RawArgumentInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Argument/RawArgumentInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Argument\\ArgumentResolverTrait' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Argument/ArgumentResolverTrait.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Argument\\ArgumentResolverInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Argument/ArgumentResolverInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Inflector\\Inflector' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Inflector/Inflector.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Inflector\\InflectorAggregate' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Inflector/InflectorAggregate.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Inflector\\InflectorInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Inflector/InflectorInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Inflector\\InflectorAggregateInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Inflector/InflectorAggregateInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Exception\\ContainerException' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Exception/ContainerException.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Exception\\NotFoundException' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Exception/NotFoundException.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\ContainerAwareTrait' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/ContainerAwareTrait.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Definition\\DefinitionAggregateInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Definition/DefinitionAggregateInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Definition\\DefinitionAggregate' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Definition/DefinitionAggregate.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Definition\\DefinitionInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Definition/DefinitionInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\Definition\\Definition' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/Definition/Definition.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\ServiceProvider\\ServiceProviderAggregateInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/ServiceProvider/ServiceProviderAggregateInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\ServiceProvider\\AbstractServiceProvider' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/ServiceProvider/AbstractServiceProvider.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\ServiceProvider\\ServiceProviderAggregate' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/ServiceProvider/ServiceProviderAggregate.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\ServiceProvider\\ServiceProviderInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/ServiceProvider/ServiceProviderInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\ServiceProvider\\BootableServiceProviderInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/ServiceProvider/BootableServiceProviderInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\ContainerAwareInterface' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/ContainerAwareInterface.php'
	),
	'Automattic\\WooCommerce\\Vendor\\League\\Container\\ReflectionContainer' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/lib/packages/League/Container/ReflectionContainer.php'
	),
	'Automattic\\WooCommerce\\Tests\\Proxies\\MockableLegacyProxyTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Proxies/MockableLegacyProxyTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Proxies\\ExampleClasses\\ClassThatDependsOnLegacyCode' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Proxies/ExampleClasses/ClassThatDependsOnLegacyCode.php'
	),
	'Automattic\\WooCommerce\\Tests\\Proxies\\ClassThatDependsOnLegacyCodeTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Proxies/ClassThatDependsOnLegacyCodeTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Proxies\\LegacyProxyTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Proxies/LegacyProxyTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Utilities\\NumberUtilTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Utilities/NumberUtilTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Utilities\\StringUtilTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Utilities/StringUtilTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Utilities\\ArrayUtilTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Utilities/ArrayUtilTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\AssignDefaultCategoryTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/AssignDefaultCategoryTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DependencyManagement\\ExtendedContainerTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DependencyManagement/ExtendedContainerTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DependencyManagement\\ExampleClasses\\DependencyClass' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DependencyManagement/ExampleClasses/DependencyClass.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DependencyManagement\\ExampleClasses\\ClassWithInjectionMethodArgumentWithoutTypeHint' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DependencyManagement/ExampleClasses/ClassWithInjectionMethodArgumentWithoutTypeHint.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DependencyManagement\\ExampleClasses\\ClassWithScalarInjectionMethodArgument' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DependencyManagement/ExampleClasses/ClassWithScalarInjectionMethodArgument.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DependencyManagement\\ExampleClasses\\ClassWithPrivateInjectionMethod' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DependencyManagement/ExampleClasses/ClassWithPrivateInjectionMethod.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DependencyManagement\\ExampleClasses\\ClassWithNonFinalInjectionMethod' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DependencyManagement/ExampleClasses/ClassWithNonFinalInjectionMethod.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DependencyManagement\\ExampleClasses\\ClassWithDependencies' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DependencyManagement/ExampleClasses/ClassWithDependencies.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DependencyManagement\\AbstractServiceProviderTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DependencyManagement/AbstractServiceProviderTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\DownloadPermissionsAdjusterTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/DownloadPermissionsAdjusterTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\RestApiUtilTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/RestApiUtilTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\WCCom\\ConnectionHelperTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/WCCom/ConnectionHelperTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\ProductAttributesLookup\\LookupDataStoreTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/ProductAttributesLookup/LookupDataStoreTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\ProductAttributesLookup\\FiltererTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/ProductAttributesLookup/FiltererTest.php'
	),
	'Automattic\\WooCommerce\\Tests\\Internal\\ProductAttributesLookup\\DataRegeneratorTest' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/php/src/Internal/ProductAttributesLookup/DataRegeneratorTest.php'
	),
	'Automattic\\WooCommerce\\Testing\\Tools\\CodeHacking\\Hacks\\CodeHack' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/Tools/CodeHacking/Hacks/CodeHack.php'
	),
	'Automattic\\WooCommerce\\Testing\\Tools\\CodeHacking\\Hacks\\StaticMockerHack' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/Tools/CodeHacking/Hacks/StaticMockerHack.php'
	),
	'Automattic\\WooCommerce\\Testing\\Tools\\CodeHacking\\Hacks\\BypassFinalsHack' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/Tools/CodeHacking/Hacks/BypassFinalsHack.php'
	),
	'Automattic\\WooCommerce\\Testing\\Tools\\CodeHacking\\Hacks\\FunctionsMockerHack' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/Tools/CodeHacking/Hacks/FunctionsMockerHack.php'
	),
	'Automattic\\WooCommerce\\Testing\\Tools\\CodeHacking\\CodeHacker' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/Tools/CodeHacking/CodeHacker.php'
	),
	'Automattic\\WooCommerce\\Testing\\Tools\\FakeQueue' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/Tools/FakeQueue.php'
	),
	'Automattic\\WooCommerce\\Testing\\Tools\\DependencyManagement\\MockableLegacyProxy' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/Tools/DependencyManagement/MockableLegacyProxy.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Domain\\Services\\Email\\CustomerNewAccount' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Domain/Services/Email/CustomerNewAccount.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Domain\\Services\\CreateAccount' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Domain/Services/CreateAccount.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Domain\\Services\\DraftOrders' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Domain/Services/DraftOrders.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Domain\\Services\\GoogleAnalytics' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Domain/Services/GoogleAnalytics.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Domain\\Services\\FeatureGating' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Domain/Services/FeatureGating.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Domain\\Services\\ExtendRestApi' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Domain/Services/ExtendRestApi.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Domain\\Package' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Domain/Package.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Domain\\Bootstrap' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Domain/Bootstrap.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypesController' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypesController.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Installer' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Installer.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Library' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Library.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Integrations\\IntegrationRegistry' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Integrations/IntegrationRegistry.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Integrations\\IntegrationInterface' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Integrations/IntegrationInterface.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartRemoveCoupon' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartRemoveCoupon.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartCoupons' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartCoupons.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\Batch' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/Batch.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductReviews' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductReviews.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartExtensions' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartExtensions.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartSelectShippingRate' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartSelectShippingRate.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\Cart' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/Cart.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartApplyCoupon' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartApplyCoupon.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductCategories' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductCategories.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductsById' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductsById.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartAddItem' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartAddItem.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductTags' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductTags.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductAttributeTerms' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductAttributeTerms.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartItems' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartItems.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductCollectionData' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductCollectionData.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductAttributesById' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductAttributesById.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartItemsByKey' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartItemsByKey.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductAttributes' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductAttributes.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\AbstractTermsRoute' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/AbstractTermsRoute.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\ProductCategoriesById' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/ProductCategoriesById.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\AbstractCartRoute' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/AbstractCartRoute.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartCouponsByCode' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartCouponsByCode.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\Checkout' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/Checkout.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartRemoveItem' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartRemoveItem.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartUpdateCustomer' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartUpdateCustomer.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\Products' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/Products.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\RouteException' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/RouteException.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\CartUpdateItem' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/CartUpdateItem.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\AbstractRoute' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/AbstractRoute.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Routes\\RouteInterface' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Routes/RouteInterface.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\SchemaController' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/SchemaController.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\TooManyInCartException' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/TooManyInCartException.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\OrderController' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/OrderController.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\ProductQueryFilters' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/ProductQueryFilters.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\NoticeHandler' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/NoticeHandler.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\InvalidStockLevelsInCartException' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/InvalidStockLevelsInCartException.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\NotPurchasableException' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/NotPurchasableException.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\StockAvailabilityException' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/StockAvailabilityException.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\PartialOutOfStockException' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/PartialOutOfStockException.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\ProductQuery' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/ProductQuery.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\OutOfStockException' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/OutOfStockException.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\Pagination' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/Pagination.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Utilities\\CartController' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Utilities/CartController.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\RoutesController' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/RoutesController.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\ShippingAddressSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/ShippingAddressSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\AbstractAddressSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/AbstractAddressSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\ImageAttachmentSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/ImageAttachmentSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\ProductReviewSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/ProductReviewSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\BillingAddressSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/BillingAddressSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\CartExtensionsSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/CartExtensionsSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\ProductCategorySchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/ProductCategorySchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\CartCouponSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/CartCouponSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\ProductAttributeSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/ProductAttributeSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\TermSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/TermSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\ProductSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/ProductSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\OrderCouponSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/OrderCouponSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\CheckoutSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/CheckoutSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\ErrorSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/ErrorSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\AbstractSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/AbstractSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\ProductCollectionDataSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/ProductCollectionDataSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\CartSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/CartSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\CartItemSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/CartItemSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\CartShippingRateSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/CartShippingRateSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Schemas\\CartFeeSchema' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Schemas/CartFeeSchema.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Formatters' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Formatters.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Formatters\\HtmlFormatter' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Formatters/HtmlFormatter.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Formatters\\FormatterInterface' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Formatters/FormatterInterface.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Formatters\\CurrencyFormatter' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Formatters/CurrencyFormatter.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Formatters\\MoneyFormatter' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Formatters/MoneyFormatter.php'
	),
	'Automattic\\WooCommerce\\Blocks\\StoreApi\\Formatters\\DefaultFormatter' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/StoreApi/Formatters/DefaultFormatter.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\AtomicBlock' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/AtomicBlock.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\StockFilter' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/StockFilter.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductSearch' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductSearch.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\MiniCart' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/MiniCart.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\AllProducts' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/AllProducts.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductsByAttribute' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductsByAttribute.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\Cart' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/Cart.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\CartI2' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/CartI2.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\PriceFilter' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/PriceFilter.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductCategories' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductCategories.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\HandpickedProducts' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/HandpickedProducts.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\FeaturedProduct' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/FeaturedProduct.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductNew' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductNew.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ReviewsByProduct' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ReviewsByProduct.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\SingleProduct' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/SingleProduct.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\AbstractDynamicBlock' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/AbstractDynamicBlock.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductTopRated' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductTopRated.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\AbstractBlock' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/AbstractBlock.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\Checkout' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/Checkout.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\AttributeFilter' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/AttributeFilter.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductOnSale' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductOnSale.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\AbstractProductGrid' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/AbstractProductGrid.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ReviewsByCategory' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ReviewsByCategory.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductBestSellers' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductBestSellers.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductCategory' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductCategory.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ActiveFilters' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ActiveFilters.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\FeaturedCategory' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/FeaturedCategory.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\ProductTag' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/ProductTag.php'
	),
	'Automattic\\WooCommerce\\Blocks\\BlockTypes\\AllReviews' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/BlockTypes/AllReviews.php'
	),
	'Automattic\\WooCommerce\\Blocks\\RestApi' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/RestApi.php'
	),
	'Automattic\\WooCommerce\\Blocks\\AssetsController' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/AssetsController.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Assets' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Assets.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\PaymentContext' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/PaymentContext.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\Integrations\\PayPal' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/Integrations/PayPal.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\Integrations\\BankTransfer' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/Integrations/BankTransfer.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\Integrations\\Cheque' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/Integrations/Cheque.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\Integrations\\CashOnDelivery' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/Integrations/CashOnDelivery.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\Integrations\\AbstractPaymentMethodType' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/Integrations/AbstractPaymentMethodType.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\Integrations\\Stripe' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/Integrations/Stripe.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\PaymentResult' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/PaymentResult.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\Api' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/Api.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\PaymentMethodTypeInterface' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/PaymentMethodTypeInterface.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Payments\\PaymentMethodRegistry' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Payments/PaymentMethodRegistry.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Registry\\AbstractDependencyType' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Registry/AbstractDependencyType.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Registry\\Container' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Registry/Container.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Registry\\FactoryType' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Registry/FactoryType.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Registry\\SharedType' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Registry/SharedType.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Utils\\BlocksWpQuery' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Utils/BlocksWpQuery.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Utils\\ArrayUtils' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Utils/ArrayUtils.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Assets\\AssetDataRegistry' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Assets/AssetDataRegistry.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Assets\\Api' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Assets/Api.php'
	),
	'Automattic\\WooCommerce\\Blocks\\Package' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/Package.php'
	),
	'Automattic\\WooCommerce\\Blocks\\InboxNotifications' => array(
		'version' => '6.1.0.0',
		'path'    => $baseDir . '/packages/woocommerce-blocks/src/InboxNotifications.php'
	),
	'Automattic\\WooCommerce\\Admin\\Install' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Install.php'
	),
	'Automattic\\WooCommerce\\Admin\\Composer\\Package' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Composer/Package.php'
	),
	'Automattic\\WooCommerce\\Admin\\ReportCSVExporter' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/ReportCSVExporter.php'
	),
	'Automattic\\WooCommerce\\Admin\\CategoryLookup' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/CategoryLookup.php'
	),
	'Automattic\\WooCommerce\\Admin\\WCAdminSharedSettings' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/WCAdminSharedSettings.php'
	),
	'Automattic\\WooCommerce\\Admin\\Loader' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Loader.php'
	),
	'Automattic\\WooCommerce\\Admin\\WCAdminHelper' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/WCAdminHelper.php'
	),
	'Automattic\\WooCommerce\\Admin\\Overrides\\Order' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Overrides/Order.php'
	),
	'Automattic\\WooCommerce\\Admin\\Overrides\\OrderTraits' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Overrides/OrderTraits.php'
	),
	'Automattic\\WooCommerce\\Admin\\Overrides\\ThemeUpgrader' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Overrides/ThemeUpgrader.php'
	),
	'Automattic\\WooCommerce\\Admin\\Overrides\\ThemeUpgraderSkin' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Overrides/ThemeUpgraderSkin.php'
	),
	'Automattic\\WooCommerce\\Admin\\Overrides\\OrderRefund' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Overrides/OrderRefund.php'
	),
	'Automattic\\WooCommerce\\Admin\\DeprecatedClassFacade' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/DeprecatedClassFacade.php'
	),
	'Automattic\\WooCommerce\\Admin\\ReportsSync' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/ReportsSync.php'
	),
	'Automattic\\WooCommerce\\Admin\\DateTimeProvider\\DateTimeProviderInterface' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/DateTimeProvider/DateTimeProviderInterface.php'
	),
	'Automattic\\WooCommerce\\Admin\\DateTimeProvider\\CurrentDateTimeProvider' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/DateTimeProvider/CurrentDateTimeProvider.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Customers' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Customers.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Export\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Export/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Products\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Products/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Products\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Products/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Products\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Products/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Products\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Products/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Products\\Stats\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Products/Stats/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Products\\Stats\\Segmenter' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Products/Stats/Segmenter.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Products\\Stats\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Products/Stats/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\DataStoreInterface' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/DataStoreInterface.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Cache' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Cache.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\PerformanceIndicators\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/PerformanceIndicators/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\ExportableInterface' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/ExportableInterface.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Stock\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Stock/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Stock\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Stock/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Stock\\Stats\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Stock/Stats/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Stock\\Stats\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Stock/Stats/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Segmenter' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Segmenter.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Revenue\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Revenue/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Revenue\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Revenue/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Orders\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Orders/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Orders\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Orders/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Orders\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Orders/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Orders\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Orders/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Orders\\Stats\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Orders/Stats/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Orders\\Stats\\Segmenter' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Orders/Stats/Segmenter.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Orders\\Stats\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Orders/Stats/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Taxes\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Taxes/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Taxes\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Taxes/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Taxes\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Taxes/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Taxes\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Taxes/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Taxes\\Stats\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Taxes/Stats/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Taxes\\Stats\\Segmenter' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Taxes/Stats/Segmenter.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Taxes\\Stats\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Taxes/Stats/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Categories\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Categories/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Categories\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Categories/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Categories\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Categories/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\ExportableTraits' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/ExportableTraits.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Import\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Import/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Downloads\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Downloads/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Downloads\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Downloads/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Downloads\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Downloads/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Downloads\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Downloads/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Downloads\\Stats\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Downloads/Stats/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Downloads\\Stats\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Downloads/Stats/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Downloads\\Files\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Downloads/Files/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Variations\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Variations/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Variations\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Variations/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Variations\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Variations/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Variations\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Variations/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Variations\\Stats\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Variations/Stats/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Variations\\Stats\\Segmenter' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Variations/Stats/Segmenter.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Variations\\Stats\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Variations/Stats/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\ParameterException' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/ParameterException.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Customers\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Customers/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Customers\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Customers/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Customers\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Customers/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Customers\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Customers/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Customers\\Stats\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Customers/Stats/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Customers\\Stats\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Customers/Stats/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\TimeInterval' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/TimeInterval.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Coupons\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Coupons/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Coupons\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Coupons/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Coupons\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Coupons/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Coupons\\Stats\\Controller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Coupons/Stats/Controller.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Coupons\\Stats\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Coupons/Stats/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Coupons\\Stats\\Segmenter' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Coupons/Stats/Segmenter.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\Coupons\\Stats\\Query' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/Coupons/Stats/Query.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Reports\\SqlQuery' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Reports/SqlQuery.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Options' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Options.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\CustomAttributeTraits' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/CustomAttributeTraits.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\ProductsLowInStock' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/ProductsLowInStock.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\DataDownloadIPs' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/DataDownloadIPs.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\ProductReviews' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/ProductReviews.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\OnboardingPayments' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/OnboardingPayments.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\MarketingOverview' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/MarketingOverview.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Themes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Themes.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\OnboardingProductTypes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/OnboardingProductTypes.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Taxes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Taxes.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Leaderboards' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Leaderboards.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\ProductCategories' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/ProductCategories.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Data' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Data.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\ProductAttributeTerms' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/ProductAttributeTerms.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Features' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Features.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\ProductAttributes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/ProductAttributes.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Init' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Init.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\OnboardingTasks' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/OnboardingTasks.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\ProductVariations' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/ProductVariations.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\NavigationFavorites' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/NavigationFavorites.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\OnboardingProfile' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/OnboardingProfile.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\SettingOptions' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/SettingOptions.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Products' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Products.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\OnboardingFreeExtensions' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/OnboardingFreeExtensions.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Orders' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Orders.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\OnboardingThemes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/OnboardingThemes.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Marketing' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Marketing.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Coupons' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Coupons.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\DataCountries' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/DataCountries.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Plugins' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Plugins.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\NoteActions' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/NoteActions.php'
	),
	'Automattic\\WooCommerce\\Admin\\API\\Notes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/API/Notes.php'
	),
	'Automattic\\WooCommerce\\Admin\\PaymentPlugins' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/PaymentPlugins.php'
	),
	'Automattic\\WooCommerce\\Admin\\Schedulers\\SchedulerTraits' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Schedulers/SchedulerTraits.php'
	),
	'Automattic\\WooCommerce\\Admin\\Schedulers\\OrdersScheduler' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Schedulers/OrdersScheduler.php'
	),
	'Automattic\\WooCommerce\\Admin\\Schedulers\\CustomersScheduler' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Schedulers/CustomersScheduler.php'
	),
	'Automattic\\WooCommerce\\Admin\\Schedulers\\ImportScheduler' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Schedulers/ImportScheduler.php'
	),
	'Automattic\\WooCommerce\\Admin\\Schedulers\\MailchimpScheduler' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Schedulers/MailchimpScheduler.php'
	),
	'Automattic\\WooCommerce\\Admin\\Schedulers\\ImportInterface' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Schedulers/ImportInterface.php'
	),
	'Automattic\\WooCommerce\\Admin\\PluginsProvider\\PluginsProvider' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/PluginsProvider/PluginsProvider.php'
	),
	'Automattic\\WooCommerce\\Admin\\PluginsProvider\\PluginsProviderInterface' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/PluginsProvider/PluginsProviderInterface.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\GettingStartedInEcommerceWebinar' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/GettingStartedInEcommerceWebinar.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\NeedSomeInspiration' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/NeedSomeInspiration.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\Note' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/Note.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\NavigationFeedbackFollowUp' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/NavigationFeedbackFollowUp.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\UnsecuredReportFiles' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/UnsecuredReportFiles.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\StartDropshippingBusiness' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/StartDropshippingBusiness.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WelcomeToWooCommerceForStoreUsers' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/WelcomeToWooCommerceForStoreUsers.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\InstallJPAndWCSPlugins' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/InstallJPAndWCSPlugins.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\FirstDownlaodableProduct' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/FirstDownlaodableProduct.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\ManageOrdersOnTheGo' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/ManageOrdersOnTheGo.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\DataStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DataStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\NewSalesRecord' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/NewSalesRecord.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\LearnMoreAboutVariableProducts' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/LearnMoreAboutVariableProducts.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\MarketingJetpack' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/MarketingJetpack.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\DeactivatePlugin' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeactivatePlugin.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\NavigationNudge' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/NavigationNudge.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\GivingFeedbackNotes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/GivingFeedbackNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\OnboardingPayments' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/OnboardingPayments.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\CustomizeStoreWithBlocks' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/CustomizeStoreWithBlocks.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\CouponPageMoved' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/CouponPageMoved.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\LaunchChecklist' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/LaunchChecklist.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\ChooseNiche' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/ChooseNiche.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\InsightFirstSale' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/InsightFirstSale.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WooCommercePayments' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/WooCommercePayments.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\EUVATNumber' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/EUVATNumber.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\TestCheckout' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/TestCheckout.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\TrackingOptIn' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/TrackingOptIn.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\PersonalizeStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/PersonalizeStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\PerformanceOnMobile' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/PerformanceOnMobile.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\OnlineClothingStore' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/OnlineClothingStore.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Note' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Choose_Niche' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Coupon_Page_Moved' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Customize_Store_With_Blocks' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Deactivate_Plugin' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Draw_Attention' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Edit_Products_On_The_Move' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_EU_VAT_Number' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Facebook_Marketing_Expert' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_First_Product' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Giving_Feedback_Notes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Insight_First_Sale' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Install_JP_And_WCS_Plugins' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Launch_Checklist' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Marketing' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Migrate_From_Shopify' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Mobile_App' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Need_Some_Inspiration' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_New_Sales_Record' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Onboarding_Email_Marketing' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Onboarding_Payments' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Online_Clothing_Store' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Order_Milestones' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Performance_On_Mobile' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Personalize_Store' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Real_Time_Order_Alerts' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Selling_Online_Courses' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Set_Up_Additional_Payment_Types' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Start_Dropshipping_Business' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Test_Checkout' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Tracking_Opt_In' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_Woo_Subscriptions_Notes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_WooCommerce_Payments' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WC_Admin_Notes_WooCommerce_Subscriptions' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DeprecatedNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\NoteTraits' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/NoteTraits.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\AddFirstProduct' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/AddFirstProduct.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\FilterByProductVariationsInReports' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/FilterByProductVariationsInReports.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\NavigationFeedback' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/NavigationFeedback.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\MerchantEmailNotifications\\NotificationEmail' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/MerchantEmailNotifications/NotificationEmail.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\MerchantEmailNotifications\\MerchantEmailNotifications' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/MerchantEmailNotifications/MerchantEmailNotifications.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\SetUpAdditionalPaymentTypes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/SetUpAdditionalPaymentTypes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\SellingOnlineCourses' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/SellingOnlineCourses.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\DrawAttention' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/DrawAttention.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\RealTimeOrderAlerts' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/RealTimeOrderAlerts.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\MigrateFromShopify' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/MigrateFromShopify.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\InsightFirstProductAndPayment' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/InsightFirstProductAndPayment.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\AddingAndManangingProducts' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/AddingAndManangingProducts.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WooSubscriptionsNotes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/WooSubscriptionsNotes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\WooCommerceSubscriptions' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/WooCommerceSubscriptions.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\EditProductsOnTheMove' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/EditProductsOnTheMove.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\CustomizingProductCatalog' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/CustomizingProductCatalog.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\NotesUnavailableException' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/NotesUnavailableException.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\FirstProduct' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/FirstProduct.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\MobileApp' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/MobileApp.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\OnboardingTraits' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/OnboardingTraits.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\Marketing' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/Marketing.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\ManageStoreActivityFromHomeScreen' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/ManageStoreActivityFromHomeScreen.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\ChoosingTheme' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/ChoosingTheme.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\OrderMilestones' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/OrderMilestones.php'
	),
	'Automattic\\WooCommerce\\Admin\\Notes\\Notes' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Notes/Notes.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\RemoteInboxNotifications' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/RemoteInboxNotifications.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\ActivityPanels' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/ActivityPanels.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\ShippingLabelBannerDisplayRules' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/ShippingLabelBannerDisplayRules.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\CouponsMovedTrait' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/CouponsMovedTrait.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\WcPayPromotion\\DataSourcePoller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/WcPayPromotion/DataSourcePoller.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\WcPayPromotion\\WCPaymentGatewayPreInstallWCPayPromotion' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/WcPayPromotion/WCPaymentGatewayPreInstallWCPayPromotion.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\WcPayPromotion\\Init' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/WcPayPromotion/Init.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Homescreen' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Homescreen.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\Purchase' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/Purchase.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\Payments' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/Payments.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\WooCommercePayments' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/WooCommercePayments.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\Appearance' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/Appearance.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\Tax' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/Tax.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\StoreDetails' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/StoreDetails.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\Shipping' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/Shipping.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\Products' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/Products.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Tasks\\Marketing' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Tasks/Marketing.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\TaskList' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/TaskList.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Init' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Init.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\TaskLists' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/TaskLists.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\OnboardingTasks\\Task' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/OnboardingTasks/Task.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Analytics' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Analytics.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Onboarding' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Onboarding.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\CustomerEffortScoreTracks' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/CustomerEffortScoreTracks.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Features' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Features.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\MobileAppBanner' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/MobileAppBanner.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Settings' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Settings.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\ShippingLabelBanner' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/ShippingLabelBanner.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\RemoteFreeExtensions\\DataSourcePoller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/RemoteFreeExtensions/DataSourcePoller.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\RemoteFreeExtensions\\EvaluateExtension' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/RemoteFreeExtensions/EvaluateExtension.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\RemoteFreeExtensions\\Init' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/RemoteFreeExtensions/Init.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\RemoteFreeExtensions\\DefaultFreeExtensions' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/RemoteFreeExtensions/DefaultFreeExtensions.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\PaymentGatewaySuggestions\\DataSourcePoller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/PaymentGatewaySuggestions/DataSourcePoller.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\PaymentGatewaySuggestions\\PaymentGatewaysController' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/PaymentGatewaySuggestions/PaymentGatewaysController.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\PaymentGatewaySuggestions\\Init' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/PaymentGatewaySuggestions/Init.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\PaymentGatewaySuggestions\\EvaluateSuggestion' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/PaymentGatewaySuggestions/EvaluateSuggestion.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\PaymentGatewaySuggestions\\DefaultPaymentGateways' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/PaymentGatewaySuggestions/DefaultPaymentGateways.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Navigation\\CoreMenu' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Navigation/CoreMenu.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Navigation\\Menu' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Navigation/Menu.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Navigation\\Init' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Navigation/Init.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Navigation\\Favorites' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Navigation/Favorites.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Navigation\\Screen' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Navigation/Screen.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Marketing' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Marketing.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\Coupons' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/Coupons.php'
	),
	'Automattic\\WooCommerce\\Admin\\Features\\TransientNotices' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Features/TransientNotices.php'
	),
	'Automattic\\WooCommerce\\Admin\\Marketing\\InstalledExtensions' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Marketing/InstalledExtensions.php'
	),
	'Automattic\\WooCommerce\\Admin\\Events' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Events.php'
	),
	'Automattic\\WooCommerce\\Admin\\PageController' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/PageController.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\GetRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/GetRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\RuleEvaluator' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/RuleEvaluator.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\SpecRunner' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/SpecRunner.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\FailRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/FailRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\DataSourcePoller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/DataSourcePoller.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\PublishBeforeTimeRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/PublishBeforeTimeRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\OrRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/OrRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\OptionRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/OptionRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\NotRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/NotRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\OrderCountRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/OrderCountRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\BaseLocationCountryRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/BaseLocationCountryRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\PassRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/PassRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\OrdersProvider' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/OrdersProvider.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\WooCommerceAdminUpdatedRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/WooCommerceAdminUpdatedRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\ProductCountRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/ProductCountRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\PublishAfterTimeRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/PublishAfterTimeRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\TransformerInterface' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/TransformerInterface.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\Transformers\\Count' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/Transformers/Count.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\Transformers\\ArrayFlatten' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/Transformers/ArrayFlatten.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\Transformers\\ArrayKeys' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/Transformers/ArrayKeys.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\Transformers\\ArrayValues' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/Transformers/ArrayValues.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\Transformers\\DotNotation' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/Transformers/DotNotation.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\Transformers\\ArraySearch' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/Transformers/ArraySearch.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\Transformers\\ArrayColumn' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/Transformers/ArrayColumn.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\TransformerService' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/TransformerService.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\EvaluationLogger' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/EvaluationLogger.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\OnboardingProfileRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/OnboardingProfileRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\StoredStateSetupForProducts' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/StoredStateSetupForProducts.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\ComparisonOperation' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/ComparisonOperation.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\PluginsActivatedRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/PluginsActivatedRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\NoteStatusRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/NoteStatusRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\PluginVersionRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/PluginVersionRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\WCAdminActiveForProvider' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/WCAdminActiveForProvider.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\WCAdminActiveForRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/WCAdminActiveForRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\RemoteInboxNotificationsEngine' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/RemoteInboxNotificationsEngine.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\RuleProcessorInterface' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/RuleProcessorInterface.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\StoredStateRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/StoredStateRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\IsEcommerceRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/IsEcommerceRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\EvaluateAndGetStatus' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/EvaluateAndGetStatus.php'
	),
	'Automattic\\WooCommerce\\Admin\\RemoteInboxNotifications\\BaseLocationStateRuleProcessor' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/RemoteInboxNotifications/BaseLocationStateRuleProcessor.php'
	),
	'Automattic\\WooCommerce\\Admin\\PluginsInstaller' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/PluginsInstaller.php'
	),
	'Automattic\\WooCommerce\\Admin\\FeaturePlugin' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/FeaturePlugin.php'
	),
	'Automattic\\WooCommerce\\Admin\\Survey' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/Survey.php'
	),
	'Automattic\\WooCommerce\\Admin\\ReportExporter' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/ReportExporter.php'
	),
	'Automattic\\WooCommerce\\Admin\\ReportCSVEmail' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/ReportCSVEmail.php'
	),
	'Automattic\\WooCommerce\\Admin\\PluginsHelper' => array(
		'version' => '2.8.0.0',
		'path'    => $baseDir . '/packages/woocommerce-admin/src/PluginsHelper.php'
	),
	'Automattic\\WooCommerce\\Container' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Container.php'
	),
	'Automattic\\WooCommerce\\Proxies\\ActionsProxy' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Proxies/ActionsProxy.php'
	),
	'Automattic\\WooCommerce\\Proxies\\LegacyProxy' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Proxies/LegacyProxy.php'
	),
	'Automattic\\WooCommerce\\Packages' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Packages.php'
	),
	'Automattic\\WooCommerce\\Utilities\\NumberUtil' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Utilities/NumberUtil.php'
	),
	'Automattic\\WooCommerce\\Utilities\\StringUtil' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Utilities/StringUtil.php'
	),
	'Automattic\\WooCommerce\\Utilities\\ArrayUtil' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Utilities/ArrayUtil.php'
	),
	'Automattic\\WooCommerce\\Checkout\\Helpers\\ReserveStockException' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Checkout/Helpers/ReserveStockException.php'
	),
	'Automattic\\WooCommerce\\Checkout\\Helpers\\ReserveStock' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Checkout/Helpers/ReserveStock.php'
	),
	'Automattic\\WooCommerce\\Internal\\RestockRefundedItemsAdjuster' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/RestockRefundedItemsAdjuster.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\ContainerException' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/ContainerException.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\ServiceProviders\\RestockRefundedItemsAdjusterServiceProvider' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/ServiceProviders/RestockRefundedItemsAdjusterServiceProvider.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\ServiceProviders\\ProxiesServiceProvider' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/ServiceProviders/ProxiesServiceProvider.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\ServiceProviders\\ProductAttributesLookupServiceProvider' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/ServiceProviders/ProductAttributesLookupServiceProvider.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\ServiceProviders\\AssignDefaultCategoryServiceProvider' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/ServiceProviders/AssignDefaultCategoryServiceProvider.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\ServiceProviders\\DownloadPermissionsAdjusterServiceProvider' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/ServiceProviders/DownloadPermissionsAdjusterServiceProvider.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\AbstractServiceProvider' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/AbstractServiceProvider.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\ExtendedContainer' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/ExtendedContainer.php'
	),
	'Automattic\\WooCommerce\\Internal\\DependencyManagement\\Definition' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DependencyManagement/Definition.php'
	),
	'Automattic\\WooCommerce\\Internal\\AssignDefaultCategory' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/AssignDefaultCategory.php'
	),
	'Automattic\\WooCommerce\\Internal\\WCCom\\ConnectionHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/WCCom/ConnectionHelper.php'
	),
	'Automattic\\WooCommerce\\Internal\\RestApiUtil' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/RestApiUtil.php'
	),
	'Automattic\\WooCommerce\\Internal\\ProductAttributesLookup\\LookupDataStore' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/ProductAttributesLookup/LookupDataStore.php'
	),
	'Automattic\\WooCommerce\\Internal\\ProductAttributesLookup\\Filterer' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/ProductAttributesLookup/Filterer.php'
	),
	'Automattic\\WooCommerce\\Internal\\ProductAttributesLookup\\DataRegenerator' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/ProductAttributesLookup/DataRegenerator.php'
	),
	'Automattic\\WooCommerce\\Internal\\DownloadPermissionsAdjuster' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Internal/DownloadPermissionsAdjuster.php'
	),
	'Automattic\\WooCommerce\\Autoloader' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/src/Autoloader.php'
	),
	'Automattic\\Jetpack\\Autoloader\\CustomAutoloaderPlugin' => array(
		'version' => '2.10.1.0',
		'path'    => $vendorDir . '/automattic/jetpack-autoloader/src/CustomAutoloaderPlugin.php'
	),
	'Automattic\\Jetpack\\Autoloader\\ManifestGenerator' => array(
		'version' => '2.10.1.0',
		'path'    => $vendorDir . '/automattic/jetpack-autoloader/src/ManifestGenerator.php'
	),
	'Automattic\\Jetpack\\Autoloader\\AutoloadGenerator' => array(
		'version' => '2.10.1.0',
		'path'    => $vendorDir . '/automattic/jetpack-autoloader/src/AutoloadGenerator.php'
	),
	'Automattic\\Jetpack\\Autoloader\\AutoloadFileWriter' => array(
		'version' => '2.10.1.0',
		'path'    => $vendorDir . '/automattic/jetpack-autoloader/src/AutoloadFileWriter.php'
	),
	'Automattic\\Jetpack\\Autoloader\\AutoloadProcessor' => array(
		'version' => '2.10.1.0',
		'path'    => $vendorDir . '/automattic/jetpack-autoloader/src/AutoloadProcessor.php'
	),
	'WC_REST_Shipping_Methods_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-shipping-methods-controller.php'
	),
	'WC_REST_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-controller.php'
	),
	'WC_REST_Product_Attributes_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-product-attributes-controller.php'
	),
	'WC_REST_System_Status_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-system-status-controller.php'
	),
	'WC_REST_Report_Sales_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-report-sales-controller.php'
	),
	'WC_REST_Shipping_Zones_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-shipping-zones-controller.php'
	),
	'WC_REST_Product_Variations_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-product-variations-controller.php'
	),
	'WC_REST_Network_Orders_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-network-orders-controller.php'
	),
	'WC_REST_Product_Shipping_Classes_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-product-shipping-classes-controller.php'
	),
	'WC_REST_Customer_Downloads_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-customer-downloads-controller.php'
	),
	'WC_REST_Taxes_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-taxes-controller.php'
	),
	'WC_REST_Coupons_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-coupons-controller.php'
	),
	'WC_REST_Tax_Classes_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-tax-classes-controller.php'
	),
	'WC_REST_Posts_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-posts-controller.php'
	),
	'WC_REST_Report_Coupons_Totals_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-report-coupons-totals-controller.php'
	),
	'WC_REST_Setting_Options_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-setting-options-controller.php'
	),
	'WC_REST_Terms_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-terms-controller.php'
	),
	'WC_REST_Orders_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-orders-controller.php'
	),
	'WC_REST_Report_Orders_Totals_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-report-orders-totals-controller.php'
	),
	'WC_REST_Data_Continents_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-data-continents-controller.php'
	),
	'WC_REST_Shipping_Zone_Locations_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-shipping-zone-locations-controller.php'
	),
	'WC_REST_Shipping_Zone_Methods_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-shipping-zone-methods-controller.php'
	),
	'WC_REST_Report_Reviews_Totals_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-report-reviews-totals-controller.php'
	),
	'WC_REST_Data_Countries_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-data-countries-controller.php'
	),
	'WC_REST_Settings_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-settings-controller.php'
	),
	'WC_REST_Data_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-data-controller.php'
	),
	'WC_REST_Product_Tags_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-product-tags-controller.php'
	),
	'WC_REST_Report_Customers_Totals_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-report-customers-totals-controller.php'
	),
	'WC_REST_Report_Top_Sellers_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-report-top-sellers-controller.php'
	),
	'WC_REST_CRUD_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-crud-controller.php'
	),
	'WC_REST_Customers_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-customers-controller.php'
	),
	'WC_REST_System_Status_Tools_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-system-status-tools-controller.php'
	),
	'WC_REST_Order_Refunds_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-order-refunds-controller.php'
	),
	'WC_REST_Report_Products_Totals_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-report-products-totals-controller.php'
	),
	'WC_REST_Payment_Gateways_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-payment-gateways-controller.php'
	),
	'WC_REST_Order_Notes_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-order-notes-controller.php'
	),
	'WC_REST_Products_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-products-controller.php'
	),
	'WC_REST_Product_Categories_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-product-categories-controller.php'
	),
	'WC_REST_Data_Currencies_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-data-currencies-controller.php'
	),
	'WC_REST_Product_Reviews_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-product-reviews-controller.php'
	),
	'WC_REST_Shipping_Zones_Controller_Base' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-shipping-zones-controller-base.php'
	),
	'WC_REST_Product_Attribute_Terms_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-product-attribute-terms-controller.php'
	),
	'WC_REST_Reports_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-reports-controller.php'
	),
	'WC_REST_Webhooks_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version3/class-wc-rest-webhooks-controller.php'
	),
	'WC_REST_Customers_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-customers-v2-controller.php'
	),
	'WC_REST_Reports_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-reports-v2-controller.php'
	),
	'WC_REST_Product_Reviews_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-product-reviews-v2-controller.php'
	),
	'WC_REST_Order_Refunds_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-order-refunds-v2-controller.php'
	),
	'WC_REST_Product_Variations_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-product-variations-v2-controller.php'
	),
	'WC_REST_Network_Orders_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-network-orders-v2-controller.php'
	),
	'WC_REST_Taxes_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-taxes-v2-controller.php'
	),
	'WC_REST_System_Status_Tools_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-system-status-tools-v2-controller.php'
	),
	'WC_REST_Setting_Options_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-setting-options-v2-controller.php'
	),
	'WC_REST_Coupons_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-coupons-v2-controller.php'
	),
	'WC_REST_Webhooks_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-webhooks-v2-controller.php'
	),
	'WC_REST_System_Status_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-system-status-v2-controller.php'
	),
	'WC_REST_Order_Notes_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-order-notes-v2-controller.php'
	),
	'WC_REST_Products_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-products-v2-controller.php'
	),
	'WC_REST_Product_Attributes_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-product-attributes-v2-controller.php'
	),
	'WC_REST_Customer_Downloads_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-customer-downloads-v2-controller.php'
	),
	'WC_REST_Product_Tags_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-product-tags-v2-controller.php'
	),
	'WC_REST_Report_Sales_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-report-sales-v2-controller.php'
	),
	'WC_REST_Product_Categories_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-product-categories-v2-controller.php'
	),
	'WC_REST_Payment_Gateways_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-payment-gateways-v2-controller.php'
	),
	'WC_REST_Shipping_Zones_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-shipping-zones-v2-controller.php'
	),
	'WC_REST_Tax_Classes_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-tax-classes-v2-controller.php'
	),
	'WC_REST_Webhook_Deliveries_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-webhook-deliveries-v2-controller.php'
	),
	'WC_REST_Settings_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-settings-v2-controller.php'
	),
	'WC_REST_Product_Shipping_Classes_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-product-shipping-classes-v2-controller.php'
	),
	'WC_REST_Shipping_Zone_Locations_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-shipping-zone-locations-v2-controller.php'
	),
	'WC_REST_Orders_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-orders-v2-controller.php'
	),
	'WC_REST_Shipping_Methods_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-shipping-methods-v2-controller.php'
	),
	'WC_REST_Report_Top_Sellers_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-report-top-sellers-v2-controller.php'
	),
	'WC_REST_Product_Attribute_Terms_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-product-attribute-terms-v2-controller.php'
	),
	'WC_REST_Shipping_Zone_Methods_V2_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version2/class-wc-rest-shipping-zone-methods-v2-controller.php'
	),
	'WC_REST_Telemetry_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Telemetry/class-wc-rest-telemetry-controller.php'
	),
	'WC_REST_Webhooks_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-webhooks-v1-controller.php'
	),
	'WC_REST_Customers_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-customers-v1-controller.php'
	),
	'WC_REST_Customer_Downloads_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-customer-downloads-v1-controller.php'
	),
	'WC_REST_Product_Tags_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-product-tags-v1-controller.php'
	),
	'WC_REST_Tax_Classes_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-tax-classes-v1-controller.php'
	),
	'WC_REST_Product_Reviews_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-product-reviews-v1-controller.php'
	),
	'WC_REST_Report_Sales_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-report-sales-v1-controller.php'
	),
	'WC_REST_Product_Attributes_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-product-attributes-v1-controller.php'
	),
	'WC_REST_Order_Notes_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-order-notes-v1-controller.php'
	),
	'WC_REST_Report_Top_Sellers_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-report-top-sellers-v1-controller.php'
	),
	'WC_REST_Coupons_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-coupons-v1-controller.php'
	),
	'WC_REST_Taxes_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-taxes-v1-controller.php'
	),
	'WC_REST_Product_Shipping_Classes_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-product-shipping-classes-v1-controller.php'
	),
	'WC_REST_Orders_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-orders-v1-controller.php'
	),
	'WC_REST_Webhook_Deliveries_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-webhook-deliveries-v1-controller.php'
	),
	'WC_REST_Reports_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-reports-v1-controller.php'
	),
	'WC_REST_Products_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-products-v1-controller.php'
	),
	'WC_REST_Order_Refunds_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-order-refunds-v1-controller.php'
	),
	'WC_REST_Product_Attribute_Terms_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-product-attribute-terms-v1-controller.php'
	),
	'WC_REST_Product_Categories_V1_Controller' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Controllers/Version1/class-wc-rest-product-categories-v1-controller.php'
	),
	'Automattic\\WooCommerce\\RestApi\\Utilities\\SingletonTrait' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Utilities/SingletonTrait.php'
	),
	'Automattic\\WooCommerce\\RestApi\\Utilities\\ImageAttachment' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Utilities/ImageAttachment.php'
	),
	'Automattic\\WooCommerce\\RestApi\\Package' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Package.php'
	),
	'Automattic\\WooCommerce\\RestApi\\Server' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/includes/rest-api/Server.php'
	),
	'Automattic\\WooCommerce\\RestApi\\UnitTests\\Helpers\\ProductHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/legacy/unit-tests/rest-api/Helpers/ProductHelper.php'
	),
	'Automattic\\WooCommerce\\RestApi\\UnitTests\\Helpers\\QueueHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/legacy/unit-tests/rest-api/Helpers/QueueHelper.php'
	),
	'Automattic\\WooCommerce\\RestApi\\UnitTests\\Helpers\\SettingsHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/legacy/unit-tests/rest-api/Helpers/SettingsHelper.php'
	),
	'Automattic\\WooCommerce\\RestApi\\UnitTests\\Helpers\\OrderHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/legacy/unit-tests/rest-api/Helpers/OrderHelper.php'
	),
	'Automattic\\WooCommerce\\RestApi\\UnitTests\\Helpers\\CustomerHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/legacy/unit-tests/rest-api/Helpers/CustomerHelper.php'
	),
	'Automattic\\WooCommerce\\RestApi\\UnitTests\\Helpers\\ShippingHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/legacy/unit-tests/rest-api/Helpers/ShippingHelper.php'
	),
	'Automattic\\WooCommerce\\RestApi\\UnitTests\\Helpers\\AdminNotesHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/legacy/unit-tests/rest-api/Helpers/AdminNotesHelper.php'
	),
	'Automattic\\WooCommerce\\RestApi\\UnitTests\\Helpers\\CouponHelper' => array(
		'version' => '5.9.0.0',
		'path'    => $baseDir . '/tests/legacy/unit-tests/rest-api/Helpers/CouponHelper.php'
	),
	'Automattic\\Jetpack\\Constants' => array(
		'version' => '1.5.1.0',
		'path'    => $vendorDir . '/automattic/jetpack-constants/src/class-constants.php'
	),
);
composer/installers/phpstan.neon.dist000064400000000325151332455420014057 0ustar00parameters:
    level: 5
    paths:
        - src
        - tests
    excludes_analyse:
        - tests/Composer/Installers/Test/PolyfillTestCase.php

includes:
    - vendor/phpstan/phpstan-phpunit/extension.neon
composer/installers/src/Composer/Installers/StarbugInstaller.php000064400000000461151332455420021254 0ustar00<?php
namespace Composer\Installers;

class StarbugInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'modules/{$name}/',
        'theme' => 'themes/{$name}/',
        'custom-module' => 'app/modules/{$name}/',
        'custom-theme' => 'app/themes/{$name}/'
    );
}
composer/installers/src/Composer/Installers/ZikulaInstaller.php000064400000000341151332455420021101 0ustar00<?php
namespace Composer\Installers;

class ZikulaInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'modules/{$vendor}-{$name}/',
        'theme'  => 'themes/{$vendor}-{$name}/'
    );
}
composer/installers/src/Composer/Installers/MODXEvoInstaller.php000064400000000741151332455420021067 0ustar00<?php
namespace Composer\Installers;

/**
 * An installer to handle MODX Evolution specifics when installing packages.
 */
class MODXEvoInstaller extends BaseInstaller
{
    protected $locations = array(
        'snippet'       => 'assets/snippets/{$name}/',
        'plugin'        => 'assets/plugins/{$name}/',
        'module'        => 'assets/modules/{$name}/',
        'template'      => 'assets/templates/{$name}/',
        'lib'           => 'assets/lib/{$name}/'
    );
}
composer/installers/src/Composer/Installers/ProcessWireInstaller.php000064400000001053151332455420022110 0ustar00<?php

namespace Composer\Installers;

class ProcessWireInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'  => 'site/modules/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $vars['name']));
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/MagentoInstaller.php000064400000000421151332455420021233 0ustar00<?php
namespace Composer\Installers;

class MagentoInstaller extends BaseInstaller
{
    protected $locations = array(
        'theme'   => 'app/design/frontend/{$name}/',
        'skin'    => 'skin/frontend/default/{$name}/',
        'library' => 'lib/{$name}/',
    );
}
composer/installers/src/Composer/Installers/EliasisInstaller.php000064400000000461151332455420021236 0ustar00<?php
namespace Composer\Installers;

class EliasisInstaller extends BaseInstaller
{
    protected $locations = array(
        'component' => 'components/{$name}/',
        'module'    => 'modules/{$name}/',
        'plugin'    => 'plugins/{$name}/',
        'template'  => 'templates/{$name}/',
    );
}
composer/installers/src/Composer/Installers/OxidInstaller.php000064400000002652151332455420020554 0ustar00<?php
namespace Composer\Installers;

use Composer\Package\PackageInterface;

class OxidInstaller extends BaseInstaller
{
	const VENDOR_PATTERN = '/^modules\/(?P<vendor>.+)\/.+/';

    protected $locations = array(
        'module'    => 'modules/{$name}/',
        'theme'  => 'application/views/{$name}/',
        'out'    => 'out/{$name}/',
    );

	/**
	 * getInstallPath
	 *
	 * @param PackageInterface $package
	 * @param string $frameworkType
	 * @return string
	 */
	public function getInstallPath(PackageInterface $package, $frameworkType = '')
	{
		$installPath = parent::getInstallPath($package, $frameworkType);
		$type = $this->package->getType();
		if ($type === 'oxid-module') {
			$this->prepareVendorDirectory($installPath);
		}
		return $installPath;
	}

	/**
	 * prepareVendorDirectory
	 *
	 * Makes sure there is a vendormetadata.php file inside
	 * the vendor folder if there is a vendor folder.
	 *
	 * @param string $installPath
	 * @return void
	 */
	protected function prepareVendorDirectory($installPath)
	{
		$matches = '';
		$hasVendorDirectory = preg_match(self::VENDOR_PATTERN, $installPath, $matches);
		if (!$hasVendorDirectory) {
			return;
		}

		$vendorDirectory = $matches['vendor'];
		$vendorPath = getcwd() . '/modules/' . $vendorDirectory;
		if (!file_exists($vendorPath)) {
			mkdir($vendorPath, 0755, true);
		}

		$vendorMetaDataPath = $vendorPath . '/vendormetadata.php';
		touch($vendorMetaDataPath);
	}
}
composer/installers/src/Composer/Installers/PortoInstaller.php000064400000000260151332455420020745 0ustar00<?php
namespace Composer\Installers;

class PortoInstaller extends BaseInstaller
{
    protected $locations = array(
        'container' => 'app/Containers/{$name}/',
    );
}
composer/installers/src/Composer/Installers/SyliusInstaller.php000064400000000245151332455420021135 0ustar00<?php
namespace Composer\Installers;

class SyliusInstaller extends BaseInstaller
{
    protected $locations = array(
        'theme' => 'themes/{$name}/',
    );
}
composer/installers/src/Composer/Installers/CraftInstaller.php000064400000001446151332455420020710 0ustar00<?php
namespace Composer\Installers;

/**
 * Installer for Craft Plugins
 */
class CraftInstaller extends BaseInstaller
{
    const NAME_PREFIX = 'craft';
    const NAME_SUFFIX = 'plugin';

    protected $locations = array(
        'plugin' => 'craft/plugins/{$name}/',
    );

    /**
     * Strip `craft-` prefix and/or `-plugin` suffix from package names
     *
     * @param  array $vars
     *
     * @return array
     */
    final public function inflectPackageVars($vars)
    {
        return $this->inflectPluginVars($vars);
    }

    private function inflectPluginVars($vars)
    {
        $vars['name'] = preg_replace('/-' . self::NAME_SUFFIX . '$/i', '', $vars['name']);
        $vars['name'] = preg_replace('/^' . self::NAME_PREFIX . '-/i', '', $vars['name']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/BitrixInstaller.php000064400000010251151332455420021104 0ustar00<?php

namespace Composer\Installers;

use Composer\Util\Filesystem;

/**
 * Installer for Bitrix Framework. Supported types of extensions:
 * - `bitrix-d7-module` — copy the module to directory `bitrix/modules/<vendor>.<name>`.
 * - `bitrix-d7-component` — copy the component to directory `bitrix/components/<vendor>/<name>`.
 * - `bitrix-d7-template` — copy the template to directory `bitrix/templates/<vendor>_<name>`.
 * 
 * You can set custom path to directory with Bitrix kernel in `composer.json`:
 * 
 * ```json
 * {
 *      "extra": {
 *          "bitrix-dir": "s1/bitrix"
 *      }
 * }
 * ```
 *
 * @author Nik Samokhvalov <nik@samokhvalov.info>
 * @author Denis Kulichkin <onexhovia@gmail.com>
 */
class BitrixInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'    => '{$bitrix_dir}/modules/{$name}/',    // deprecated, remove on the major release (Backward compatibility will be broken)
        'component' => '{$bitrix_dir}/components/{$name}/', // deprecated, remove on the major release (Backward compatibility will be broken)
        'theme'     => '{$bitrix_dir}/templates/{$name}/',  // deprecated, remove on the major release (Backward compatibility will be broken)
        'd7-module'    => '{$bitrix_dir}/modules/{$vendor}.{$name}/',
        'd7-component' => '{$bitrix_dir}/components/{$vendor}/{$name}/',
        'd7-template'     => '{$bitrix_dir}/templates/{$vendor}_{$name}/',
    );

    /**
     * @var array Storage for informations about duplicates at all the time of installation packages.
     */
    private static $checkedDuplicates = array();

    /**
     * {@inheritdoc}
     */
    public function inflectPackageVars($vars)
    {
        if ($this->composer->getPackage()) {
            $extra = $this->composer->getPackage()->getExtra();

            if (isset($extra['bitrix-dir'])) {
                $vars['bitrix_dir'] = $extra['bitrix-dir'];
            }
        }

        if (!isset($vars['bitrix_dir'])) {
            $vars['bitrix_dir'] = 'bitrix';
        }

        return parent::inflectPackageVars($vars);
    }

    /**
     * {@inheritdoc}
     */
    protected function templatePath($path, array $vars = array())
    {
        $templatePath = parent::templatePath($path, $vars);
        $this->checkDuplicates($templatePath, $vars);

        return $templatePath;
    }

    /**
     * Duplicates search packages.
     *
     * @param string $path
     * @param array $vars
     */
    protected function checkDuplicates($path, array $vars = array())
    {
        $packageType = substr($vars['type'], strlen('bitrix') + 1);
        $localDir = explode('/', $vars['bitrix_dir']);
        array_pop($localDir);
        $localDir[] = 'local';
        $localDir = implode('/', $localDir);

        $oldPath = str_replace(
            array('{$bitrix_dir}', '{$name}'),
            array($localDir, $vars['name']),
            $this->locations[$packageType]
        );

        if (in_array($oldPath, static::$checkedDuplicates)) {
            return;
        }

        if ($oldPath !== $path && file_exists($oldPath) && $this->io && $this->io->isInteractive()) {

            $this->io->writeError('    <error>Duplication of packages:</error>');
            $this->io->writeError('    <info>Package ' . $oldPath . ' will be called instead package ' . $path . '</info>');

            while (true) {
                switch ($this->io->ask('    <info>Delete ' . $oldPath . ' [y,n,?]?</info> ', '?')) {
                    case 'y':
                        $fs = new Filesystem();
                        $fs->removeDirectory($oldPath);
                        break 2;

                    case 'n':
                        break 2;

                    case '?':
                    default:
                        $this->io->writeError(array(
                            '    y - delete package ' . $oldPath . ' and to continue with the installation',
                            '    n - don\'t delete and to continue with the installation',
                        ));
                        $this->io->writeError('    ? - print help');
                        break;
                }
            }
        }

        static::$checkedDuplicates[] = $oldPath;
    }
}
composer/installers/src/Composer/Installers/JoomlaInstaller.php000064400000000640151332455420021065 0ustar00<?php
namespace Composer\Installers;

class JoomlaInstaller extends BaseInstaller
{
    protected $locations = array(
        'component'    => 'components/{$name}/',
        'module'       => 'modules/{$name}/',
        'template'     => 'templates/{$name}/',
        'plugin'       => 'plugins/{$name}/',
        'library'      => 'libraries/{$name}/',
    );

    // TODO: Add inflector for mod_ and com_ names
}
composer/installers/src/Composer/Installers/DolibarrInstaller.php000064400000000542151332455420021403 0ustar00<?php
namespace Composer\Installers;

/**
 * Class DolibarrInstaller
 *
 * @package Composer\Installers
 * @author  Raphaël Doursenaud <rdoursenaud@gpcsolutions.fr>
 */
class DolibarrInstaller extends BaseInstaller
{
    //TODO: Add support for scripts and themes
    protected $locations = array(
        'module' => 'htdocs/custom/{$name}/',
    );
}
composer/installers/src/Composer/Installers/PhpBBInstaller.php000064400000000405151332455420020576 0ustar00<?php
namespace Composer\Installers;

class PhpBBInstaller extends BaseInstaller
{
    protected $locations = array(
        'extension' => 'ext/{$vendor}/{$name}/',
        'language'  => 'language/{$name}/',
        'style'     => 'styles/{$name}/',
    );
}
composer/installers/src/Composer/Installers/Symfony1Installer.php000064400000001066151332455420021374 0ustar00<?php
namespace Composer\Installers;

/**
 * Plugin installer for symfony 1.x
 *
 * @author Jérôme Tamarelle <jerome@tamarelle.net>
 */
class Symfony1Installer extends BaseInstaller
{
    protected $locations = array(
        'plugin'    => 'plugins/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = preg_replace_callback('/(-[a-z])/', function ($matches) {
            return strtoupper($matches[0][1]);
        }, $vars['name']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/SyDESInstaller.php000064400000002264151332455420020577 0ustar00<?php
namespace Composer\Installers;

class SyDESInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'app/modules/{$name}/',
        'theme'  => 'themes/{$name}/',
    );

    /**
     * Format module name.
     *
     * Strip `sydes-` prefix and a trailing '-theme' or '-module' from package name if present.
     *
     * {@inerhitDoc}
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] == 'sydes-module') {
            return $this->inflectModuleVars($vars);
        }

        if ($vars['type'] === 'sydes-theme') {
            return $this->inflectThemeVars($vars);
        }

        return $vars;
    }

    public function inflectModuleVars($vars)
    {
        $vars['name'] = preg_replace('/(^sydes-|-module$)/i', '', $vars['name']);
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }

    protected function inflectThemeVars($vars)
    {
        $vars['name'] = preg_replace('/(^sydes-|-theme$)/', '', $vars['name']);
        $vars['name'] = strtolower($vars['name']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/DokuWikiInstaller.php000064400000002354151332455420021376 0ustar00<?php
namespace Composer\Installers;

class DokuWikiInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'lib/plugins/{$name}/',
        'template' => 'lib/tpl/{$name}/',
    );

    /**
     * Format package name.
     *
     * For package type dokuwiki-plugin, cut off a trailing '-plugin', 
     * or leading dokuwiki_ if present.
     * 
     * For package type dokuwiki-template, cut off a trailing '-template' if present.
     *
     */
    public function inflectPackageVars($vars)
    {

        if ($vars['type'] === 'dokuwiki-plugin') {
            return $this->inflectPluginVars($vars);
        }

        if ($vars['type'] === 'dokuwiki-template') {
            return $this->inflectTemplateVars($vars);
        }

        return $vars;
    }

    protected function inflectPluginVars($vars)
    {
        $vars['name'] = preg_replace('/-plugin$/', '', $vars['name']);
        $vars['name'] = preg_replace('/^dokuwiki_?-?/', '', $vars['name']);

        return $vars;
    }

    protected function inflectTemplateVars($vars)
    {
        $vars['name'] = preg_replace('/-template$/', '', $vars['name']);
        $vars['name'] = preg_replace('/^dokuwiki_?-?/', '', $vars['name']);

        return $vars;
    }

}
composer/installers/src/Composer/Installers/WinterInstaller.php000064400000002676151332455420021127 0ustar00<?php
namespace Composer\Installers;

class WinterInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'    => 'modules/{$name}/',
        'plugin'    => 'plugins/{$vendor}/{$name}/',
        'theme'     => 'themes/{$name}/'
    );

    /**
     * Format package name.
     *
     * For package type winter-plugin, cut off a trailing '-plugin' if present.
     *
     * For package type winter-theme, cut off a trailing '-theme' if present.
     *
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] === 'winter-module') {
            return $this->inflectModuleVars($vars);
        }
        
        if ($vars['type'] === 'winter-plugin') {
            return $this->inflectPluginVars($vars);
        }

        if ($vars['type'] === 'winter-theme') {
            return $this->inflectThemeVars($vars);
        }

        return $vars;
    }
    
    protected function inflectModuleVars($vars)
    {
        $vars['name'] = preg_replace('/^wn-|-module$/', '', $vars['name']);

        return $vars;
    }

    protected function inflectPluginVars($vars)
    {
        $vars['name'] = preg_replace('/^wn-|-plugin$/', '', $vars['name']);
        $vars['vendor'] = preg_replace('/[^a-z0-9_]/i', '', $vars['vendor']);

        return $vars;
    }

    protected function inflectThemeVars($vars)
    {
        $vars['name'] = preg_replace('/^wn-|-theme$/', '', $vars['name']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/YawikInstaller.php000064400000001246151332455420020733 0ustar00<?php
/**
 * Created by PhpStorm.
 * User: cbleek
 * Date: 25.03.16
 * Time: 20:55
 */

namespace Composer\Installers;


class YawikInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'  => 'module/{$name}/',
    );

    /**
     * Format package name to CamelCase
     * @param array $vars
     *
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $vars['name']));
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}composer/installers/src/Composer/Installers/PantheonInstaller.php000064400000000446151332455420021424 0ustar00<?php

namespace Composer\Installers;

class PantheonInstaller extends BaseInstaller
{
    /** @var array<string, string> */
    protected $locations = array(
        'script' => 'web/private/scripts/quicksilver/{$name}',
        'module' => 'web/private/scripts/quicksilver/{$name}',
    );
}
composer/installers/src/Composer/Installers/ZendInstaller.php000064400000000376151332455420020552 0ustar00<?php
namespace Composer\Installers;

class ZendInstaller extends BaseInstaller
{
    protected $locations = array(
        'library' => 'library/{$name}/',
        'extra'   => 'extras/library/{$name}/',
        'module'  => 'module/{$name}/',
    );
}
composer/installers/src/Composer/Installers/VgmcpInstaller.php000064400000002457151332455420020730 0ustar00<?php
namespace Composer\Installers;

class VgmcpInstaller extends BaseInstaller
{
    protected $locations = array(
        'bundle' => 'src/{$vendor}/{$name}/',
        'theme' => 'themes/{$name}/'
    );

    /**
     * Format package name.
     *
     * For package type vgmcp-bundle, cut off a trailing '-bundle' if present.
     *
     * For package type vgmcp-theme, cut off a trailing '-theme' if present.
     *
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] === 'vgmcp-bundle') {
            return $this->inflectPluginVars($vars);
        }

        if ($vars['type'] === 'vgmcp-theme') {
            return $this->inflectThemeVars($vars);
        }

        return $vars;
    }

    protected function inflectPluginVars($vars)
    {
        $vars['name'] = preg_replace('/-bundle$/', '', $vars['name']);
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }

    protected function inflectThemeVars($vars)
    {
        $vars['name'] = preg_replace('/-theme$/', '', $vars['name']);
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/OctoberInstaller.php000064400000002377151332455420021252 0ustar00<?php
namespace Composer\Installers;

class OctoberInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'    => 'modules/{$name}/',
        'plugin'    => 'plugins/{$vendor}/{$name}/',
        'theme'     => 'themes/{$vendor}-{$name}/'
    );

    /**
     * Format package name.
     *
     * For package type october-plugin, cut off a trailing '-plugin' if present.
     *
     * For package type october-theme, cut off a trailing '-theme' if present.
     *
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] === 'october-plugin') {
            return $this->inflectPluginVars($vars);
        }

        if ($vars['type'] === 'october-theme') {
            return $this->inflectThemeVars($vars);
        }

        return $vars;
    }

    protected function inflectPluginVars($vars)
    {
        $vars['name'] = preg_replace('/^oc-|-plugin$/', '', $vars['name']);
        $vars['vendor'] = preg_replace('/[^a-z0-9_]/i', '', $vars['vendor']);

        return $vars;
    }

    protected function inflectThemeVars($vars)
    {
        $vars['name'] = preg_replace('/^oc-|-theme$/', '', $vars['name']);
        $vars['vendor'] = preg_replace('/[^a-z0-9_]/i', '', $vars['vendor']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/Installer.php000064400000024372151332455420017733 0ustar00<?php

namespace Composer\Installers;

use Composer\Composer;
use Composer\Installer\BinaryInstaller;
use Composer\Installer\LibraryInstaller;
use Composer\IO\IOInterface;
use Composer\Package\PackageInterface;
use Composer\Repository\InstalledRepositoryInterface;
use Composer\Util\Filesystem;
use React\Promise\PromiseInterface;

class Installer extends LibraryInstaller
{

    /**
     * Package types to installer class map
     *
     * @var array
     */
    private $supportedTypes = array(
        'aimeos'       => 'AimeosInstaller',
        'asgard'       => 'AsgardInstaller',
        'attogram'     => 'AttogramInstaller',
        'agl'          => 'AglInstaller',
        'annotatecms'  => 'AnnotateCmsInstaller',
        'bitrix'       => 'BitrixInstaller',
        'bonefish'     => 'BonefishInstaller',
        'cakephp'      => 'CakePHPInstaller',
        'chef'         => 'ChefInstaller',
        'civicrm'      => 'CiviCrmInstaller',
        'ccframework'  => 'ClanCatsFrameworkInstaller',
        'cockpit'      => 'CockpitInstaller',
        'codeigniter'  => 'CodeIgniterInstaller',
        'concrete5'    => 'Concrete5Installer',
        'craft'        => 'CraftInstaller',
        'croogo'       => 'CroogoInstaller',
        'dframe'       => 'DframeInstaller',
        'dokuwiki'     => 'DokuWikiInstaller',
        'dolibarr'     => 'DolibarrInstaller',
        'decibel'      => 'DecibelInstaller',
        'drupal'       => 'DrupalInstaller',
        'elgg'         => 'ElggInstaller',
        'eliasis'      => 'EliasisInstaller',
        'ee3'          => 'ExpressionEngineInstaller',
        'ee2'          => 'ExpressionEngineInstaller',
        'ezplatform'   => 'EzPlatformInstaller',
        'fuel'         => 'FuelInstaller',
        'fuelphp'      => 'FuelphpInstaller',
        'grav'         => 'GravInstaller',
        'hurad'        => 'HuradInstaller',
        'tastyigniter' => 'TastyIgniterInstaller',
        'imagecms'     => 'ImageCMSInstaller',
        'itop'         => 'ItopInstaller',
        'joomla'       => 'JoomlaInstaller',
        'kanboard'     => 'KanboardInstaller',
        'kirby'        => 'KirbyInstaller',
        'known'	       => 'KnownInstaller',
        'kodicms'      => 'KodiCMSInstaller',
        'kohana'       => 'KohanaInstaller',
        'lms'      => 'LanManagementSystemInstaller',
        'laravel'      => 'LaravelInstaller',
        'lavalite'     => 'LavaLiteInstaller',
        'lithium'      => 'LithiumInstaller',
        'magento'      => 'MagentoInstaller',
        'majima'       => 'MajimaInstaller',
        'mantisbt'     => 'MantisBTInstaller',
        'mako'         => 'MakoInstaller',
        'maya'         => 'MayaInstaller',
        'mautic'       => 'MauticInstaller',
        'mediawiki'    => 'MediaWikiInstaller',
        'miaoxing'     => 'MiaoxingInstaller',
        'microweber'   => 'MicroweberInstaller',
        'modulework'   => 'MODULEWorkInstaller',
        'modx'         => 'ModxInstaller',
        'modxevo'      => 'MODXEvoInstaller',
        'moodle'       => 'MoodleInstaller',
        'october'      => 'OctoberInstaller',
        'ontowiki'     => 'OntoWikiInstaller',
        'oxid'         => 'OxidInstaller',
        'osclass'      => 'OsclassInstaller',
        'pxcms'        => 'PxcmsInstaller',
        'phpbb'        => 'PhpBBInstaller',
        'pimcore'      => 'PimcoreInstaller',
        'piwik'        => 'PiwikInstaller',
        'plentymarkets'=> 'PlentymarketsInstaller',
        'ppi'          => 'PPIInstaller',
        'puppet'       => 'PuppetInstaller',
        'radphp'       => 'RadPHPInstaller',
        'phifty'       => 'PhiftyInstaller',
        'porto'        => 'PortoInstaller',
        'processwire'  => 'ProcessWireInstaller',
        'quicksilver'  => 'PantheonInstaller',
        'redaxo'       => 'RedaxoInstaller',
        'redaxo5'      => 'Redaxo5Installer',
        'reindex'      => 'ReIndexInstaller',
        'roundcube'    => 'RoundcubeInstaller',
        'shopware'     => 'ShopwareInstaller',
        'sitedirect'   => 'SiteDirectInstaller',
        'silverstripe' => 'SilverStripeInstaller',
        'smf'          => 'SMFInstaller',
        'starbug'      => 'StarbugInstaller',
        'sydes'        => 'SyDESInstaller',
        'sylius'       => 'SyliusInstaller',
        'symfony1'     => 'Symfony1Installer',
        'tao'          => 'TaoInstaller',
        'thelia'       => 'TheliaInstaller',
        'tusk'         => 'TuskInstaller',
        'typo3-cms'    => 'TYPO3CmsInstaller',
        'typo3-flow'   => 'TYPO3FlowInstaller',
        'userfrosting' => 'UserFrostingInstaller',
        'vanilla'      => 'VanillaInstaller',
        'whmcs'        => 'WHMCSInstaller',
        'winter'       => 'WinterInstaller',
        'wolfcms'      => 'WolfCMSInstaller',
        'wordpress'    => 'WordPressInstaller',
        'yawik'        => 'YawikInstaller',
        'zend'         => 'ZendInstaller',
        'zikula'       => 'ZikulaInstaller',
        'prestashop'   => 'PrestashopInstaller'
    );

    /**
     * Installer constructor.
     *
     * Disables installers specified in main composer extra installer-disable
     * list
     *
     * @param IOInterface          $io
     * @param Composer             $composer
     * @param string               $type
     * @param Filesystem|null      $filesystem
     * @param BinaryInstaller|null $binaryInstaller
     */
    public function __construct(
        IOInterface $io,
        Composer $composer,
        $type = 'library',
        Filesystem $filesystem = null,
        BinaryInstaller $binaryInstaller = null
    ) {
        parent::__construct($io, $composer, $type, $filesystem,
            $binaryInstaller);
        $this->removeDisabledInstallers();
    }

    /**
     * {@inheritDoc}
     */
    public function getInstallPath(PackageInterface $package)
    {
        $type = $package->getType();
        $frameworkType = $this->findFrameworkType($type);

        if ($frameworkType === false) {
            throw new \InvalidArgumentException(
                'Sorry the package type of this package is not yet supported.'
            );
        }

        $class = 'Composer\\Installers\\' . $this->supportedTypes[$frameworkType];
        $installer = new $class($package, $this->composer, $this->getIO());

        return $installer->getInstallPath($package, $frameworkType);
    }

    public function uninstall(InstalledRepositoryInterface $repo, PackageInterface $package)
    {
        $installPath = $this->getPackageBasePath($package);
        $io = $this->io;
        $outputStatus = function () use ($io, $installPath) {
            $io->write(sprintf('Deleting %s - %s', $installPath, !file_exists($installPath) ? '<comment>deleted</comment>' : '<error>not deleted</error>'));
        };

        $promise = parent::uninstall($repo, $package);

        // Composer v2 might return a promise here
        if ($promise instanceof PromiseInterface) {
            return $promise->then($outputStatus);
        }

        // If not, execute the code right away as parent::uninstall executed synchronously (composer v1, or v2 without async)
        $outputStatus();

        return null;
    }

    /**
     * {@inheritDoc}
     */
    public function supports($packageType)
    {
        $frameworkType = $this->findFrameworkType($packageType);

        if ($frameworkType === false) {
            return false;
        }

        $locationPattern = $this->getLocationPattern($frameworkType);

        return preg_match('#' . $frameworkType . '-' . $locationPattern . '#', $packageType, $matches) === 1;
    }

    /**
     * Finds a supported framework type if it exists and returns it
     *
     * @param  string       $type
     * @return string|false
     */
    protected function findFrameworkType($type)
    {
        krsort($this->supportedTypes);

        foreach ($this->supportedTypes as $key => $val) {
            if ($key === substr($type, 0, strlen($key))) {
                return substr($type, 0, strlen($key));
            }
        }

        return false;
    }

    /**
     * Get the second part of the regular expression to check for support of a
     * package type
     *
     * @param  string $frameworkType
     * @return string
     */
    protected function getLocationPattern($frameworkType)
    {
        $pattern = false;
        if (!empty($this->supportedTypes[$frameworkType])) {
            $frameworkClass = 'Composer\\Installers\\' . $this->supportedTypes[$frameworkType];
            /** @var BaseInstaller $framework */
            $framework = new $frameworkClass(null, $this->composer, $this->getIO());
            $locations = array_keys($framework->getLocations());
            $pattern = $locations ? '(' . implode('|', $locations) . ')' : false;
        }

        return $pattern ? : '(\w+)';
    }

    /**
     * Get I/O object
     *
     * @return IOInterface
     */
    private function getIO()
    {
        return $this->io;
    }

    /**
     * Look for installers set to be disabled in composer's extra config and
     * remove them from the list of supported installers.
     *
     * Globals:
     *  - true, "all", and "*" - disable all installers.
     *  - false - enable all installers (useful with
     *     wikimedia/composer-merge-plugin or similar)
     *
     * @return void
     */
    protected function removeDisabledInstallers()
    {
        $extra = $this->composer->getPackage()->getExtra();

        if (!isset($extra['installer-disable']) || $extra['installer-disable'] === false) {
            // No installers are disabled
            return;
        }

        // Get installers to disable
        $disable = $extra['installer-disable'];

        // Ensure $disabled is an array
        if (!is_array($disable)) {
            $disable = array($disable);
        }

        // Check which installers should be disabled
        $all = array(true, "all", "*");
        $intersect = array_intersect($all, $disable);
        if (!empty($intersect)) {
            // Disable all installers
            $this->supportedTypes = array();
        } else {
            // Disable specified installers
            foreach ($disable as $key => $installer) {
                if (is_string($installer) && key_exists($installer, $this->supportedTypes)) {
                    unset($this->supportedTypes[$installer]);
                }
            }
        }
    }
}
composer/installers/src/Composer/Installers/ImageCMSInstaller.php000064400000000444151332455420021233 0ustar00<?php
namespace Composer\Installers;

class ImageCMSInstaller extends BaseInstaller
{
    protected $locations = array(
        'template'    => 'templates/{$name}/',
        'module'      => 'application/modules/{$name}/',
        'library'     => 'application/libraries/{$name}/',
    );
}
composer/installers/src/Composer/Installers/KanboardInstaller.php000064400000000450151332455420021364 0ustar00<?php
namespace Composer\Installers;

/**
 *
 * Installer for kanboard plugins
 *
 * kanboard.net
 *
 * Class KanboardInstaller
 * @package Composer\Installers
 */
class KanboardInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin'  => 'plugins/{$name}/',
    );
}
composer/installers/src/Composer/Installers/MiaoxingInstaller.php000064400000000252151332455420021416 0ustar00<?php

namespace Composer\Installers;

class MiaoxingInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'plugins/{$name}/',
    );
}
composer/installers/src/Composer/Installers/CiviCrmInstaller.php000064400000000243151332455420021177 0ustar00<?php
namespace Composer\Installers;

class CiviCrmInstaller extends BaseInstaller
{
    protected $locations = array(
        'ext'    => 'ext/{$name}/'
    );
}
composer/installers/src/Composer/Installers/WHMCSInstaller.php000064400000001506151332455420020527 0ustar00<?php

namespace Composer\Installers;

class WHMCSInstaller extends BaseInstaller
{
    protected $locations = array(
        'addons' => 'modules/addons/{$vendor}_{$name}/',
        'fraud' => 'modules/fraud/{$vendor}_{$name}/',
        'gateways' => 'modules/gateways/{$vendor}_{$name}/',
        'notifications' => 'modules/notifications/{$vendor}_{$name}/',
        'registrars' => 'modules/registrars/{$vendor}_{$name}/',
        'reports' => 'modules/reports/{$vendor}_{$name}/',
        'security' => 'modules/security/{$vendor}_{$name}/',
        'servers' => 'modules/servers/{$vendor}_{$name}/',
        'social' => 'modules/social/{$vendor}_{$name}/',
        'support' => 'modules/support/{$vendor}_{$name}/',
        'templates' => 'templates/{$vendor}_{$name}/',
        'includes' => 'includes/{$vendor}_{$name}/'
    );
}
composer/installers/src/Composer/Installers/MODULEWorkInstaller.php000064400000000256151332455420021477 0ustar00<?php
namespace Composer\Installers;

class MODULEWorkInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'    => 'modules/{$name}/',
    );
}
composer/installers/src/Composer/Installers/KnownInstaller.php000064400000000411151332455420020734 0ustar00<?php
namespace Composer\Installers;

class KnownInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin'    => 'IdnoPlugins/{$name}/',
        'theme'     => 'Themes/{$name}/',
        'console'   => 'ConsolePlugins/{$name}/',
    );
}
composer/installers/src/Composer/Installers/MakoInstaller.php000064400000000253151332455420020533 0ustar00<?php
namespace Composer\Installers;

class MakoInstaller extends BaseInstaller
{
    protected $locations = array(
        'package' => 'app/packages/{$name}/',
    );
}
composer/installers/src/Composer/Installers/OsclassInstaller.php000064400000000447151332455420021260 0ustar00<?php
namespace Composer\Installers;


class OsclassInstaller extends BaseInstaller 
{
    
    protected $locations = array(
        'plugin' => 'oc-content/plugins/{$name}/',
        'theme' => 'oc-content/themes/{$name}/',
        'language' => 'oc-content/languages/{$name}/',
    );
    
}
composer/installers/src/Composer/Installers/LithiumInstaller.php000064400000000336151332455420021261 0ustar00<?php
namespace Composer\Installers;

class LithiumInstaller extends BaseInstaller
{
    protected $locations = array(
        'library' => 'libraries/{$name}/',
        'source'  => 'libraries/_source/{$name}/',
    );
}
composer/installers/src/Composer/Installers/MediaWikiInstaller.php000064400000002422151332455420021507 0ustar00<?php
namespace Composer\Installers;

class MediaWikiInstaller extends BaseInstaller
{
    protected $locations = array(
        'core' => 'core/',
        'extension' => 'extensions/{$name}/',
        'skin' => 'skins/{$name}/',
    );

    /**
     * Format package name.
     *
     * For package type mediawiki-extension, cut off a trailing '-extension' if present and transform
     * to CamelCase keeping existing uppercase chars.
     *
     * For package type mediawiki-skin, cut off a trailing '-skin' if present.
     *
     */
    public function inflectPackageVars($vars)
    {

        if ($vars['type'] === 'mediawiki-extension') {
            return $this->inflectExtensionVars($vars);
        }

        if ($vars['type'] === 'mediawiki-skin') {
            return $this->inflectSkinVars($vars);
        }

        return $vars;
    }

    protected function inflectExtensionVars($vars)
    {
        $vars['name'] = preg_replace('/-extension$/', '', $vars['name']);
        $vars['name'] = str_replace('-', ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }

    protected function inflectSkinVars($vars)
    {
        $vars['name'] = preg_replace('/-skin$/', '', $vars['name']);

        return $vars;
    }

}
composer/installers/src/Composer/Installers/CroogoInstaller.php000064400000000767151332455420021106 0ustar00<?php
namespace Composer\Installers;

class CroogoInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'Plugin/{$name}/',
        'theme' => 'View/Themed/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower(str_replace(array('-', '_'), ' ', $vars['name']));
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/MoodleInstaller.php000064400000006054151332455420021070 0ustar00<?php
namespace Composer\Installers;

class MoodleInstaller extends BaseInstaller
{
    protected $locations = array(
        'mod'                => 'mod/{$name}/',
        'admin_report'       => 'admin/report/{$name}/',
        'atto'               => 'lib/editor/atto/plugins/{$name}/',
        'tool'               => 'admin/tool/{$name}/',
        'assignment'         => 'mod/assignment/type/{$name}/',
        'assignsubmission'   => 'mod/assign/submission/{$name}/',
        'assignfeedback'     => 'mod/assign/feedback/{$name}/',
        'auth'               => 'auth/{$name}/',
        'availability'       => 'availability/condition/{$name}/',
        'block'              => 'blocks/{$name}/',
        'booktool'           => 'mod/book/tool/{$name}/',
        'cachestore'         => 'cache/stores/{$name}/',
        'cachelock'          => 'cache/locks/{$name}/',
        'calendartype'       => 'calendar/type/{$name}/',
        'fileconverter'      => 'files/converter/{$name}/',
        'format'             => 'course/format/{$name}/',
        'coursereport'       => 'course/report/{$name}/',
        'customcertelement'  => 'mod/customcert/element/{$name}/',
        'datafield'          => 'mod/data/field/{$name}/',
        'datapreset'         => 'mod/data/preset/{$name}/',
        'editor'             => 'lib/editor/{$name}/',
        'enrol'              => 'enrol/{$name}/',
        'filter'             => 'filter/{$name}/',
        'gradeexport'        => 'grade/export/{$name}/',
        'gradeimport'        => 'grade/import/{$name}/',
        'gradereport'        => 'grade/report/{$name}/',
        'gradingform'        => 'grade/grading/form/{$name}/',
        'local'              => 'local/{$name}/',
        'logstore'           => 'admin/tool/log/store/{$name}/',
        'ltisource'          => 'mod/lti/source/{$name}/',
        'ltiservice'         => 'mod/lti/service/{$name}/',
        'message'            => 'message/output/{$name}/',
        'mnetservice'        => 'mnet/service/{$name}/',
        'plagiarism'         => 'plagiarism/{$name}/',
        'portfolio'          => 'portfolio/{$name}/',
        'qbehaviour'         => 'question/behaviour/{$name}/',
        'qformat'            => 'question/format/{$name}/',
        'qtype'              => 'question/type/{$name}/',
        'quizaccess'         => 'mod/quiz/accessrule/{$name}/',
        'quiz'               => 'mod/quiz/report/{$name}/',
        'report'             => 'report/{$name}/',
        'repository'         => 'repository/{$name}/',
        'scormreport'        => 'mod/scorm/report/{$name}/',
        'search'             => 'search/engine/{$name}/',
        'theme'              => 'theme/{$name}/',
        'tinymce'            => 'lib/editor/tinymce/plugins/{$name}/',
        'profilefield'       => 'user/profile/field/{$name}/',
        'webservice'         => 'webservice/{$name}/',
        'workshopallocation' => 'mod/workshop/allocation/{$name}/',
        'workshopeval'       => 'mod/workshop/eval/{$name}/',
        'workshopform'       => 'mod/workshop/form/{$name}/'
    );
}
composer/installers/src/Composer/Installers/SMFInstaller.php000064400000000312151332455420020265 0ustar00<?php
namespace Composer\Installers;

class SMFInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'Sources/{$name}/',
        'theme' => 'Themes/{$name}/',
    );
}
composer/installers/src/Composer/Installers/MauticInstaller.php000064400000002225151332455420021067 0ustar00<?php
namespace Composer\Installers;

use Composer\Package\PackageInterface;

class MauticInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin'           => 'plugins/{$name}/',
        'theme'            => 'themes/{$name}/',
        'core'             => 'app/',
    );

    private function getDirectoryName()
    {
        $extra = $this->package->getExtra();
        if (!empty($extra['install-directory-name'])) {
            return $extra['install-directory-name'];
        }

        return $this->toCamelCase($this->package->getPrettyName());
    }

    /**
     * @param string $packageName
     *
     * @return string
     */
    private function toCamelCase($packageName)
    {
        return str_replace(' ', '', ucwords(str_replace('-', ' ', basename($packageName))));
    }

    /**
     * Format package name of mautic-plugins to CamelCase
     */
    public function inflectPackageVars($vars)
    {

        if ($vars['type'] == 'mautic-plugin' || $vars['type'] == 'mautic-theme') {
            $directoryName = $this->getDirectoryName();
            $vars['name'] = $directoryName;
        }

        return $vars;
    }

}
composer/installers/src/Composer/Installers/PPIInstaller.php000064400000000244151332455420020274 0ustar00<?php
namespace Composer\Installers;

class PPIInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'modules/{$name}/',
    );
}
composer/installers/src/Composer/Installers/HuradInstaller.php000064400000001276151332455420020715 0ustar00<?php
namespace Composer\Installers;

class HuradInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'plugins/{$name}/',
        'theme' => 'plugins/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $nameParts = explode('/', $vars['name']);
        foreach ($nameParts as &$value) {
            $value = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $value));
            $value = str_replace(array('-', '_'), ' ', $value);
            $value = str_replace(' ', '', ucwords($value));
        }
        $vars['name'] = implode('/', $nameParts);
        return $vars;
    }
}
composer/installers/src/Composer/Installers/LavaLiteInstaller.php000064400000000344151332455420021346 0ustar00<?php
namespace Composer\Installers;

class LavaLiteInstaller extends BaseInstaller
{
    protected $locations = array(
        'package' => 'packages/{$vendor}/{$name}/',
        'theme'   => 'public/themes/{$name}/',
    );
}
composer/installers/src/Composer/Installers/AnnotateCmsInstaller.php000064400000000436151332455420022063 0ustar00<?php
namespace Composer\Installers;

class AnnotateCmsInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'    => 'addons/modules/{$name}/',
        'component' => 'addons/components/{$name}/',
        'service'   => 'addons/services/{$name}/',
    );
}
composer/installers/src/Composer/Installers/MantisBTInstaller.php000064400000001110151332455420021316 0ustar00<?php
namespace Composer\Installers;

use Composer\DependencyResolver\Pool;

class MantisBTInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'plugins/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $vars['name']));
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/PiwikInstaller.php000064400000001271151332455420020730 0ustar00<?php
namespace Composer\Installers;

/**
 * Class PiwikInstaller
 *
 * @package Composer\Installers
 */
class PiwikInstaller extends BaseInstaller
{
    /**
     * @var array
     */
    protected $locations = array(
        'plugin' => 'plugins/{$name}/',
    );

    /**
     * Format package name to CamelCase
     * @param array $vars
     *
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $vars['name']));
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/MajimaInstaller.php000064400000001502151332455420021040 0ustar00<?php
namespace Composer\Installers;

/**
 * Plugin/theme installer for majima
 * @author David Neustadt
 */
class MajimaInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'plugins/{$name}/',
    );

    /**
     * Transforms the names
     * @param  array $vars
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        return $this->correctPluginName($vars);
    }

    /**
     * Change hyphenated names to camelcase
     * @param  array $vars
     * @return array
     */
    private function correctPluginName($vars)
    {
        $camelCasedName = preg_replace_callback('/(-[a-z])/', function ($matches) {
            return strtoupper($matches[0][1]);
        }, $vars['name']);
        $vars['name'] = ucfirst($camelCasedName);
        return $vars;
    }
}
composer/installers/src/Composer/Installers/ShopwareInstaller.php000064400000003156151332455420021441 0ustar00<?php
namespace Composer\Installers;

/**
 * Plugin/theme installer for shopware
 * @author Benjamin Boit
 */
class ShopwareInstaller extends BaseInstaller
{
    protected $locations = array(
        'backend-plugin'    => 'engine/Shopware/Plugins/Local/Backend/{$name}/',
        'core-plugin'       => 'engine/Shopware/Plugins/Local/Core/{$name}/',
        'frontend-plugin'   => 'engine/Shopware/Plugins/Local/Frontend/{$name}/',
        'theme'             => 'templates/{$name}/',
        'plugin'            => 'custom/plugins/{$name}/',
        'frontend-theme'    => 'themes/Frontend/{$name}/',
    );

    /**
     * Transforms the names
     * @param  array $vars
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] === 'shopware-theme') {
            return $this->correctThemeName($vars);
        }

        return $this->correctPluginName($vars);        
    }

    /**
     * Changes the name to a camelcased combination of vendor and name
     * @param  array $vars
     * @return array
     */
    private function correctPluginName($vars)
    {
        $camelCasedName = preg_replace_callback('/(-[a-z])/', function ($matches) {
            return strtoupper($matches[0][1]);
        }, $vars['name']);

        $vars['name'] = ucfirst($vars['vendor']) . ucfirst($camelCasedName);

        return $vars;
    }

    /**
     * Changes the name to a underscore separated name
     * @param  array $vars
     * @return array
     */
    private function correctThemeName($vars)
    {
        $vars['name'] = str_replace('-', '_', $vars['name']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/KirbyInstaller.php000064400000000405151332455420020723 0ustar00<?php
namespace Composer\Installers;

class KirbyInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin'    => 'site/plugins/{$name}/',
        'field'    => 'site/fields/{$name}/',
        'tag'    => 'site/tags/{$name}/'
    );
}
composer/installers/src/Composer/Installers/Redaxo5Installer.php000064400000000404151332455420021151 0ustar00<?php
namespace Composer\Installers;

class Redaxo5Installer extends BaseInstaller
{
    protected $locations = array(
        'addon'          => 'redaxo/src/addons/{$name}/',
        'bestyle-plugin' => 'redaxo/src/addons/be_style/plugins/{$name}/'
    );
}
composer/installers/src/Composer/Installers/AttogramInstaller.php000064400000000251151332455420021420 0ustar00<?php
namespace Composer\Installers;

class AttogramInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'modules/{$name}/',
    );
}
composer/installers/src/Composer/Installers/ExpressionEngineInstaller.php000064400000001334151332455420023132 0ustar00<?php
namespace Composer\Installers;

use Composer\Package\PackageInterface;

class ExpressionEngineInstaller extends BaseInstaller
{

    protected $locations = array();

    private $ee2Locations = array(
        'addon'   => 'system/expressionengine/third_party/{$name}/',
        'theme'   => 'themes/third_party/{$name}/',
    );

    private $ee3Locations = array(
        'addon'   => 'system/user/addons/{$name}/',
        'theme'   => 'themes/user/{$name}/',
    );

    public function getInstallPath(PackageInterface $package, $frameworkType = '')
    {

        $version = "{$frameworkType}Locations";
        $this->locations = $this->$version;

        return parent::getInstallPath($package, $frameworkType);
    }
}
composer/installers/src/Composer/Installers/TaoInstaller.php000064400000001423151332455420020367 0ustar00<?php
namespace Composer\Installers;

/**
 * An installer to handle TAO extensions.
 */
class TaoInstaller extends BaseInstaller
{
    const EXTRA_TAO_EXTENSION_NAME = 'tao-extension-name';

    protected $locations = array(
        'extension' => '{$name}'
    );
    
    public function inflectPackageVars($vars)
    {
        $extra = $this->package->getExtra();

        if (array_key_exists(self::EXTRA_TAO_EXTENSION_NAME, $extra)) {
            $vars['name'] = $extra[self::EXTRA_TAO_EXTENSION_NAME];
            return $vars;
        }

        $vars['name'] = str_replace('extension-', '', $vars['name']);
        $vars['name'] = str_replace('-', ' ', $vars['name']);
        $vars['name'] = lcfirst(str_replace(' ', '', ucwords($vars['name'])));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/LaravelInstaller.php000064400000000253151332455420021232 0ustar00<?php
namespace Composer\Installers;

class LaravelInstaller extends BaseInstaller
{
    protected $locations = array(
        'library' => 'libraries/{$name}/',
    );
}
composer/installers/src/Composer/Installers/RoundcubeInstaller.php000064400000000711151332455420021571 0ustar00<?php
namespace Composer\Installers;

class RoundcubeInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'plugins/{$name}/',
    );

    /**
     * Lowercase name and changes the name to a underscores
     *
     * @param  array $vars
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower(str_replace('-', '_', $vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/UserFrostingInstaller.php000064400000000265151332455420022301 0ustar00<?php
namespace Composer\Installers;

class UserFrostingInstaller extends BaseInstaller
{
    protected $locations = array(
        'sprinkle' => 'app/sprinkles/{$name}/',
    );
}
composer/installers/src/Composer/Installers/ClanCatsFrameworkInstaller.php000064400000000326151332455420023213 0ustar00<?php
namespace Composer\Installers;

class ClanCatsFrameworkInstaller extends BaseInstaller
{
	protected $locations = array(
		'ship'      => 'CCF/orbit/{$name}/',
		'theme'     => 'CCF/app/themes/{$name}/',
	);
}composer/installers/src/Composer/Installers/LanManagementSystemInstaller.php000064400000001326151332455420023562 0ustar00<?php

namespace Composer\Installers;

class LanManagementSystemInstaller extends BaseInstaller
{

    protected $locations = array(
        'plugin' => 'plugins/{$name}/',
        'template' => 'templates/{$name}/',
        'document-template' => 'documents/templates/{$name}/',
        'userpanel-module' => 'userpanel/modules/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $vars['name']));
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }

}
composer/installers/src/Composer/Installers/MicroweberInstaller.php000064400000010340151332455420021740 0ustar00<?php
namespace Composer\Installers;

class MicroweberInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'userfiles/modules/{$install_item_dir}/',
        'module-skin' => 'userfiles/modules/{$install_item_dir}/templates/',
        'template' => 'userfiles/templates/{$install_item_dir}/',
        'element' => 'userfiles/elements/{$install_item_dir}/',
        'vendor' => 'vendor/{$install_item_dir}/',
        'components' => 'components/{$install_item_dir}/'
    );

    /**
     * Format package name.
     *
     * For package type microweber-module, cut off a trailing '-module' if present
     *
     * For package type microweber-template, cut off a trailing '-template' if present.
     *
     */
    public function inflectPackageVars($vars)
    {


        if ($this->package->getTargetDir()) {
            $vars['install_item_dir'] = $this->package->getTargetDir();
        } else {
            $vars['install_item_dir'] = $vars['name'];
            if ($vars['type'] === 'microweber-template') {
                return $this->inflectTemplateVars($vars);
            }
            if ($vars['type'] === 'microweber-templates') {
                return $this->inflectTemplatesVars($vars);
            }
            if ($vars['type'] === 'microweber-core') {
                return $this->inflectCoreVars($vars);
            }
            if ($vars['type'] === 'microweber-adapter') {
                return $this->inflectCoreVars($vars);
            }
            if ($vars['type'] === 'microweber-module') {
                return $this->inflectModuleVars($vars);
            }
            if ($vars['type'] === 'microweber-modules') {
                return $this->inflectModulesVars($vars);
            }
            if ($vars['type'] === 'microweber-skin') {
                return $this->inflectSkinVars($vars);
            }
            if ($vars['type'] === 'microweber-element' or $vars['type'] === 'microweber-elements') {
                return $this->inflectElementVars($vars);
            }
        }


        return $vars;
    }

    protected function inflectTemplateVars($vars)
    {
        $vars['install_item_dir'] = preg_replace('/-template$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/template-$/', '', $vars['install_item_dir']);

        return $vars;
    }

    protected function inflectTemplatesVars($vars)
    {
        $vars['install_item_dir'] = preg_replace('/-templates$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/templates-$/', '', $vars['install_item_dir']);

        return $vars;
    }

    protected function inflectCoreVars($vars)
    {
        $vars['install_item_dir'] = preg_replace('/-providers$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/-provider$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/-adapter$/', '', $vars['install_item_dir']);

        return $vars;
    }

    protected function inflectModuleVars($vars)
    {
        $vars['install_item_dir'] = preg_replace('/-module$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/module-$/', '', $vars['install_item_dir']);

        return $vars;
    }

    protected function inflectModulesVars($vars)
    {
        $vars['install_item_dir'] = preg_replace('/-modules$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/modules-$/', '', $vars['install_item_dir']);

        return $vars;
    }

    protected function inflectSkinVars($vars)
    {
        $vars['install_item_dir'] = preg_replace('/-skin$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/skin-$/', '', $vars['install_item_dir']);

        return $vars;
    }

    protected function inflectElementVars($vars)
    {
        $vars['install_item_dir'] = preg_replace('/-elements$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/elements-$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/-element$/', '', $vars['install_item_dir']);
        $vars['install_item_dir'] = preg_replace('/element-$/', '', $vars['install_item_dir']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/RedaxoInstaller.php000064400000000413151332455420021064 0ustar00<?php
namespace Composer\Installers;

class RedaxoInstaller extends BaseInstaller
{
    protected $locations = array(
        'addon'          => 'redaxo/include/addons/{$name}/',
        'bestyle-plugin' => 'redaxo/include/addons/be_style/plugins/{$name}/'
    );
}
composer/installers/src/Composer/Installers/FuelInstaller.php000064400000000417151332455420020541 0ustar00<?php
namespace Composer\Installers;

class FuelInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'  => 'fuel/app/modules/{$name}/',
        'package' => 'fuel/packages/{$name}/',
        'theme'   => 'fuel/app/themes/{$name}/',
    );
}
composer/installers/src/Composer/Installers/Plugin.php000064400000001214151332455420017222 0ustar00<?php

namespace Composer\Installers;

use Composer\Composer;
use Composer\IO\IOInterface;
use Composer\Plugin\PluginInterface;

class Plugin implements PluginInterface
{
    private $installer;

    public function activate(Composer $composer, IOInterface $io)
    {
        $this->installer = new Installer($io, $composer);
        $composer->getInstallationManager()->addInstaller($this->installer);
    }

    public function deactivate(Composer $composer, IOInterface $io)
    {
        $composer->getInstallationManager()->removeInstaller($this->installer);
    }

    public function uninstall(Composer $composer, IOInterface $io)
    {
    }
}
composer/installers/src/Composer/Installers/VanillaInstaller.php000064400000000325151332455420021232 0ustar00<?php
namespace Composer\Installers;

class VanillaInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin'    => 'plugins/{$name}/',
        'theme'     => 'themes/{$name}/',
    );
}
composer/installers/src/Composer/Installers/AglInstaller.php000064400000000711151332455420020346 0ustar00<?php
namespace Composer\Installers;

class AglInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'More/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = preg_replace_callback('/(?:^|_|-)(.?)/', function ($matches) {
            return strtoupper($matches[1]);
        }, $vars['name']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/KohanaInstaller.php000064400000000247151332455420021050 0ustar00<?php
namespace Composer\Installers;

class KohanaInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'modules/{$name}/',
    );
}
composer/installers/src/Composer/Installers/PuppetInstaller.php000064400000000251151332455420021117 0ustar00<?php

namespace Composer\Installers;

class PuppetInstaller extends BaseInstaller
{

    protected $locations = array(
        'module' => 'modules/{$name}/',
    );
}
composer/installers/src/Composer/Installers/PrestashopInstaller.php000064400000000322151332455420021771 0ustar00<?php
namespace Composer\Installers;

class PrestashopInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'modules/{$name}/',
        'theme'  => 'themes/{$name}/',
    );
}
composer/installers/src/Composer/Installers/SiteDirectInstaller.php000064400000001216151332455420021703 0ustar00<?php

namespace Composer\Installers;

class SiteDirectInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'modules/{$vendor}/{$name}/',
        'plugin' => 'plugins/{$vendor}/{$name}/'
    );

    public function inflectPackageVars($vars)
    {
        return $this->parseVars($vars);
    }

    protected function parseVars($vars)
    {
        $vars['vendor'] = strtolower($vars['vendor']) == 'sitedirect' ? 'SiteDirect' : $vars['vendor'];
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/RadPHPInstaller.php000064400000001223151332455420020720 0ustar00<?php
namespace Composer\Installers;

class RadPHPInstaller extends BaseInstaller
{
    protected $locations = array(
        'bundle' => 'src/{$name}/'
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $nameParts = explode('/', $vars['name']);
        foreach ($nameParts as &$value) {
            $value = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $value));
            $value = str_replace(array('-', '_'), ' ', $value);
            $value = str_replace(' ', '', ucwords($value));
        }
        $vars['name'] = implode('/', $nameParts);
        return $vars;
    }
}
composer/installers/src/Composer/Installers/AimeosInstaller.php000064400000000250151332455420021056 0ustar00<?php
namespace Composer\Installers;

class AimeosInstaller extends BaseInstaller
{
    protected $locations = array(
        'extension'   => 'ext/{$name}/',
    );
}
composer/installers/src/Composer/Installers/CakePHPInstaller.php000064400000003446151332455420021066 0ustar00<?php
namespace Composer\Installers;

use Composer\DependencyResolver\Pool;
use Composer\Semver\Constraint\Constraint;

class CakePHPInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'Plugin/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        if ($this->matchesCakeVersion('>=', '3.0.0')) {
            return $vars;
        }

        $nameParts = explode('/', $vars['name']);
        foreach ($nameParts as &$value) {
            $value = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $value));
            $value = str_replace(array('-', '_'), ' ', $value);
            $value = str_replace(' ', '', ucwords($value));
        }
        $vars['name'] = implode('/', $nameParts);

        return $vars;
    }

    /**
     * Change the default plugin location when cakephp >= 3.0
     */
    public function getLocations()
    {
        if ($this->matchesCakeVersion('>=', '3.0.0')) {
            $this->locations['plugin'] =  $this->composer->getConfig()->get('vendor-dir') . '/{$vendor}/{$name}/';
        }
        return $this->locations;
    }

    /**
     * Check if CakePHP version matches against a version
     *
     * @param string $matcher
     * @param string $version
     * @return bool
     * @phpstan-param Constraint::STR_OP_* $matcher
     */
    protected function matchesCakeVersion($matcher, $version)
    {
        $repositoryManager = $this->composer->getRepositoryManager();
        if (! $repositoryManager) {
            return false;
        }

        $repos = $repositoryManager->getLocalRepository();
        if (!$repos) {
            return false;
        }

        return $repos->findPackage('cakephp/cakephp', new Constraint($matcher, $version)) !== null;
    }
}
composer/installers/src/Composer/Installers/CockpitInstaller.php000064400000001231151332455420021235 0ustar00<?php
namespace Composer\Installers;

class CockpitInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'cockpit/modules/addons/{$name}/',
    );

    /**
     * Format module name.
     *
     * Strip `module-` prefix from package name.
     *
     * {@inheritDoc}
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] == 'cockpit-module') {
            return $this->inflectModuleVars($vars);
        }

        return $vars;
    }

    public function inflectModuleVars($vars)
    {
        $vars['name'] = ucfirst(preg_replace('/cockpit-/i', '', $vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/WordPressInstaller.php000064400000000524151332455420021575 0ustar00<?php
namespace Composer\Installers;

class WordPressInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin'    => 'wp-content/plugins/{$name}/',
        'theme'     => 'wp-content/themes/{$name}/',
        'muplugin'  => 'wp-content/mu-plugins/{$name}/',
        'dropin'    => 'wp-content/{$name}/',
    );
}
composer/installers/src/Composer/Installers/DrupalInstaller.php000064400000001543151332455420021076 0ustar00<?php
namespace Composer\Installers;

class DrupalInstaller extends BaseInstaller
{
    protected $locations = array(
        'core'             => 'core/',
        'module'           => 'modules/{$name}/',
        'theme'            => 'themes/{$name}/',
        'library'          => 'libraries/{$name}/',
        'profile'          => 'profiles/{$name}/',
        'database-driver'  => 'drivers/lib/Drupal/Driver/Database/{$name}/',
        'drush'            => 'drush/{$name}/',
        'custom-theme'     => 'themes/custom/{$name}/',
        'custom-module'    => 'modules/custom/{$name}/',
        'custom-profile'   => 'profiles/custom/{$name}/',
        'drupal-multisite' => 'sites/{$name}/',
        'console'          => 'console/{$name}/',
        'console-language' => 'console/language/{$name}/',
        'config'           => 'config/sync/',
    );
}
composer/installers/src/Composer/Installers/ModxInstaller.php000064400000000364151332455420020556 0ustar00<?php
namespace Composer\Installers;

/**
 * An installer to handle MODX specifics when installing packages.
 */
class ModxInstaller extends BaseInstaller
{
    protected $locations = array(
        'extra' => 'core/packages/{$name}/'
    );
}
composer/installers/src/Composer/Installers/TuskInstaller.php000064400000000640151332455420020572 0ustar00<?php
    namespace Composer\Installers;
    /**
     * Composer installer for 3rd party Tusk utilities
     * @author Drew Ewing <drew@phenocode.com>
     */
    class TuskInstaller extends BaseInstaller
    {
        protected $locations = array(
            'task'    => '.tusk/tasks/{$name}/',
            'command' => '.tusk/commands/{$name}/',
            'asset'   => 'assets/tusk/{$name}/',
        );
    }
composer/installers/src/Composer/Installers/PlentymarketsInstaller.php000064400000001311151332455420022502 0ustar00<?php
namespace Composer\Installers;

class PlentymarketsInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin'   => '{$name}/'
    );

    /**
     * Remove hyphen, "plugin" and format to camelcase
     * @param array $vars
     *
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = explode("-", $vars['name']);
        foreach ($vars['name'] as $key => $name) {
            $vars['name'][$key] = ucfirst($vars['name'][$key]);
            if (strcasecmp($name, "Plugin") == 0) {
                unset($vars['name'][$key]);
            }
        }
        $vars['name'] = implode("",$vars['name']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/PhiftyInstaller.php000064400000000400151332455420021101 0ustar00<?php
namespace Composer\Installers;

class PhiftyInstaller extends BaseInstaller
{
    protected $locations = array(
        'bundle' => 'bundles/{$name}/',
        'library' => 'libraries/{$name}/',
        'framework' => 'frameworks/{$name}/',
    );
}
composer/installers/src/Composer/Installers/TYPO3FlowInstaller.php000064400000002300151332455420021345 0ustar00<?php
namespace Composer\Installers;

/**
 * An installer to handle TYPO3 Flow specifics when installing packages.
 */
class TYPO3FlowInstaller extends BaseInstaller
{
    protected $locations = array(
        'package'       => 'Packages/Application/{$name}/',
        'framework'     => 'Packages/Framework/{$name}/',
        'plugin'        => 'Packages/Plugins/{$name}/',
        'site'          => 'Packages/Sites/{$name}/',
        'boilerplate'   => 'Packages/Boilerplates/{$name}/',
        'build'         => 'Build/{$name}/',
    );

    /**
     * Modify the package name to be a TYPO3 Flow style key.
     *
     * @param  array $vars
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        $autoload = $this->package->getAutoload();
        if (isset($autoload['psr-0']) && is_array($autoload['psr-0'])) {
            $namespace = key($autoload['psr-0']);
            $vars['name'] = str_replace('\\', '.', $namespace);
        }
        if (isset($autoload['psr-4']) && is_array($autoload['psr-4'])) {
            $namespace = key($autoload['psr-4']);
            $vars['name'] = rtrim(str_replace('\\', '.', $namespace), '.');
        }

        return $vars;
    }
}
composer/installers/src/Composer/Installers/BonefishInstaller.php000064400000000267151332455420021406 0ustar00<?php
namespace Composer\Installers;

class BonefishInstaller extends BaseInstaller
{
    protected $locations = array(
        'package'    => 'Packages/{$vendor}/{$name}/'
    );
}
composer/installers/src/Composer/Installers/KodiCMSInstaller.php000064400000000333151332455420021074 0ustar00<?php
namespace Composer\Installers;

class KodiCMSInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'cms/plugins/{$name}/',
        'media'  => 'cms/media/vendor/{$name}/'
    );
}composer/installers/src/Composer/Installers/EzPlatformInstaller.php000064400000000354151332455420021731 0ustar00<?php
namespace Composer\Installers;

class EzPlatformInstaller extends BaseInstaller
{
    protected $locations = array(
        'meta-assets' => 'web/assets/ezplatform/',
        'assets' => 'web/assets/ezplatform/{$name}/',
    );
}
composer/installers/src/Composer/Installers/TYPO3CmsInstaller.php000064400000000575151332455420021174 0ustar00<?php
namespace Composer\Installers;

/**
 * Extension installer for TYPO3 CMS
 *
 * @deprecated since 1.0.25, use https://packagist.org/packages/typo3/cms-composer-installers instead
 *
 * @author Sascha Egerer <sascha.egerer@dkd.de>
 */
class TYPO3CmsInstaller extends BaseInstaller
{
    protected $locations = array(
        'extension'   => 'typo3conf/ext/{$name}/',
    );
}
composer/installers/src/Composer/Installers/CodeIgniterInstaller.php000064400000000465151332455420022045 0ustar00<?php
namespace Composer\Installers;

class CodeIgniterInstaller extends BaseInstaller
{
    protected $locations = array(
        'library'     => 'application/libraries/{$name}/',
        'third-party' => 'application/third_party/{$name}/',
        'module'      => 'application/modules/{$name}/',
    );
}
composer/installers/src/Composer/Installers/TastyIgniterInstaller.php000064400000001553151332455420022276 0ustar00<?php

namespace Composer\Installers;

class TastyIgniterInstaller extends BaseInstaller
{
    protected $locations = array(
        'extension' => 'extensions/{$vendor}/{$name}/',
        'theme' => 'themes/{$name}/',
    );

    /**
     * Format package name.
     *
     * Cut off leading 'ti-ext-' or 'ti-theme-' if present.
     * Strip vendor name of characters that is not alphanumeric or an underscore
     *
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] === 'tastyigniter-extension') {
            $vars['vendor'] = preg_replace('/[^a-z0-9_]/i', '', $vars['vendor']);
            $vars['name'] = preg_replace('/^ti-ext-/', '', $vars['name']);
        }

        if ($vars['type'] === 'tastyigniter-theme') {
            $vars['name'] = preg_replace('/^ti-theme-/', '', $vars['name']);
        }

        return $vars;
    }
}composer/installers/src/Composer/Installers/ReIndexInstaller.php000064400000000324151332455420021201 0ustar00<?php
namespace Composer\Installers;

class ReIndexInstaller extends BaseInstaller
{
    protected $locations = array(
        'theme'     => 'themes/{$name}/',
        'plugin'    => 'plugins/{$name}/'
    );
}
composer/installers/src/Composer/Installers/FuelphpInstaller.php000064400000000257151332455420021253 0ustar00<?php
namespace Composer\Installers;

class FuelphpInstaller extends BaseInstaller
{
    protected $locations = array(
        'component'  => 'components/{$name}/',
    );
}
composer/installers/src/Composer/Installers/ChefInstaller.php000064400000000336151332455420020513 0ustar00<?php
namespace Composer\Installers;

class ChefInstaller extends BaseInstaller
{
    protected $locations = array(
        'cookbook'  => 'Chef/{$vendor}/{$name}/',
        'role'      => 'Chef/roles/{$name}/',
    );
}

composer/installers/src/Composer/Installers/MayaInstaller.php000064400000001427151332455420020537 0ustar00<?php
namespace Composer\Installers;

class MayaInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'modules/{$name}/',
    );

    /**
     * Format package name.
     *
     * For package type maya-module, cut off a trailing '-module' if present.
     *
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] === 'maya-module') {
            return $this->inflectModuleVars($vars);
        }

        return $vars;
    }

    protected function inflectModuleVars($vars)
    {
        $vars['name'] = preg_replace('/-module$/', '', $vars['name']);
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/PxcmsInstaller.php000064400000003734151332455420020745 0ustar00<?php
namespace Composer\Installers;

class PxcmsInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'app/Modules/{$name}/',
        'theme' => 'themes/{$name}/',
    );

    /**
     * Format package name.
     *
     * @param array $vars
     *
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] === 'pxcms-module') {
            return $this->inflectModuleVars($vars);
        }

        if ($vars['type'] === 'pxcms-theme') {
            return $this->inflectThemeVars($vars);
        }

        return $vars;
    }

    /**
     * For package type pxcms-module, cut off a trailing '-plugin' if present.
     *
     * return string
     */
    protected function inflectModuleVars($vars)
    {
        $vars['name'] = str_replace('pxcms-', '', $vars['name']);       // strip out pxcms- just incase (legacy)
        $vars['name'] = str_replace('module-', '', $vars['name']);      // strip out module-
        $vars['name'] = preg_replace('/-module$/', '', $vars['name']);  // strip out -module
        $vars['name'] = str_replace('-', '_', $vars['name']);           // make -'s be _'s
        $vars['name'] = ucwords($vars['name']);                         // make module name camelcased

        return $vars;
    }


    /**
     * For package type pxcms-module, cut off a trailing '-plugin' if present.
     *
     * return string
     */
    protected function inflectThemeVars($vars)
    {
        $vars['name'] = str_replace('pxcms-', '', $vars['name']);       // strip out pxcms- just incase (legacy)
        $vars['name'] = str_replace('theme-', '', $vars['name']);       // strip out theme-
        $vars['name'] = preg_replace('/-theme$/', '', $vars['name']);   // strip out -theme
        $vars['name'] = str_replace('-', '_', $vars['name']);           // make -'s be _'s
        $vars['name'] = ucwords($vars['name']);                         // make module name camelcased

        return $vars;
    }
}
composer/installers/src/Composer/Installers/AsgardInstaller.php000064400000002456151332455420021054 0ustar00<?php
namespace Composer\Installers;

class AsgardInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => 'Modules/{$name}/',
        'theme' => 'Themes/{$name}/'
    );

    /**
     * Format package name.
     *
     * For package type asgard-module, cut off a trailing '-plugin' if present.
     *
     * For package type asgard-theme, cut off a trailing '-theme' if present.
     *
     */
    public function inflectPackageVars($vars)
    {
        if ($vars['type'] === 'asgard-module') {
            return $this->inflectPluginVars($vars);
        }

        if ($vars['type'] === 'asgard-theme') {
            return $this->inflectThemeVars($vars);
        }

        return $vars;
    }

    protected function inflectPluginVars($vars)
    {
        $vars['name'] = preg_replace('/-module$/', '', $vars['name']);
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }

    protected function inflectThemeVars($vars)
    {
        $vars['name'] = preg_replace('/-theme$/', '', $vars['name']);
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/DecibelInstaller.php000064400000000272151332455420021174 0ustar00<?php
namespace Composer\Installers;

class DecibelInstaller extends BaseInstaller
{
    /** @var array */
    protected $locations = array(
        'app'    => 'app/{$name}/',
    );
}
composer/installers/src/Composer/Installers/PimcoreInstaller.php000064400000001040151332455420021235 0ustar00<?php
namespace Composer\Installers;

class PimcoreInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'plugins/{$name}/',
    );

    /**
     * Format package name to CamelCase
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower(preg_replace('/(?<=\\w)([A-Z])/', '_\\1', $vars['name']));
        $vars['name'] = str_replace(array('-', '_'), ' ', $vars['name']);
        $vars['name'] = str_replace(' ', '', ucwords($vars['name']));

        return $vars;
    }
}
composer/installers/src/Composer/Installers/Concrete5Installer.php000064400000000556151332455420021501 0ustar00<?php
namespace Composer\Installers;

class Concrete5Installer extends BaseInstaller
{
    protected $locations = array(
        'core'       => 'concrete/',
        'block'      => 'application/blocks/{$name}/',
        'package'    => 'packages/{$name}/',
        'theme'      => 'application/themes/{$name}/',
        'update'     => 'updates/{$name}/',
    );
}
composer/installers/src/Composer/Installers/ElggInstaller.php000064400000000241151332455420020517 0ustar00<?php
namespace Composer\Installers;

class ElggInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'mod/{$name}/',
    );
}
composer/installers/src/Composer/Installers/WolfCMSInstaller.php000064400000000255151332455420021120 0ustar00<?php
namespace Composer\Installers;

class WolfCMSInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'wolf/plugins/{$name}/',
    );
}
composer/installers/src/Composer/Installers/SilverStripeInstaller.php000064400000002127151332455420022301 0ustar00<?php
namespace Composer\Installers;

use Composer\Package\PackageInterface;

class SilverStripeInstaller extends BaseInstaller
{
    protected $locations = array(
        'module' => '{$name}/',
        'theme'  => 'themes/{$name}/',
    );

    /**
     * Return the install path based on package type.
     *
     * Relies on built-in BaseInstaller behaviour with one exception: silverstripe/framework
     * must be installed to 'sapphire' and not 'framework' if the version is <3.0.0
     *
     * @param  PackageInterface $package
     * @param  string           $frameworkType
     * @return string
     */
    public function getInstallPath(PackageInterface $package, $frameworkType = '')
    {
        if (
            $package->getName() == 'silverstripe/framework'
            && preg_match('/^\d+\.\d+\.\d+/', $package->getVersion())
            && version_compare($package->getVersion(), '2.999.999') < 0
        ) {
            return $this->templatePath($this->locations['module'], array('name' => 'sapphire'));
        }

        return parent::getInstallPath($package, $frameworkType);
    }
}
composer/installers/src/Composer/Installers/TheliaInstaller.php000064400000000604151332455420021052 0ustar00<?php
namespace Composer\Installers;

class TheliaInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'                => 'local/modules/{$name}/',
        'frontoffice-template'  => 'templates/frontOffice/{$name}/',
        'backoffice-template'   => 'templates/backOffice/{$name}/',
        'email-template'        => 'templates/email/{$name}/',
    );
}
composer/installers/src/Composer/Installers/DframeInstaller.php000064400000000263151332455420021043 0ustar00<?php

namespace Composer\Installers;

class DframeInstaller extends BaseInstaller
{
    protected $locations = array(
        'module'  => 'modules/{$vendor}/{$name}/',
    );
}
composer/installers/src/Composer/Installers/ItopInstaller.php000064400000000256151332455420020562 0ustar00<?php
namespace Composer\Installers;

class ItopInstaller extends BaseInstaller
{
    protected $locations = array(
        'extension'    => 'extensions/{$name}/',
    );
}
composer/installers/src/Composer/Installers/OntoWikiInstaller.php000064400000001324151332455420021407 0ustar00<?php
namespace Composer\Installers;

class OntoWikiInstaller extends BaseInstaller
{
    protected $locations = array(
        'extension' => 'extensions/{$name}/',
        'theme' => 'extensions/themes/{$name}/',
        'translation' => 'extensions/translations/{$name}/',
    );

    /**
     * Format package name to lower case and remove ".ontowiki" suffix
     */
    public function inflectPackageVars($vars)
    {
        $vars['name'] = strtolower($vars['name']);
        $vars['name'] = preg_replace('/.ontowiki$/', '', $vars['name']);
        $vars['name'] = preg_replace('/-theme$/', '', $vars['name']);
        $vars['name'] = preg_replace('/-translation$/', '', $vars['name']);

        return $vars;
    }
}
composer/installers/src/Composer/Installers/BaseInstaller.php000064400000007753151332455420020532 0ustar00<?php
namespace Composer\Installers;

use Composer\IO\IOInterface;
use Composer\Composer;
use Composer\Package\PackageInterface;

abstract class BaseInstaller
{
    protected $locations = array();
    protected $composer;
    protected $package;
    protected $io;

    /**
     * Initializes base installer.
     *
     * @param PackageInterface $package
     * @param Composer         $composer
     * @param IOInterface      $io
     */
    public function __construct(PackageInterface $package = null, Composer $composer = null, IOInterface $io = null)
    {
        $this->composer = $composer;
        $this->package = $package;
        $this->io = $io;
    }

    /**
     * Return the install path based on package type.
     *
     * @param  PackageInterface $package
     * @param  string           $frameworkType
     * @return string
     */
    public function getInstallPath(PackageInterface $package, $frameworkType = '')
    {
        $type = $this->package->getType();

        $prettyName = $this->package->getPrettyName();
        if (strpos($prettyName, '/') !== false) {
            list($vendor, $name) = explode('/', $prettyName);
        } else {
            $vendor = '';
            $name = $prettyName;
        }

        $availableVars = $this->inflectPackageVars(compact('name', 'vendor', 'type'));

        $extra = $package->getExtra();
        if (!empty($extra['installer-name'])) {
            $availableVars['name'] = $extra['installer-name'];
        }

        if ($this->composer->getPackage()) {
            $extra = $this->composer->getPackage()->getExtra();
            if (!empty($extra['installer-paths'])) {
                $customPath = $this->mapCustomInstallPaths($extra['installer-paths'], $prettyName, $type, $vendor);
                if ($customPath !== false) {
                    return $this->templatePath($customPath, $availableVars);
                }
            }
        }

        $packageType = substr($type, strlen($frameworkType) + 1);
        $locations = $this->getLocations();
        if (!isset($locations[$packageType])) {
            throw new \InvalidArgumentException(sprintf('Package type "%s" is not supported', $type));
        }

        return $this->templatePath($locations[$packageType], $availableVars);
    }

    /**
     * For an installer to override to modify the vars per installer.
     *
     * @param  array<string, string> $vars This will normally receive array{name: string, vendor: string, type: string}
     * @return array<string, string>
     */
    public function inflectPackageVars($vars)
    {
        return $vars;
    }

    /**
     * Gets the installer's locations
     *
     * @return array<string, string> map of package types => install path
     */
    public function getLocations()
    {
        return $this->locations;
    }

    /**
     * Replace vars in a path
     *
     * @param  string                $path
     * @param  array<string, string> $vars
     * @return string
     */
    protected function templatePath($path, array $vars = array())
    {
        if (strpos($path, '{') !== false) {
            extract($vars);
            preg_match_all('@\{\$([A-Za-z0-9_]*)\}@i', $path, $matches);
            if (!empty($matches[1])) {
                foreach ($matches[1] as $var) {
                    $path = str_replace('{$' . $var . '}', $$var, $path);
                }
            }
        }

        return $path;
    }

    /**
     * Search through a passed paths array for a custom install path.
     *
     * @param  array  $paths
     * @param  string $name
     * @param  string $type
     * @param  string $vendor = NULL
     * @return string|false
     */
    protected function mapCustomInstallPaths(array $paths, $name, $type, $vendor = NULL)
    {
        foreach ($paths as $path => $names) {
            $names = (array) $names;
            if (in_array($name, $names) || in_array('type:' . $type, $names) || in_array('vendor:' . $vendor, $names)) {
                return $path;
            }
        }

        return false;
    }
}
composer/installers/src/Composer/Installers/GravInstaller.php000064400000001274151332455420020547 0ustar00<?php
namespace Composer\Installers;

class GravInstaller extends BaseInstaller
{
    protected $locations = array(
        'plugin' => 'user/plugins/{$name}/',
        'theme'  => 'user/themes/{$name}/',
    );

    /**
     * Format package name
     *
     * @param array $vars
     *
     * @return array
     */
    public function inflectPackageVars($vars)
    {
        $restrictedWords = implode('|', array_keys($this->locations));

        $vars['name'] = strtolower($vars['name']);
        $vars['name'] = preg_replace('/^(?:grav-)?(?:(?:'.$restrictedWords.')-)?(.*?)(?:-(?:'.$restrictedWords.'))?$/ui',
            '$1',
            $vars['name']
        );

        return $vars;
    }
}
composer/installers/src/bootstrap.php000064400000000724151332455420014077 0ustar00<?php
function includeIfExists($file)
{
    if (file_exists($file)) {
        return include $file;
    }
}
if ((!$loader = includeIfExists(__DIR__ . '/../vendor/autoload.php')) && (!$loader = includeIfExists(__DIR__ . '/../../../autoload.php'))) {
    die('You must set up the project dependencies, run the following commands:'.PHP_EOL.
        'curl -s http://getcomposer.org/installer | php'.PHP_EOL.
        'php composer.phar install'.PHP_EOL);
}
return $loader;
composer/installers/LICENSE000064400000002046151332455420011566 0ustar00Copyright (c) 2012 Kyle Robinson Young

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.composer/installed.json000064400000053705151332455420011263 0ustar00[
    {
        "name": "automattic/jetpack-autoloader",
        "version": "2.10.1",
        "version_normalized": "2.10.1.0",
        "source": {
            "type": "git",
            "url": "https://github.com/Automattic/jetpack-autoloader.git",
            "reference": "20393c4677765c3e737dcb5aee7a3f7b90dce4b3"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/Automattic/jetpack-autoloader/zipball/20393c4677765c3e737dcb5aee7a3f7b90dce4b3",
            "reference": "20393c4677765c3e737dcb5aee7a3f7b90dce4b3",
            "shasum": ""
        },
        "require": {
            "composer-plugin-api": "^1.1 || ^2.0"
        },
        "require-dev": {
            "automattic/jetpack-changelogger": "^1.1",
            "yoast/phpunit-polyfills": "0.2.0"
        },
        "time": "2021-03-30T15:15:59+00:00",
        "type": "composer-plugin",
        "extra": {
            "class": "Automattic\\Jetpack\\Autoloader\\CustomAutoloaderPlugin",
            "mirror-repo": "Automattic/jetpack-autoloader",
            "changelogger": {
                "link-template": "https://github.com/Automattic/jetpack-autoloader/compare/v${old}...v${new}"
            },
            "branch-alias": {
                "dev-master": "2.10.x-dev"
            }
        },
        "installation-source": "dist",
        "autoload": {
            "classmap": [
                "src/AutoloadGenerator.php"
            ],
            "psr-4": {
                "Automattic\\Jetpack\\Autoloader\\": "src"
            }
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "GPL-2.0-or-later"
        ],
        "description": "Creates a custom autoloader for a plugin or theme.",
        "support": {
            "source": "https://github.com/Automattic/jetpack-autoloader/tree/2.10.1"
        }
    },
    {
        "name": "automattic/jetpack-constants",
        "version": "v1.5.1",
        "version_normalized": "1.5.1.0",
        "source": {
            "type": "git",
            "url": "https://github.com/Automattic/jetpack-constants.git",
            "reference": "18f772daddc8be5df76c9f4a92e017a3c2569a5b"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/Automattic/jetpack-constants/zipball/18f772daddc8be5df76c9f4a92e017a3c2569a5b",
            "reference": "18f772daddc8be5df76c9f4a92e017a3c2569a5b",
            "shasum": ""
        },
        "require-dev": {
            "php-mock/php-mock": "^2.1",
            "phpunit/phpunit": "^5.7 || ^6.5 || ^7.5"
        },
        "time": "2020-10-28T19:00:31+00:00",
        "type": "library",
        "installation-source": "dist",
        "autoload": {
            "classmap": [
                "src/"
            ]
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "GPL-2.0-or-later"
        ],
        "description": "A wrapper for defining constants in a more testable way.",
        "support": {
            "source": "https://github.com/Automattic/jetpack-constants/tree/v1.5.1"
        }
    },
    {
        "name": "composer/installers",
        "version": "v1.12.0",
        "version_normalized": "1.12.0.0",
        "source": {
            "type": "git",
            "url": "https://github.com/composer/installers.git",
            "reference": "d20a64ed3c94748397ff5973488761b22f6d3f19"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/composer/installers/zipball/d20a64ed3c94748397ff5973488761b22f6d3f19",
            "reference": "d20a64ed3c94748397ff5973488761b22f6d3f19",
            "shasum": ""
        },
        "require": {
            "composer-plugin-api": "^1.0 || ^2.0"
        },
        "replace": {
            "roundcube/plugin-installer": "*",
            "shama/baton": "*"
        },
        "require-dev": {
            "composer/composer": "1.6.* || ^2.0",
            "composer/semver": "^1 || ^3",
            "phpstan/phpstan": "^0.12.55",
            "phpstan/phpstan-phpunit": "^0.12.16",
            "symfony/phpunit-bridge": "^4.2 || ^5",
            "symfony/process": "^2.3"
        },
        "time": "2021-09-13T08:19:44+00:00",
        "type": "composer-plugin",
        "extra": {
            "class": "Composer\\Installers\\Plugin",
            "branch-alias": {
                "dev-main": "1.x-dev"
            }
        },
        "installation-source": "dist",
        "autoload": {
            "psr-4": {
                "Composer\\Installers\\": "src/Composer/Installers"
            }
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "MIT"
        ],
        "authors": [
            {
                "name": "Kyle Robinson Young",
                "email": "kyle@dontkry.com",
                "homepage": "https://github.com/shama"
            }
        ],
        "description": "A multi-framework Composer library installer",
        "homepage": "https://composer.github.io/installers/",
        "keywords": [
            "Craft",
            "Dolibarr",
            "Eliasis",
            "Hurad",
            "ImageCMS",
            "Kanboard",
            "Lan Management System",
            "MODX Evo",
            "MantisBT",
            "Mautic",
            "Maya",
            "OXID",
            "Plentymarkets",
            "Porto",
            "RadPHP",
            "SMF",
            "Starbug",
            "Thelia",
            "Whmcs",
            "WolfCMS",
            "agl",
            "aimeos",
            "annotatecms",
            "attogram",
            "bitrix",
            "cakephp",
            "chef",
            "cockpit",
            "codeigniter",
            "concrete5",
            "croogo",
            "dokuwiki",
            "drupal",
            "eZ Platform",
            "elgg",
            "expressionengine",
            "fuelphp",
            "grav",
            "installer",
            "itop",
            "joomla",
            "known",
            "kohana",
            "laravel",
            "lavalite",
            "lithium",
            "magento",
            "majima",
            "mako",
            "mediawiki",
            "miaoxing",
            "modulework",
            "modx",
            "moodle",
            "osclass",
            "pantheon",
            "phpbb",
            "piwik",
            "ppi",
            "processwire",
            "puppet",
            "pxcms",
            "reindex",
            "roundcube",
            "shopware",
            "silverstripe",
            "sydes",
            "sylius",
            "symfony",
            "tastyigniter",
            "typo3",
            "wordpress",
            "yawik",
            "zend",
            "zikula"
        ],
        "support": {
            "issues": "https://github.com/composer/installers/issues",
            "source": "https://github.com/composer/installers/tree/v1.12.0"
        },
        "funding": [
            {
                "url": "https://packagist.com",
                "type": "custom"
            },
            {
                "url": "https://github.com/composer",
                "type": "github"
            },
            {
                "url": "https://tidelift.com/funding/github/packagist/composer/composer",
                "type": "tidelift"
            }
        ]
    },
    {
        "name": "maxmind-db/reader",
        "version": "v1.6.0",
        "version_normalized": "1.6.0.0",
        "source": {
            "type": "git",
            "url": "https://github.com/maxmind/MaxMind-DB-Reader-php.git",
            "reference": "febd4920bf17c1da84cef58e56a8227dfb37fbe4"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/maxmind/MaxMind-DB-Reader-php/zipball/febd4920bf17c1da84cef58e56a8227dfb37fbe4",
            "reference": "febd4920bf17c1da84cef58e56a8227dfb37fbe4",
            "shasum": ""
        },
        "require": {
            "php": ">=5.6"
        },
        "conflict": {
            "ext-maxminddb": "<1.6.0,>=2.0.0"
        },
        "require-dev": {
            "friendsofphp/php-cs-fixer": "2.*",
            "php-coveralls/php-coveralls": "^2.1",
            "phpunit/phpcov": "^3.0",
            "phpunit/phpunit": "5.*",
            "squizlabs/php_codesniffer": "3.*"
        },
        "suggest": {
            "ext-bcmath": "bcmath or gmp is required for decoding larger integers with the pure PHP decoder",
            "ext-gmp": "bcmath or gmp is required for decoding larger integers with the pure PHP decoder",
            "ext-maxminddb": "A C-based database decoder that provides significantly faster lookups"
        },
        "time": "2019-12-19T22:59:03+00:00",
        "type": "library",
        "installation-source": "dist",
        "autoload": {
            "psr-4": {
                "MaxMind\\Db\\": "src/MaxMind/Db"
            }
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "Apache-2.0"
        ],
        "authors": [
            {
                "name": "Gregory J. Oschwald",
                "email": "goschwald@maxmind.com",
                "homepage": "https://www.maxmind.com/"
            }
        ],
        "description": "MaxMind DB Reader API",
        "homepage": "https://github.com/maxmind/MaxMind-DB-Reader-php",
        "keywords": [
            "database",
            "geoip",
            "geoip2",
            "geolocation",
            "maxmind"
        ],
        "support": {
            "issues": "https://github.com/maxmind/MaxMind-DB-Reader-php/issues",
            "source": "https://github.com/maxmind/MaxMind-DB-Reader-php/tree/v1.6.0"
        }
    },
    {
        "name": "pelago/emogrifier",
        "version": "v3.1.0",
        "version_normalized": "3.1.0.0",
        "source": {
            "type": "git",
            "url": "https://github.com/MyIntervals/emogrifier.git",
            "reference": "f6a5c7d44612d86c3901c93f1592f5440e6b2cd8"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/MyIntervals/emogrifier/zipball/f6a5c7d44612d86c3901c93f1592f5440e6b2cd8",
            "reference": "f6a5c7d44612d86c3901c93f1592f5440e6b2cd8",
            "shasum": ""
        },
        "require": {
            "ext-dom": "*",
            "ext-libxml": "*",
            "php": "^5.6 || ~7.0 || ~7.1 || ~7.2 || ~7.3 || ~7.4",
            "symfony/css-selector": "^2.8 || ^3.0 || ^4.0 || ^5.0"
        },
        "require-dev": {
            "friendsofphp/php-cs-fixer": "^2.15.3",
            "phpmd/phpmd": "^2.7.0",
            "phpunit/phpunit": "^5.7.27",
            "squizlabs/php_codesniffer": "^3.5.0"
        },
        "time": "2019-12-26T19:37:31+00:00",
        "type": "library",
        "extra": {
            "branch-alias": {
                "dev-master": "4.0.x-dev"
            }
        },
        "installation-source": "dist",
        "autoload": {
            "psr-4": {
                "Pelago\\": "src/"
            }
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "MIT"
        ],
        "authors": [
            {
                "name": "Oliver Klee",
                "email": "github@oliverklee.de"
            },
            {
                "name": "Zoli Szabó",
                "email": "zoli.szabo+github@gmail.com"
            },
            {
                "name": "John Reeve",
                "email": "jreeve@pelagodesign.com"
            },
            {
                "name": "Jake Hotson",
                "email": "jake@qzdesign.co.uk"
            },
            {
                "name": "Cameron Brooks"
            },
            {
                "name": "Jaime Prado"
            }
        ],
        "description": "Converts CSS styles into inline style attributes in your HTML code",
        "homepage": "https://www.myintervals.com/emogrifier.php",
        "keywords": [
            "css",
            "email",
            "pre-processing"
        ],
        "support": {
            "issues": "https://github.com/MyIntervals/emogrifier/issues",
            "source": "https://github.com/MyIntervals/emogrifier"
        }
    },
    {
        "name": "psr/container",
        "version": "1.0.0",
        "version_normalized": "1.0.0.0",
        "source": {
            "type": "git",
            "url": "https://github.com/php-fig/container.git",
            "reference": "b7ce3b176482dbbc1245ebf52b181af44c2cf55f"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/php-fig/container/zipball/b7ce3b176482dbbc1245ebf52b181af44c2cf55f",
            "reference": "b7ce3b176482dbbc1245ebf52b181af44c2cf55f",
            "shasum": ""
        },
        "require": {
            "php": ">=5.3.0"
        },
        "time": "2017-02-14T16:28:37+00:00",
        "type": "library",
        "extra": {
            "branch-alias": {
                "dev-master": "1.0.x-dev"
            }
        },
        "installation-source": "dist",
        "autoload": {
            "psr-4": {
                "Psr\\Container\\": "src/"
            }
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "MIT"
        ],
        "authors": [
            {
                "name": "PHP-FIG",
                "homepage": "http://www.php-fig.org/"
            }
        ],
        "description": "Common Container Interface (PHP FIG PSR-11)",
        "homepage": "https://github.com/php-fig/container",
        "keywords": [
            "PSR-11",
            "container",
            "container-interface",
            "container-interop",
            "psr"
        ],
        "support": {
            "issues": "https://github.com/php-fig/container/issues",
            "source": "https://github.com/php-fig/container/tree/master"
        }
    },
    {
        "name": "symfony/css-selector",
        "version": "v3.3.6",
        "version_normalized": "3.3.6.0",
        "source": {
            "type": "git",
            "url": "https://github.com/symfony/css-selector.git",
            "reference": "4d882dced7b995d5274293039370148e291808f2"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/symfony/css-selector/zipball/4d882dced7b995d5274293039370148e291808f2",
            "reference": "4d882dced7b995d5274293039370148e291808f2",
            "shasum": ""
        },
        "require": {
            "php": ">=5.5.9"
        },
        "time": "2017-05-01T15:01:29+00:00",
        "type": "library",
        "extra": {
            "branch-alias": {
                "dev-master": "3.3-dev"
            }
        },
        "installation-source": "dist",
        "autoload": {
            "psr-4": {
                "Symfony\\Component\\CssSelector\\": ""
            },
            "exclude-from-classmap": [
                "/Tests/"
            ]
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "MIT"
        ],
        "authors": [
            {
                "name": "Jean-François Simon",
                "email": "jeanfrancois.simon@sensiolabs.com"
            },
            {
                "name": "Fabien Potencier",
                "email": "fabien@symfony.com"
            },
            {
                "name": "Symfony Community",
                "homepage": "https://symfony.com/contributors"
            }
        ],
        "description": "Symfony CssSelector Component",
        "homepage": "https://symfony.com",
        "support": {
            "source": "https://github.com/symfony/css-selector/tree/master"
        }
    },
    {
        "name": "woocommerce/action-scheduler",
        "version": "3.3.0",
        "version_normalized": "3.3.0.0",
        "source": {
            "type": "git",
            "url": "https://github.com/woocommerce/action-scheduler.git",
            "reference": "5588a831cd2453ecf7d4803f3a81063e13cde93d"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/woocommerce/action-scheduler/zipball/5588a831cd2453ecf7d4803f3a81063e13cde93d",
            "reference": "5588a831cd2453ecf7d4803f3a81063e13cde93d",
            "shasum": ""
        },
        "require-dev": {
            "phpunit/phpunit": "^7.5",
            "woocommerce/woocommerce-sniffs": "0.1.0",
            "wp-cli/wp-cli": "~2.5.0"
        },
        "time": "2021-09-15T21:08:48+00:00",
        "type": "wordpress-plugin",
        "extra": {
            "scripts-description": {
                "test": "Run unit tests",
                "phpcs": "Analyze code against the WordPress coding standards with PHP_CodeSniffer",
                "phpcbf": "Fix coding standards warnings/errors automatically with PHP Code Beautifier"
            }
        },
        "installation-source": "dist",
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "GPL-3.0-or-later"
        ],
        "description": "Action Scheduler for WordPress and WooCommerce",
        "homepage": "https://actionscheduler.org/",
        "support": {
            "issues": "https://github.com/woocommerce/action-scheduler/issues",
            "source": "https://github.com/woocommerce/action-scheduler/tree/3.3.0"
        }
    },
    {
        "name": "woocommerce/woocommerce-admin",
        "version": "2.8.0",
        "version_normalized": "2.8.0.0",
        "source": {
            "type": "git",
            "url": "https://github.com/woocommerce/woocommerce-admin.git",
            "reference": "63b93a95db4bf788f42587a41f2378128a2adfdf"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/woocommerce/woocommerce-admin/zipball/63b93a95db4bf788f42587a41f2378128a2adfdf",
            "reference": "63b93a95db4bf788f42587a41f2378128a2adfdf",
            "shasum": ""
        },
        "require": {
            "automattic/jetpack-autoloader": "^2.9.1",
            "composer/installers": "^1.9.0",
            "php": ">=7.0"
        },
        "require-dev": {
            "automattic/jetpack-changelogger": "^1.1",
            "bamarni/composer-bin-plugin": "^1.4",
            "suin/phpcs-psr4-sniff": "^2.2",
            "woocommerce/woocommerce-sniffs": "0.1.0",
            "yoast/phpunit-polyfills": "^1.0"
        },
        "time": "2021-11-02T19:28:38+00:00",
        "type": "wordpress-plugin",
        "extra": {
            "scripts-description": {
                "test": "Run unit tests",
                "phpcs": "Analyze code against the WordPress coding standards with PHP_CodeSniffer",
                "phpcbf": "Fix coding standards warnings/errors automatically with PHP Code Beautifier"
            },
            "bamarni-bin": {
                "target-directory": "bin/composer"
            },
            "changelogger": {
                "changelog": "./changelog.txt",
                "formatter": {
                    "filename": "bin/changelogger/WCAdminFormatter.php"
                },
                "versioning": "semver",
                "changes-dir": "./changelogs",
                "types": [
                    "Fix",
                    "Add",
                    "Update",
                    "Dev",
                    "Tweak",
                    "Performance",
                    "Enhancement"
                ]
            }
        },
        "installation-source": "dist",
        "autoload": {
            "psr-4": {
                "Automattic\\WooCommerce\\Admin\\": "src/"
            }
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "GPL-3.0-or-later"
        ],
        "description": "A modern, javascript-driven WooCommerce Admin experience.",
        "homepage": "https://github.com/woocommerce/woocommerce-admin",
        "support": {
            "issues": "https://github.com/woocommerce/woocommerce-admin/issues",
            "source": "https://github.com/woocommerce/woocommerce-admin/tree/v2.8.0"
        }
    },
    {
        "name": "woocommerce/woocommerce-blocks",
        "version": "v6.1.0",
        "version_normalized": "6.1.0.0",
        "source": {
            "type": "git",
            "url": "https://github.com/woocommerce/woocommerce-gutenberg-products-block.git",
            "reference": "8556efd69e85c01f5571d39e6581d9b8486b682f"
        },
        "dist": {
            "type": "zip",
            "url": "https://api.github.com/repos/woocommerce/woocommerce-gutenberg-products-block/zipball/8556efd69e85c01f5571d39e6581d9b8486b682f",
            "reference": "8556efd69e85c01f5571d39e6581d9b8486b682f",
            "shasum": ""
        },
        "require": {
            "automattic/jetpack-autoloader": "^2.9.1",
            "composer/installers": "^1.7.0"
        },
        "require-dev": {
            "woocommerce/woocommerce-sniffs": "0.1.0",
            "wp-phpunit/wp-phpunit": "^5.4",
            "yoast/phpunit-polyfills": "^1.0"
        },
        "time": "2021-10-12T13:07:11+00:00",
        "type": "wordpress-plugin",
        "extra": {
            "scripts-description": {
                "phpcs": "Analyze code against the WordPress coding standards with PHP_CodeSniffer",
                "phpcbf": "Fix coding standards warnings/errors automatically with PHP Code Beautifier"
            }
        },
        "installation-source": "dist",
        "autoload": {
            "psr-4": {
                "Automattic\\WooCommerce\\Blocks\\": "src/"
            }
        },
        "notification-url": "https://packagist.org/downloads/",
        "license": [
            "GPL-3.0-or-later"
        ],
        "description": "WooCommerce blocks for the Gutenberg editor.",
        "homepage": "https://woocommerce.com/",
        "keywords": [
            "blocks",
            "gutenberg",
            "woocommerce"
        ],
        "support": {
            "issues": "https://github.com/woocommerce/woocommerce-gutenberg-products-block/issues",
            "source": "https://github.com/woocommerce/woocommerce-gutenberg-products-block/tree/v6.1.0"
        }
    }
]
autoload_packages.php000064400000000475151332455420010735 0ustar00<?php
/**
 * This file was automatically generated by automattic/jetpack-autoloader.
 *
 * @package automattic/jetpack-autoloader
 */

namespace Automattic\Jetpack\Autoloader\jp7fa27687a59114a5aec1ac3080434897;

 // phpcs:ignore

require_once __DIR__ . '/jetpack-autoloader/class-autoloader.php';
Autoloader::init();
wp-polyfill-node-contains.min.js000060400000000541151334462320012700 0ustar00!function(){function e(e){if(!(0 in arguments))throw new TypeError("1 argument is required");do{if(this===e)return!0}while(e=e&&e.parentNode);return!1}if("HTMLElement"in self&&"contains"in HTMLElement.prototype)try{delete HTMLElement.prototype.contains}catch(e){}"Node"in self?Node.prototype.contains=e:document.contains=Element.prototype.contains=e}();wp-polyfill.min.js000064400000113276151334462320010157 0ustar00!function(r){"use strict";var t,e,n;e={},(n=function(r){if(e[r])return e[r].exports;var o=e[r]={i:r,l:!1,exports:{}};return t[r].call(o.exports,o,o.exports,n),o.l=!0,o.exports}).m=t=[function(r,t,e){e(1),e(70),e(77),e(80),e(81),e(83),e(95),e(96),e(98),e(101),e(103),e(104),e(113),e(114),e(117),e(123),e(138),e(140),e(141),r.exports=e(142)},function(r,t,e){var n=e(2),o=e(38),a=e(62),c=e(67),i=e(69);n({target:"Array",proto:!0,arity:1,forced:e(6)((function(){return 4294967297!==[].push.call({length:4294967296},1)}))||!function(){try{Object.defineProperty([],"length",{writable:!1}).push()}catch(r){return r instanceof TypeError}}()},{push:function(r){var t=o(this),e=a(t),n=arguments.length;i(e+n);for(var u=0;u<n;u++)t[e]=arguments[u],e++;return c(t,e),e}})},function(t,e,n){var o=n(3),a=n(4).f,c=n(42),i=n(46),u=n(36),f=n(54),s=n(66);t.exports=function(t,e){var n,p,l,y=t.target,h=t.global,v=t.stat,g=h?o:v?o[y]||u(y,{}):o[y]&&o[y].prototype;if(g)for(n in e){if(p=e[n],l=t.dontCallGetSet?(l=a(g,n))&&l.value:g[n],!s(h?n:y+(v?".":"#")+n,t.forced)&&l!==r){if(typeof p==typeof l)continue;f(p,l)}(t.sham||l&&l.sham)&&c(p,"sham",!0),i(g,n,p,t)}}},function(r,t,e){function n(r){return r&&r.Math===Math&&r}r.exports=n("object"==typeof globalThis&&globalThis)||n("object"==typeof window&&window)||n("object"==typeof self&&self)||n("object"==typeof global&&global)||n("object"==typeof this&&this)||function(){return this}()||Function("return this")()},function(r,t,e){var n=e(5),o=e(7),a=e(9),c=e(10),i=e(11),u=e(17),f=e(37),s=e(40),p=Object.getOwnPropertyDescriptor;t.f=n?p:function(r,t){if(r=i(r),t=u(t),s)try{return p(r,t)}catch(r){}if(f(r,t))return c(!o(a.f,r,t),r[t])}},function(r,t,e){e=e(6),r.exports=!e((function(){return 7!==Object.defineProperty({},1,{get:function(){return 7}})[1]}))},function(r,t,e){r.exports=function(r){try{return!!r()}catch(r){return!0}}},function(r,t,e){e=e(8);var n=Function.prototype.call;r.exports=e?n.bind(n):function(){return n.apply(n,arguments)}},function(r,t,e){e=e(6),r.exports=!e((function(){var r=function(){}.bind();return"function"!=typeof r||r.hasOwnProperty("prototype")}))},function(r,t,e){var n={}.propertyIsEnumerable,o=Object.getOwnPropertyDescriptor,a=o&&!n.call({1:2},1);t.f=a?function(r){return!!(r=o(this,r))&&r.enumerable}:n},function(r,t,e){r.exports=function(r,t){return{enumerable:!(1&r),configurable:!(2&r),writable:!(4&r),value:t}}},function(r,t,e){var n=e(12),o=e(15);r.exports=function(r){return n(o(r))}},function(r,t,e){var n=e(13),o=e(6),a=e(14),c=Object,i=n("".split);r.exports=o((function(){return!c("z").propertyIsEnumerable(0)}))?function(r){return"String"===a(r)?i(r,""):c(r)}:c},function(r,t,e){var n=e(8),o=(e=Function.prototype).call;e=n&&e.bind.bind(o,o);r.exports=n?e:function(r){return function(){return o.apply(r,arguments)}}},function(r,t,e){var n=(e=e(13))({}.toString),o=e("".slice);r.exports=function(r){return o(n(r),8,-1)}},function(r,t,e){var n=e(16),o=TypeError;r.exports=function(r){if(n(r))throw new o("Can't call method on "+r);return r}},function(t,e,n){t.exports=function(t){return null===t||t===r}},function(r,t,e){var n=e(18),o=e(21);r.exports=function(r){return r=n(r,"string"),o(r)?r:r+""}},function(t,e,n){var o=n(7),a=n(19),c=n(21),i=n(28),u=n(31),f=(n=n(32),TypeError),s=n("toPrimitive");t.exports=function(t,e){if(!a(t)||c(t))return t;var n=i(t,s);if(n){if(n=o(n,t,e=e===r?"default":e),!a(n)||c(n))return n;throw new f("Can't convert object to primitive value")}return u(t,e=e===r?"number":e)}},function(r,t,e){var n=e(20);r.exports=function(r){return"object"==typeof r?null!==r:n(r)}},function(t,e,n){var o="object"==typeof document&&document.all;t.exports=void 0===o&&o!==r?function(r){return"function"==typeof r||r===o}:function(r){return"function"==typeof r}},function(r,t,e){var n=e(22),o=e(20),a=e(23),c=(e=e(24),Object);r.exports=e?function(r){return"symbol"==typeof r}:function(r){var t=n("Symbol");return o(t)&&a(t.prototype,c(r))}},function(t,e,n){var o=n(3),a=n(20);t.exports=function(t,e){return arguments.length<2?(n=o[t],a(n)?n:r):o[t]&&o[t][e];var n}},function(r,t,e){e=e(13),r.exports=e({}.isPrototypeOf)},function(r,t,e){e=e(25),r.exports=e&&!Symbol.sham&&"symbol"==typeof Symbol.iterator},function(r,t,e){var n=e(26),o=e(6),a=e(3).String;r.exports=!!Object.getOwnPropertySymbols&&!o((function(){var r=Symbol("symbol detection");return!a(r)||!(Object(r)instanceof Symbol)||!Symbol.sham&&n&&n<41}))},function(r,t,e){var n,o,a=e(3),c=e(27);e=a.process,a=a.Deno;!(o=(a=(a=e&&e.versions||a&&a.version)&&a.v8)?0<(n=a.split("."))[0]&&n[0]<4?1:+(n[0]+n[1]):o)&&c&&(!(n=c.match(/Edge\/(\d+)/))||74<=n[1])&&(n=c.match(/Chrome\/(\d+)/))&&(o=+n[1]),r.exports=o},function(r,t,e){r.exports="undefined"!=typeof navigator&&String(navigator.userAgent)||""},function(t,e,n){var o=n(29),a=n(16);t.exports=function(t,e){return e=t[e],a(e)?r:o(e)}},function(r,t,e){var n=e(20),o=e(30),a=TypeError;r.exports=function(r){if(n(r))return r;throw new a(o(r)+" is not a function")}},function(r,t,e){var n=String;r.exports=function(r){try{return n(r)}catch(r){return"Object"}}},function(r,t,e){var n=e(7),o=e(20),a=e(19),c=TypeError;r.exports=function(r,t){var e,i;if("string"===t&&o(e=r.toString)&&!a(i=n(e,r)))return i;if(o(e=r.valueOf)&&!a(i=n(e,r)))return i;if("string"!==t&&o(e=r.toString)&&!a(i=n(e,r)))return i;throw new c("Can't convert object to primitive value")}},function(r,t,e){var n=e(3),o=e(33),a=e(37),c=e(39),i=e(25),u=(e=e(24),n.Symbol),f=o("wks"),s=e?u.for||u:u&&u.withoutSetter||c;r.exports=function(r){return a(f,r)||(f[r]=i&&a(u,r)?u[r]:s("Symbol."+r)),f[r]}},function(t,e,n){var o=n(34),a=n(35);(t.exports=function(t,e){return a[t]||(a[t]=e!==r?e:{})})("versions",[]).push({version:"3.35.1",mode:o?"pure":"global",copyright:"© 2014-2024 Denis Pushkarev (zloirock.ru)",license:"https://github.com/zloirock/core-js/blob/v3.35.1/LICENSE",source:"https://github.com/zloirock/core-js"})},function(r,t,e){r.exports=!1},function(r,t,e){var n=e(3),o=e(36);e=n[e="__core-js_shared__"]||o(e,{});r.exports=e},function(r,t,e){var n=e(3),o=Object.defineProperty;r.exports=function(r,t){try{o(n,r,{value:t,configurable:!0,writable:!0})}catch(e){n[r]=t}return t}},function(r,t,e){var n=e(13),o=e(38),a=n({}.hasOwnProperty);r.exports=Object.hasOwn||function(r,t){return a(o(r),t)}},function(r,t,e){var n=e(15),o=Object;r.exports=function(r){return o(n(r))}},function(t,e,n){n=n(13);var o=0,a=Math.random(),c=n(1..toString);t.exports=function(t){return"Symbol("+(t===r?"":t)+")_"+c(++o+a,36)}},function(r,t,e){var n=e(5),o=e(6),a=e(41);r.exports=!n&&!o((function(){return 7!==Object.defineProperty(a("div"),"a",{get:function(){return 7}}).a}))},function(r,t,e){var n=e(3),o=(e=e(19),n.document),a=e(o)&&e(o.createElement);r.exports=function(r){return a?o.createElement(r):{}}},function(r,t,e){var n=e(5),o=e(43),a=e(10);r.exports=n?function(r,t,e){return o.f(r,t,a(1,e))}:function(r,t,e){return r[t]=e,r}},function(r,t,e){var n=e(5),o=e(40),a=e(44),c=e(45),i=e(17),u=TypeError,f=Object.defineProperty,s=Object.getOwnPropertyDescriptor,p="enumerable",l="configurable",y="writable";t.f=n?a?function(r,t,e){var n;return c(r),t=i(t),c(e),"function"==typeof r&&"prototype"===t&&"value"in e&&y in e&&!e[y]&&(n=s(r,t))&&n[y]&&(r[t]=e.value,e={configurable:(l in e?e:n)[l],enumerable:(p in e?e:n)[p],writable:!1}),f(r,t,e)}:f:function(r,t,e){if(c(r),t=i(t),c(e),o)try{return f(r,t,e)}catch(r){}if("get"in e||"set"in e)throw new u("Accessors not supported");return"value"in e&&(r[t]=e.value),r}},function(r,t,e){var n=e(5);e=e(6);r.exports=n&&e((function(){return 42!==Object.defineProperty((function(){}),"prototype",{value:42,writable:!1}).prototype}))},function(r,t,e){var n=e(19),o=String,a=TypeError;r.exports=function(r){if(n(r))return r;throw new a(o(r)+" is not an object")}},function(t,e,n){var o=n(20),a=n(43),c=n(47),i=n(36);t.exports=function(t,e,n,u){var f=(u=u||{}).enumerable,s=u.name!==r?u.name:e;if(o(n)&&c(n,s,u),u.global)f?t[e]=n:i(e,n);else{try{u.unsafe?t[e]&&(f=!0):delete t[e]}catch(t){}f?t[e]=n:a.f(t,e,{value:n,enumerable:!1,configurable:!u.nonConfigurable,writable:!u.nonWritable})}return t}},function(t,e,n){var o=n(13),a=n(6),c=n(20),i=n(37),u=n(5),f=n(48).CONFIGURABLE,s=n(49),p=(n=n(50)).enforce,l=n.get,y=String,h=Object.defineProperty,v=o("".slice),g=o("".replace),d=o([].join),b=u&&!a((function(){return 8!==h((function(){}),"length",{value:8}).length})),m=String(String).split("String");t=t.exports=function(t,e,n){"Symbol("===v(y(e),0,7)&&(e="["+g(y(e),/^Symbol\(([^)]*)\).*$/,"$1")+"]"),n&&n.getter&&(e="get "+e),n&&n.setter&&(e="set "+e),(!i(t,"name")||f&&t.name!==e)&&(u?h(t,"name",{value:e,configurable:!0}):t.name=e),b&&n&&i(n,"arity")&&t.length!==n.arity&&h(t,"length",{value:n.arity});try{n&&i(n,"constructor")&&n.constructor?u&&h(t,"prototype",{writable:!1}):t.prototype&&(t.prototype=r)}catch(t){}return n=p(t),i(n,"source")||(n.source=d(m,"string"==typeof e?e:"")),t};Function.prototype.toString=t((function(){return c(this)&&l(this).source||s(this)}),"toString")},function(r,t,e){var n=e(5),o=e(37),a=Function.prototype,c=n&&Object.getOwnPropertyDescriptor;o=(e=o(a,"name"))&&"something"===function(){}.name,a=e&&(!n||n&&c(a,"name").configurable);r.exports={EXISTS:e,PROPER:o,CONFIGURABLE:a}},function(r,t,e){var n=e(13),o=e(20),a=(e=e(35),n(Function.toString));o(e.inspectSource)||(e.inspectSource=function(r){return a(r)}),r.exports=e.inspectSource},function(r,t,e){var n,o,a,c,i=e(51),u=e(3),f=e(19),s=e(42),p=e(37),l=e(35),y=e(52),h=(e=e(53),"Object already initialized"),v=u.TypeError,g=(u=u.WeakMap,i||l.state?((a=l.state||(l.state=new u)).get=a.get,a.has=a.has,a.set=a.set,n=function(r,t){if(a.has(r))throw new v(h);return t.facade=r,a.set(r,t),t},o=function(r){return a.get(r)||{}},function(r){return a.has(r)}):(e[c=y("state")]=!0,n=function(r,t){if(p(r,c))throw new v(h);return t.facade=r,s(r,c,t),t},o=function(r){return p(r,c)?r[c]:{}},function(r){return p(r,c)}));r.exports={set:n,get:o,has:g,enforce:function(r){return g(r)?o(r):n(r,{})},getterFor:function(r){return function(t){var e;if(!f(t)||(e=o(t)).type!==r)throw new v("Incompatible receiver, "+r+" required");return e}}}},function(r,t,e){var n=e(3);e=e(20),n=n.WeakMap;r.exports=e(n)&&/native code/.test(String(n))},function(r,t,e){var n=e(33),o=e(39),a=n("keys");r.exports=function(r){return a[r]||(a[r]=o(r))}},function(r,t,e){r.exports={}},function(r,t,e){var n=e(37),o=e(55),a=e(4),c=e(43);r.exports=function(r,t,e){for(var i=o(t),u=c.f,f=a.f,s=0;s<i.length;s++){var p=i[s];n(r,p)||e&&n(e,p)||u(r,p,f(t,p))}}},function(r,t,e){var n=e(22),o=e(13),a=e(56),c=e(65),i=e(45),u=o([].concat);r.exports=n("Reflect","ownKeys")||function(r){var t=a.f(i(r)),e=c.f;return e?u(t,e(r)):t}},function(r,t,e){var n=e(57),o=e(64).concat("length","prototype");t.f=Object.getOwnPropertyNames||function(r){return n(r,o)}},function(r,t,e){var n=e(13),o=e(37),a=e(11),c=e(58).indexOf,i=e(53),u=n([].push);r.exports=function(r,t){var e,n=a(r),f=0,s=[];for(e in n)!o(i,e)&&o(n,e)&&u(s,e);for(;t.length>f;)o(n,e=t[f++])&&(~c(s,e)||u(s,e));return s}},function(r,t,e){var n=e(11),o=e(59),a=e(62);e=function(r){return function(t,e,c){var i,u=n(t),f=a(u),s=o(c,f);if(r&&e!=e){for(;s<f;)if((i=u[s++])!=i)return!0}else for(;s<f;s++)if((r||s in u)&&u[s]===e)return r||s||0;return!r&&-1}};r.exports={includes:e(!0),indexOf:e(!1)}},function(r,t,e){var n=e(60),o=Math.max,a=Math.min;r.exports=function(r,t){return(r=n(r))<0?o(r+t,0):a(r,t)}},function(r,t,e){var n=e(61);r.exports=function(r){return(r=+r)!=r||0==r?0:n(r)}},function(r,t,e){var n=Math.ceil,o=Math.floor;r.exports=Math.trunc||function(r){return(0<(r=+r)?o:n)(r)}},function(r,t,e){var n=e(63);r.exports=function(r){return n(r.length)}},function(r,t,e){var n=e(60),o=Math.min;r.exports=function(r){return 0<(r=n(r))?o(r,9007199254740991):0}},function(r,t,e){r.exports=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"]},function(r,t,e){t.f=Object.getOwnPropertySymbols},function(r,t,e){var n=e(6),o=e(20),a=/#|\.prototype\./,c=(e=function(r,t){return(r=i[c(r)])===f||r!==u&&(o(t)?n(t):!!t)},e.normalize=function(r){return String(r).replace(a,".").toLowerCase()}),i=e.data={},u=e.NATIVE="N",f=e.POLYFILL="P";r.exports=e},function(t,e,n){var o=n(5),a=n(68),c=TypeError,i=Object.getOwnPropertyDescriptor;o=o&&!function(){if(this!==r)return 1;try{Object.defineProperty([],"length",{writable:!1}).length=1}catch(r){return r instanceof TypeError}}();t.exports=o?function(r,t){if(a(r)&&!i(r,"length").writable)throw new c("Cannot set read only .length");return r.length=t}:function(r,t){return r.length=t}},function(r,t,e){var n=e(14);r.exports=Array.isArray||function(r){return"Array"===n(r)}},function(r,t,e){var n=TypeError;r.exports=function(r){if(9007199254740991<r)throw n("Maximum allowed index exceeded");return r}},function(r,t,e){var n=e(2),o=e(71),a=e(11),c=(e=e(72),Array);n({target:"Array",proto:!0},{toReversed:function(){return o(a(this),c)}}),e("toReversed")},function(r,t,e){var n=e(62);r.exports=function(r,t){for(var e=n(r),o=new t(e),a=0;a<e;a++)o[a]=r[e-a-1];return o}},function(t,e,n){var o=n(32),a=n(73),c=(n=n(43).f,o("unscopables")),i=Array.prototype;i[c]===r&&n(i,c,{configurable:!0,value:a(null)}),t.exports=function(r){i[c][r]=!0}},function(t,e,n){function o(){}function a(r){return"<script>"+r+"</"+h+">"}var c,i=n(45),u=n(74),f=n(64),s=n(53),p=n(76),l=n(41),y=(n=n(52),"prototype"),h="script",v=n("IE_PROTO"),g=function(){try{c=new ActiveXObject("htmlfile")}catch(r){}var r;g="undefined"==typeof document||document.domain&&c?function(r){r.write(a("")),r.close();var t=r.parentWindow.Object;return r=null,t}(c):((r=l("iframe")).style.display="none",p.appendChild(r),r.src=String("javascript:"),(r=r.contentWindow.document).open(),r.write(a("document.F=Object")),r.close(),r.F);for(var t=f.length;t--;)delete g[y][f[t]];return g()};s[v]=!0,t.exports=Object.create||function(t,e){var n;return null!==t?(o[y]=i(t),n=new o,o[y]=null,n[v]=t):n=g(),e===r?n:u.f(n,e)}},function(r,t,e){var n=e(5),o=e(44),a=e(43),c=e(45),i=e(11),u=e(75);t.f=n&&!o?Object.defineProperties:function(r,t){c(r);for(var e,n=i(t),o=u(t),f=o.length,s=0;s<f;)a.f(r,e=o[s++],n[e]);return r}},function(r,t,e){var n=e(57),o=e(64);r.exports=Object.keys||function(r){return n(r,o)}},function(r,t,e){e=e(22),r.exports=e("document","documentElement")},function(t,e,n){var o=n(2),a=n(13),c=n(29),i=n(11),u=n(78),f=n(79),s=(n=n(72),Array),p=a(f("Array","sort"));o({target:"Array",proto:!0},{toSorted:function(t){t!==r&&c(t);var e=i(this);e=u(s,e);return p(e,t)}}),n("toSorted")},function(r,t,e){var n=e(62);r.exports=function(r,t,e){for(var o=0,a=2<arguments.length?e:n(t),c=new r(a);o<a;)c[o]=t[o++];return c}},function(r,t,e){var n=e(3);r.exports=function(r,t){return(r=(r=n[r])&&r.prototype)&&r[t]}},function(r,t,e){var n=e(2),o=e(72),a=e(69),c=e(62),i=e(59),u=e(11),f=e(60),s=Array,p=Math.max,l=Math.min;n({target:"Array",proto:!0},{toSpliced:function(r,t){var e,n,o,y,h=u(this),v=c(h),g=i(r,v),d=0;for(0===(r=arguments.length)?e=n=0:n=1===r?(e=0,v-g):(e=r-2,l(p(f(t),0),v-g)),o=a(v+e-n),y=s(o);d<g;d++)y[d]=h[d];for(;d<g+e;d++)y[d]=arguments[d-g+2];for(;d<o;d++)y[d]=h[d+n-e];return y}}),o("toSpliced")},function(r,t,e){var n=e(2),o=e(82),a=e(11),c=Array;n({target:"Array",proto:!0},{with:function(r,t){return o(a(this),c,r,t)}})},function(r,t,e){var n=e(62),o=e(60),a=RangeError;r.exports=function(r,t,e,c){var i=n(r),u=(e=o(e))<0?i+e:e;if(i<=u||u<0)throw new a("Incorrect index");for(var f=new t(i),s=0;s<i;s++)f[s]=s===u?c:r[s];return f}},function(r,t,e){var n=e(2),o=e(13),a=e(29),c=e(15),i=e(84),u=e(94),f=(e=e(34),u.Map),s=u.has,p=u.get,l=u.set,y=o([].push);n({target:"Map",stat:!0,forced:e},{groupBy:function(r,t){c(r),a(t);var e=new f,n=0;return i(r,(function(r){var o=t(r,n++);s(e,o)?y(p(e,o),r):l(e,o,[r])})),e}})},function(r,t,e){function n(r,t){this.stopped=r,this.result=t}var o=e(85),a=e(7),c=e(45),i=e(30),u=e(87),f=e(62),s=e(23),p=e(89),l=e(90),y=e(93),h=TypeError,v=n.prototype;r.exports=function(r,t,e){function g(r){return b&&y(b,"normal",r),new n(!0,r)}function d(r){return S?(c(r),_?j(r[0],r[1],g):j(r[0],r[1])):_?j(r,g):j(r)}var b,m,w,E,x,A,O=e&&e.that,S=!(!e||!e.AS_ENTRIES),R=!(!e||!e.IS_RECORD),T=!(!e||!e.IS_ITERATOR),_=!(!e||!e.INTERRUPTED),j=o(t,O);if(R)b=r.iterator;else if(T)b=r;else{if(!(T=l(r)))throw new h(i(r)+" is not iterable");if(u(T)){for(m=0,w=f(r);m<w;m++)if((E=d(r[m]))&&s(v,E))return E;return new n(!1)}b=p(r,T)}for(x=(R?r:b).next;!(A=a(x,b)).done;){try{E=d(A.value)}catch(r){y(b,"throw",r)}if("object"==typeof E&&E&&s(v,E))return E}return new n(!1)}},function(t,e,n){var o=n(86),a=n(29),c=n(8),i=o(o.bind);t.exports=function(t,e){return a(t),e===r?t:c?i(t,e):function(){return t.apply(e,arguments)}}},function(r,t,e){var n=e(14),o=e(13);r.exports=function(r){if("Function"===n(r))return o(r)}},function(t,e,n){var o=n(32),a=n(88),c=o("iterator"),i=Array.prototype;t.exports=function(t){return t!==r&&(a.Array===t||i[c]===t)}},function(r,t,e){r.exports={}},function(r,t,e){var n=e(7),o=e(29),a=e(45),c=e(30),i=e(90),u=TypeError;r.exports=function(r,t){if(t=arguments.length<2?i(r):t,o(t))return a(n(t,r));throw new u(c(r)+" is not iterable")}},function(r,t,e){var n=e(91),o=e(28),a=e(16),c=e(88),i=e(32)("iterator");r.exports=function(r){if(!a(r))return o(r,i)||o(r,"@@iterator")||c[n(r)]}},function(t,e,n){var o=n(92),a=n(20),c=n(14),i=n(32)("toStringTag"),u=Object,f="Arguments"===c(function(){return arguments}());t.exports=o?c:function(t){var e;return t===r?"Undefined":null===t?"Null":"string"==typeof(t=function(r,t){try{return r[t]}catch(r){}}(e=u(t),i))?t:f?c(e):"Object"===(t=c(e))&&a(e.callee)?"Arguments":t}},function(r,t,e){var n={};n[e(32)("toStringTag")]="z",r.exports="[object z]"===String(n)},function(r,t,e){var n=e(7),o=e(45),a=e(28);r.exports=function(r,t,e){var c,i;o(r);try{if(!(c=a(r,"return"))){if("throw"===t)throw e;return e}c=n(c,r)}catch(r){i=!0,c=r}if("throw"===t)throw e;if(i)throw c;return o(c),e}},function(r,t,e){var n=e(13);e=Map.prototype;r.exports={Map,set:n(e.set),get:n(e.get),has:n(e.has),remove:n(e.delete),proto:e}},function(r,t,e){var n=e(2),o=e(22),a=e(13),c=e(29),i=e(15),u=e(17),f=e(84),s=o("Object","create"),p=a([].push);n({target:"Object",stat:!0},{groupBy:function(r,t){i(r),c(t);var e=s(null),n=0;return f(r,(function(r){var o=u(t(r,n++));o in e?p(e[o],r):e[o]=[r]})),e}})},function(r,t,e){var n=e(2),o=e(97);n({target:"Promise",stat:!0},{withResolvers:function(){var r=o.f(this);return{promise:r.promise,resolve:r.resolve,reject:r.reject}}})},function(t,e,n){function o(t){var e,n;this.promise=new t((function(t,o){if(e!==r||n!==r)throw new c("Bad Promise constructor");e=t,n=o})),this.resolve=a(e),this.reject=a(n)}var a=n(29),c=TypeError;t.exports.f=function(r){return new o(r)}},function(r,t,e){var n=e(3),o=e(5),a=e(99),c=e(100),i=(e=e(6),n.RegExp),u=i.prototype;o&&e((function(){var r=!0;try{i(".","d")}catch(t){r=!1}var t,e={},n="",o=r?"dgimsy":"gimsy",a={dotAll:"s",global:"g",ignoreCase:"i",multiline:"m",sticky:"y"};for(t in r&&(a.hasIndices="d"),a)!function(r,t){Object.defineProperty(e,r,{get:function(){return n+=t,!0}})}(t,a[t]);return Object.getOwnPropertyDescriptor(u,"flags").get.call(e)!==o||n!==o}))&&a(u,"flags",{configurable:!0,get:c})},function(r,t,e){var n=e(47),o=e(43);r.exports=function(r,t,e){return e.get&&n(e.get,t,{getter:!0}),e.set&&n(e.set,t,{setter:!0}),o.f(r,t,e)}},function(r,t,e){var n=e(45);r.exports=function(){var r=n(this),t="";return r.hasIndices&&(t+="d"),r.global&&(t+="g"),r.ignoreCase&&(t+="i"),r.multiline&&(t+="m"),r.dotAll&&(t+="s"),r.unicode&&(t+="u"),r.unicodeSets&&(t+="v"),r.sticky&&(t+="y"),t}},function(r,t,e){var n=e(2),o=e(13),a=e(15),c=e(102),i=o("".charCodeAt);n({target:"String",proto:!0},{isWellFormed:function(){for(var r=c(a(this)),t=r.length,e=0;e<t;e++){var n=i(r,e);if(55296==(63488&n)&&(56320<=n||++e>=t||56320!=(64512&i(r,e))))return!1}return!0}})},function(r,t,e){var n=e(91),o=String;r.exports=function(r){if("Symbol"===n(r))throw new TypeError("Cannot convert a Symbol value to a string");return o(r)}},function(r,t,e){var n=e(2),o=e(7),a=e(13),c=e(15),i=e(102),u=(e=e(6),Array),f=a("".charAt),s=a("".charCodeAt),p=a([].join),l="".toWellFormed,y=l&&e((function(){return"1"!==o(l,1)}));n({target:"String",proto:!0,forced:y},{toWellFormed:function(){var r=i(c(this));if(y)return o(l,r);for(var t=r.length,e=u(t),n=0;n<t;n++){var a=s(r,n);55296!=(63488&a)?e[n]=f(r,n):56320<=a||t<=n+1||56320!=(64512&s(r,n+1))?e[n]="�":(e[n]=f(r,n),e[++n]=f(r,n))}return p(e,"")}})},function(r,t,e){var n=e(71),o=e(105),a=o.aTypedArray,c=(e=o.exportTypedArrayMethod,o.getTypedArrayConstructor);e("toReversed",(function(){return n(a(this),c(this))}))},function(t,e,n){function o(r){return!!l(r)&&(r=h(r),y(k,r)||y(C,r))}var a,c,i,u=n(106),f=n(5),s=n(3),p=n(20),l=n(19),y=n(37),h=n(91),v=n(30),g=n(42),d=n(46),b=n(99),m=n(23),w=n(107),E=n(109),x=n(32),A=n(39),O=(T=n(50)).enforce,S=T.get,R=(n=s.Int8Array)&&n.prototype,T=(T=s.Uint8ClampedArray)&&T.prototype,_=n&&w(n),j=R&&w(R),I=(n=Object.prototype,s.TypeError),P=(x=x("toStringTag"),A("TYPED_ARRAY_TAG")),D="TypedArrayConstructor",M=u&&!!E&&"Opera"!==h(s.opera),k=(u=!1,{Int8Array:1,Uint8Array:1,Uint8ClampedArray:1,Int16Array:2,Uint16Array:2,Int32Array:4,Uint32Array:4,Float32Array:4,Float64Array:8}),C={BigInt64Array:8,BigUint64Array:8},U=function(r){var t=w(r);if(l(t))return(r=S(t))&&y(r,D)?r[D]:U(t)};for(a in k)(i=(c=s[a])&&c.prototype)?O(i)[D]=c:M=!1;for(a in C)(i=(c=s[a])&&c.prototype)&&(O(i)[D]=c);if((!M||!p(_)||_===Function.prototype)&&(_=function(){throw new I("Incorrect invocation")},M))for(a in k)s[a]&&E(s[a],_);if((!M||!j||j===n)&&(j=_.prototype,M))for(a in k)s[a]&&E(s[a].prototype,j);if(M&&w(T)!==j&&E(T,j),f&&!y(j,x))for(a in b(j,x,{configurable:u=!0,get:function(){return l(this)?this[P]:r}}),k)s[a]&&g(s[a],P,a);t.exports={NATIVE_ARRAY_BUFFER_VIEWS:M,TYPED_ARRAY_TAG:u&&P,aTypedArray:function(r){if(o(r))return r;throw new I("Target is not a typed array")},aTypedArrayConstructor:function(r){if(p(r)&&(!E||m(_,r)))return r;throw new I(v(r)+" is not a typed array constructor")},exportTypedArrayMethod:function(r,t,e,n){if(f){if(e)for(var o in k)if((o=s[o])&&y(o.prototype,r))try{delete o.prototype[r]}catch(e){try{o.prototype[r]=t}catch(e){}}j[r]&&!e||d(j,r,!e&&M&&R[r]||t,n)}},exportTypedArrayStaticMethod:function(r,t,e){var n,o;if(f){if(E){if(e)for(n in k)if((o=s[n])&&y(o,r))try{delete o[r]}catch(r){}if(_[r]&&!e)return;try{return d(_,r,!e&&M&&_[r]||t)}catch(r){}}for(n in k)!(o=s[n])||o[r]&&!e||d(o,r,t)}},getTypedArrayConstructor:U,isView:function(r){return!!l(r)&&("DataView"===(r=h(r))||y(k,r)||y(C,r))},isTypedArray:o,TypedArray:_,TypedArrayPrototype:j}},function(r,t,e){r.exports="undefined"!=typeof ArrayBuffer&&"undefined"!=typeof DataView},function(r,t,e){var n=e(37),o=e(20),a=e(38),c=e(52),i=(e=e(108),c("IE_PROTO")),u=Object,f=u.prototype;r.exports=e?u.getPrototypeOf:function(r){var t=a(r);return n(t,i)?t[i]:(r=t.constructor,o(r)&&t instanceof r?r.prototype:t instanceof u?f:null)}},function(r,t,e){e=e(6),r.exports=!e((function(){function r(){}return r.prototype.constructor=null,Object.getPrototypeOf(new r)!==r.prototype}))},function(t,e,n){var o=n(110),a=n(45),c=n(111);t.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var r,t=!1,e={};try{(r=o(Object.prototype,"__proto__","set"))(e,[]),t=e instanceof Array}catch(e){}return function(e,n){return a(e),c(n),t?r(e,n):e.__proto__=n,e}}():r)},function(r,t,e){var n=e(13),o=e(29);r.exports=function(r,t,e){try{return n(o(Object.getOwnPropertyDescriptor(r,t)[e]))}catch(r){}}},function(r,t,e){var n=e(112),o=String,a=TypeError;r.exports=function(r){if(n(r))return r;throw new a("Can't set "+o(r)+" as a prototype")}},function(r,t,e){var n=e(19);r.exports=function(r){return n(r)||null===r}},function(t,e,n){var o=n(105),a=n(13),c=n(29),i=n(78),u=o.aTypedArray,f=o.getTypedArrayConstructor,s=(n=o.exportTypedArrayMethod,a(o.TypedArrayPrototype.sort));n("toSorted",(function(t){t!==r&&c(t);var e=u(this);e=i(f(e),e);return s(e,t)}))},function(r,t,e){var n=e(82),o=e(105),a=e(115),c=e(60),i=e(116),u=o.aTypedArray,f=o.getTypedArrayConstructor;(0,o.exportTypedArrayMethod)("with",(function(r,t){var e=u(this);r=c(r),t=a(e)?i(t):+t;return n(e,f(e),r,t)}),!function(){try{new Int8Array(1).with(2,{valueOf:function(){throw 8}})}catch(r){return 8===r}}())},function(r,t,e){var n=e(91);r.exports=function(r){return"BigInt64Array"===(r=n(r))||"BigUint64Array"===r}},function(r,t,e){var n=e(18),o=TypeError;r.exports=function(r){if("number"==typeof(r=n(r,"number")))throw new o("Can't convert number to bigint");return BigInt(r)}},function(t,e,n){var o=n(2),a=n(3),c=n(22),i=n(10),u=n(43).f,f=n(37),s=n(118),p=n(119),l=n(120),y=n(121),h=n(122),v=n(5),g=n(34),d="DOMException",b=c("Error"),m=c(d),w=function(){s(this,E);var t=l((e=arguments.length)<1?r:arguments[0]),e=l(e<2?r:arguments[1],"Error");e=new m(t,e);return(t=new b(t)).name=d,u(e,"stack",i(1,h(t.stack,1))),p(e,this,w),e},E=w.prototype=m.prototype,x="stack"in new b(d);n="stack"in new m(1,2),a=!(!(a=m&&v&&Object.getOwnPropertyDescriptor(a,d))||a.writable&&a.configurable),n=x&&!a&&!n;o({global:!0,constructor:!0,forced:g||n},{DOMException:n?w:m});var A,O=c(d);if((c=O.prototype).constructor!==O)for(var S in g||u(c,"constructor",i(1,O)),y)f(y,S)&&(f(O,S=(A=y[S]).s)||u(O,S,i(6,A.c)))},function(r,t,e){var n=e(23),o=TypeError;r.exports=function(r,t){if(n(t,r))return r;throw new o("Incorrect invocation")}},function(r,t,e){var n=e(20),o=e(19),a=e(109);r.exports=function(r,t,e){var c,i;return a&&n(c=t.constructor)&&c!==e&&o(i=c.prototype)&&i!==e.prototype&&a(r,i),r}},function(t,e,n){var o=n(102);t.exports=function(t,e){return t===r?arguments.length<2?"":e:o(t)}},function(r,t,e){r.exports={IndexSizeError:{s:"INDEX_SIZE_ERR",c:1,m:1},DOMStringSizeError:{s:"DOMSTRING_SIZE_ERR",c:2,m:0},HierarchyRequestError:{s:"HIERARCHY_REQUEST_ERR",c:3,m:1},WrongDocumentError:{s:"WRONG_DOCUMENT_ERR",c:4,m:1},InvalidCharacterError:{s:"INVALID_CHARACTER_ERR",c:5,m:1},NoDataAllowedError:{s:"NO_DATA_ALLOWED_ERR",c:6,m:0},NoModificationAllowedError:{s:"NO_MODIFICATION_ALLOWED_ERR",c:7,m:1},NotFoundError:{s:"NOT_FOUND_ERR",c:8,m:1},NotSupportedError:{s:"NOT_SUPPORTED_ERR",c:9,m:1},InUseAttributeError:{s:"INUSE_ATTRIBUTE_ERR",c:10,m:1},InvalidStateError:{s:"INVALID_STATE_ERR",c:11,m:1},SyntaxError:{s:"SYNTAX_ERR",c:12,m:1},InvalidModificationError:{s:"INVALID_MODIFICATION_ERR",c:13,m:1},NamespaceError:{s:"NAMESPACE_ERR",c:14,m:1},InvalidAccessError:{s:"INVALID_ACCESS_ERR",c:15,m:1},ValidationError:{s:"VALIDATION_ERR",c:16,m:0},TypeMismatchError:{s:"TYPE_MISMATCH_ERR",c:17,m:1},SecurityError:{s:"SECURITY_ERR",c:18,m:1},NetworkError:{s:"NETWORK_ERR",c:19,m:1},AbortError:{s:"ABORT_ERR",c:20,m:1},URLMismatchError:{s:"URL_MISMATCH_ERR",c:21,m:1},QuotaExceededError:{s:"QUOTA_EXCEEDED_ERR",c:22,m:1},TimeoutError:{s:"TIMEOUT_ERR",c:23,m:1},InvalidNodeTypeError:{s:"INVALID_NODE_TYPE_ERR",c:24,m:1},DataCloneError:{s:"DATA_CLONE_ERR",c:25,m:1}}},function(r,t,e){e=e(13);var n=Error,o=e("".replace),a=(e=String(new n("zxcasd").stack),/\n\s*at [^:]*:[^\n]*/),c=a.test(e);r.exports=function(r,t){if(c&&"string"==typeof r&&!n.prepareStackTrace)for(;t--;)r=o(r,a,"");return r}},function(t,e,n){function o(r){throw new z("Uncloneable type: "+r,nr)}function a(r,t){throw new z((t||"Cloning")+" of "+r+" cannot be properly polyfilled in this engine",nr)}function c(r,t){return cr||a(t),cr(r)}function i(t,e,n){if(G(e,t))return Y(e,t);var o,c,i,u,f,s;if("SharedArrayBuffer"===(n||A(t)))o=cr?cr(t):t;else{(n=p.DataView)||g(t.slice)||a("ArrayBuffer");try{if(g(t.slice)&&!t.resizable)o=t.slice(0);else{c=t.byteLength,i="maxByteLength"in t?{maxByteLength:t.maxByteLength}:r,o=new ArrayBuffer(c,i),u=new n(t),f=new n(o);for(s=0;s<c;s++)f.setUint8(s,u.getUint8(s))}}catch(t){throw new z("ArrayBuffer is detached",nr)}}return H(e,t,o),o}var u,f=n(34),s=n(2),p=n(3),l=n(22),y=n(13),h=n(6),v=n(39),g=n(20),d=n(124),b=n(16),m=n(19),w=n(21),E=n(84),x=n(45),A=n(91),O=n(37),S=n(125),R=n(42),T=n(62),_=n(126),j=n(127),I=n(94),P=n(128),D=n(129),M=n(131),k=n(137),C=n(134),U=p.Object,L=p.Array,N=p.Date,F=p.Error,B=p.TypeError,V=p.PerformanceMark,z=l("DOMException"),W=I.Map,G=I.has,Y=I.get,H=I.set,Q=P.Set,X=P.add,q=P.has,K=l("Object","keys"),Z=y([].push),$=y((!0).valueOf),J=y(1..valueOf),rr=y("".valueOf),tr=y(N.prototype.getTime),er=v("structuredClone"),nr="DataCloneError",or="Transferring",ar=(y=function(r){return!h((function(){var t=new p.Set([7]),e=r(t),n=r(U(7));return e===t||!e.has(7)||!m(n)||7!=+n}))&&r},v=function(r,t){return!h((function(){var e=new t,n=r({a:e,b:e});return!(n&&n.a===n.b&&n.a instanceof t&&n.a.stack===e.stack)}))},p.structuredClone),cr=(f=f||!v(ar,F)||!v(ar,z)||(u=ar,!!h((function(){var r=u(new p.AggregateError([1],er,{cause:3}));return"AggregateError"!==r.name||1!==r.errors[0]||r.message!==er||3!==r.cause}))),v=!ar&&y((function(r){return new V(er,{detail:r}).detail})),y(ar)||v),ir=function(t,e){if(w(t)&&o("Symbol"),!m(t))return t;if(e){if(G(e,t))return Y(e,t)}else e=new W;var n,u,f,s,y,h,v,d,b,E,x,_,I,P,D=A(t);switch(D){case"Array":f=L(T(t));break;case"Object":f={};break;case"Map":f=new W;break;case"Set":f=new Q;break;case"RegExp":f=new RegExp(t.source,j(t));break;case"Error":switch(u=t.name){case"AggregateError":f=new(l(u))([]);break;case"EvalError":case"RangeError":case"ReferenceError":case"SuppressedError":case"SyntaxError":case"TypeError":case"URIError":f=new(l(u));break;case"CompileError":case"LinkError":case"RuntimeError":f=new(l("WebAssembly",u));break;default:f=new F}break;case"DOMException":f=new z(t.message,t.name);break;case"ArrayBuffer":case"SharedArrayBuffer":f=i(t,e,D);break;case"DataView":case"Int8Array":case"Uint8Array":case"Uint8ClampedArray":case"Int16Array":case"Uint16Array":case"Int32Array":case"Uint32Array":case"Float16Array":case"Float32Array":case"Float64Array":case"BigInt64Array":case"BigUint64Array":h="DataView"===D?t.byteLength:t.length,E=D,x=(b=t).byteOffset,_=h,I=e,P=p[E],m(P)||a(E),f=new P(i(b.buffer,I),x,_);break;case"DOMQuad":try{f=new DOMQuad(ir(t.p1,e),ir(t.p2,e),ir(t.p3,e),ir(t.p4,e))}catch(n){f=c(t,D)}break;case"File":if(cr)try{f=cr(t),A(f)!==D&&(f=r)}catch(n){}if(!f)try{f=new File([t],t.name,t)}catch(n){}f||a(D);break;case"FileList":if(s=function(){var r;try{r=new p.DataTransfer}catch(t){try{r=new p.ClipboardEvent("").clipboardData}catch(r){}}return r&&r.items&&r.files?r:null}()){for(y=0,h=T(t);y<h;y++)s.items.add(ir(t[y],e));f=s.files}else f=c(t,D);break;case"ImageData":try{f=new ImageData(ir(t.data,e),t.width,t.height,{colorSpace:t.colorSpace})}catch(n){f=c(t,D)}break;default:if(cr)f=cr(t);else switch(D){case"BigInt":f=U(t.valueOf());break;case"Boolean":f=U($(t));break;case"Number":f=U(J(t));break;case"String":f=U(rr(t));break;case"Date":f=new N(tr(t));break;case"Blob":try{f=t.slice(0,t.size,t.type)}catch(n){a(D)}break;case"DOMPoint":case"DOMPointReadOnly":n=p[D];try{f=n.fromPoint?n.fromPoint(t):new n(t.x,t.y,t.z,t.w)}catch(n){a(D)}break;case"DOMRect":case"DOMRectReadOnly":n=p[D];try{f=n.fromRect?n.fromRect(t):new n(t.x,t.y,t.width,t.height)}catch(n){a(D)}break;case"DOMMatrix":case"DOMMatrixReadOnly":n=p[D];try{f=n.fromMatrix?n.fromMatrix(t):new n(t)}catch(n){a(D)}break;case"AudioData":case"VideoFrame":g(t.clone)||a(D);try{f=t.clone()}catch(n){o(D)}break;case"CropTarget":case"CryptoKey":case"FileSystemDirectoryHandle":case"FileSystemFileHandle":case"FileSystemHandle":case"GPUCompilationInfo":case"GPUCompilationMessage":case"ImageBitmap":case"RTCCertificate":case"WebAssembly.Module":a(D);default:o(D)}}switch(H(e,t,f),D){case"Array":case"Object":for(v=K(t),y=0,h=T(v);y<h;y++)d=v[y],S(f,d,ir(t[d],e));break;case"Map":t.forEach((function(r,t){H(f,ir(t,e),ir(r,e))}));break;case"Set":t.forEach((function(r){X(f,ir(r,e))}));break;case"Error":R(f,"message",ir(t.message,e)),O(t,"cause")&&R(f,"cause",ir(t.cause,e)),"AggregateError"===u?f.errors=ir(t.errors,e):"SuppressedError"===u&&(f.error=ir(t.error,e),f.suppressed=ir(t.suppressed,e));case"DOMException":k&&R(f,"stack",ir(t.stack,e))}return f};s({global:!0,enumerable:!0,sham:!C,forced:f},{structuredClone:function(t){var e,n;(n=(n=1<_(arguments.length,1)&&!b(arguments[1])?x(arguments[1]):r)?n.transfer:r)!==r&&(e=function(t,e){if(!m(t))throw new B("Transfer option cannot be converted to a sequence");var n=[];E(t,(function(r){Z(n,x(r))}));for(var o,c,i,u,f,s=0,l=T(n),y=new Q;s<l;){if(o=n[s++],"ArrayBuffer"===(c=A(o))?q(y,o):G(e,o))throw new z("Duplicate transferable",nr);if("ArrayBuffer"!==c){if(C)u=ar(o,{transfer:[o]});else switch(c){case"ImageBitmap":i=p.OffscreenCanvas,d(i)||a(c,or);try{(f=new i(o.width,o.height)).getContext("bitmaprenderer").transferFromImageBitmap(o),u=f.transferToImageBitmap()}catch(t){}break;case"AudioData":case"VideoFrame":g(o.clone)&&g(o.close)||a(c,or);try{u=o.clone(),o.close()}catch(t){}break;case"MediaSourceHandle":case"MessagePort":case"OffscreenCanvas":case"ReadableStream":case"TransformStream":case"WritableStream":a(c,or)}if(u===r)throw new z("This object cannot be transferred: "+c,nr);H(e,o,u)}else X(y,o)}return y}(n,o=new W));var o=ir(t,o);return e&&D(e,(function(r){C?cr(r,{transfer:[r]}):g(r.transfer)?r.transfer():M?M(r):a("ArrayBuffer",or)})),o}})},function(r,t,e){function n(){}function o(r){if(!i(r))return!1;try{return p(n,[],r),!0}catch(r){return!1}}var a=e(13),c=e(6),i=e(20),u=e(91),f=e(22),s=e(49),p=f("Reflect","construct"),l=/^\s*(?:class|function)\b/,y=a(l.exec),h=!l.test(n);a=function(r){if(!i(r))return!1;switch(u(r)){case"AsyncFunction":case"GeneratorFunction":case"AsyncGeneratorFunction":return!1}try{return h||!!y(l,s(r))}catch(r){return!0}};a.sham=!0,r.exports=!p||c((function(){var r;return o(o.call)||!o(Object)||!o((function(){r=!0}))||r}))?a:o},function(r,t,e){var n=e(17),o=e(43),a=e(10);r.exports=function(r,t,e){(t=n(t))in r?o.f(r,t,a(0,e)):r[t]=e}},function(r,t,e){var n=TypeError;r.exports=function(r,t){if(r<t)throw new n("Not enough arguments");return r}},function(t,e,n){var o=n(7),a=n(37),c=n(23),i=n(100),u=RegExp.prototype;t.exports=function(t){var e=t.flags;return e!==r||"flags"in u||a(t,"flags")||!c(u,t)?e:o(i,t)}},function(r,t,e){var n=e(13);e=Set.prototype;r.exports={Set,add:n(e.add),has:n(e.has),remove:n(e.delete),proto:e}},function(r,t,e){var n,o=e(13),a=e(130),c=(e=(n=e(128)).Set,o((n=n.proto).forEach)),i=o(n.keys),u=i(new e).next;r.exports=function(r,t,e){return e?a({iterator:i(r),next:u},t):c(r,t)}},function(t,e,n){var o=n(7);t.exports=function(t,e,n){for(var a,c=n?t:t.iterator,i=t.next;!(a=o(i,c)).done;)if((a=e(a.value))!==r)return a}},function(r,t,e){var n,o,a,c,i=e(3),u=e(132),f=e(134),s=i.structuredClone,p=i.ArrayBuffer;e=i.MessageChannel,i=!1;if(f)i=function(r){s(r,{transfer:[r]})};else if(p)try{e||(n=u("worker_threads"))&&(e=n.MessageChannel),e&&(o=new e,a=new p(2),c=function(r){o.port1.postMessage(null,[r])},2===a.byteLength&&(c(a),0===a.byteLength&&(i=c)))}catch(r){}r.exports=i},function(r,t,e){var n=e(133);r.exports=function(r){try{if(n)return Function('return require("'+r+'")')()}catch(r){}}},function(r,t,e){var n=e(3);e=e(14);r.exports="process"===e(n.process)},function(r,t,e){var n=e(3),o=e(6),a=e(26),c=e(135),i=e(136),u=e(133),f=n.structuredClone;r.exports=!!f&&!o((function(){if(i&&92<a||u&&94<a||c&&97<a)return!1;var r=new ArrayBuffer(8),t=f(r,{transfer:[r]});return 0!==r.byteLength||8!==t.byteLength}))},function(r,t,e){var n=e(136);e=e(133);r.exports=!n&&!e&&"object"==typeof window&&"object"==typeof document},function(r,t,e){r.exports="object"==typeof Deno&&Deno&&"object"==typeof Deno.version},function(r,t,e){var n=e(6),o=e(10);r.exports=!n((function(){var r=new Error("a");return!("stack"in r)||(Object.defineProperty(r,"stack",o(1,7)),7!==r.stack)}))},function(t,e,n){var o=n(2),a=n(22),c=n(6),i=n(126),u=n(102),f=(n=n(139),a("URL"));o({target:"URL",stat:!0,forced:!(n&&c((function(){f.canParse()})))},{canParse:function(t){var e=i(arguments.length,1);t=u(t),e=e<2||arguments[1]===r?r:u(arguments[1]);try{return!!new f(t,e)}catch(t){return!1}}})},function(t,e,n){var o=n(6),a=n(32),c=n(5),i=n(34),u=a("iterator");t.exports=!o((function(){var t=new URL("b?a=1&b=2&c=3","http://a"),e=t.searchParams,n=new URLSearchParams("a=1&a=2&b=3"),o="";return t.pathname="c%20d",e.forEach((function(r,t){e.delete("b"),o+=t+r})),n.delete("a",2),n.delete("b",r),i&&(!t.toJSON||!n.has("a",1)||n.has("a",2)||!n.has("a",r)||n.has("b"))||!e.size&&(i||!c)||!e.sort||"http://a/c%20d?a=1&c=3"!==t.href||"3"!==e.get("c")||"a=1"!==String(new URLSearchParams("?a=1"))||!e[u]||"a"!==new URL("https://a@b").username||"b"!==new URLSearchParams(new URLSearchParams("a=b")).get("a")||"xn--e1aybc"!==new URL("http://тест").host||"#%D0%B1"!==new URL("http://a#б").hash||"a1c3"!==o||"x"!==new URL("http://x",r).host}))},function(t,e,n){var o,a=n(46),c=n(13),i=n(102),u=n(126),f=c((n=(o=URLSearchParams).prototype).append),s=c(n.delete),p=c(n.forEach),l=c([].push);(o=new o("a=1&a=2&b=3")).delete("a",1),o.delete("b",r),o+""!="a=2"&&a(n,"delete",(function(t){var e=arguments.length,n=e<2?r:arguments[1];if(e&&n===r)return s(this,t);var o=[];p(this,(function(r,t){l(o,{key:t,value:r})})),u(e,1);for(var a,c=i(t),y=i(n),h=0,v=0,g=!1,d=o.length;h<d;)a=o[h++],g||a.key===c?(g=!0,s(this,a.key)):v++;for(;v<d;)(a=o[v++]).key===c&&a.value===y||f(this,a.key,a.value)}),{enumerable:!0,unsafe:!0})},function(t,e,n){var o,a=n(46),c=n(13),i=n(102),u=n(126),f=c((n=(o=URLSearchParams).prototype).getAll),s=c(n.has);!(o=new o("a=1")).has("a",2)&&o.has("a",r)||a(n,"has",(function(t){var e=arguments.length,n=e<2?r:arguments[1];if(e&&n===r)return s(this,t);var o=f(this,t);u(e,1);for(var a=i(n),c=0;c<o.length;)if(o[c++]===a)return!0;return!1}),{enumerable:!0,unsafe:!0})},function(r,t,e){var n=e(5),o=e(13),a=e(99),c=o((e=URLSearchParams.prototype).forEach);!n||"size"in e||a(e,"size",{get:function(){var r=0;return c(this,(function(){r++})),r},configurable:!0,enumerable:!0})}],n.c=e,n.d=function(r,t,e){n.o(r,t)||Object.defineProperty(r,t,{enumerable:!0,get:e})},n.r=function(r){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(r,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(r,"__esModule",{value:!0})},n.t=function(r,t){if(1&t&&(r=n(r)),8&t)return r;if(4&t&&"object"==typeof r&&r&&r.__esModule)return r;var e=Object.create(null);if(n.r(e),Object.defineProperty(e,"default",{enumerable:!0,value:r}),2&t&&"string"!=typeof r)for(var o in r)n.d(e,o,function(t){return r[t]}.bind(null,o));return e},n.n=function(r){var t=r&&r.__esModule?function(){return r.default}:function(){return r};return n.d(t,"a",t),t},n.o=function(r,t){return Object.prototype.hasOwnProperty.call(r,t)},n.p="",n(n.s=0)}();wp-polyfill-element-closest.js000064400000000654151334462320012471 0ustar00!function(e){var t=e.Element.prototype;"function"!=typeof t.matches&&(t.matches=t.msMatchesSelector||t.mozMatchesSelector||t.webkitMatchesSelector||function(e){for(var t=(this.document||this.ownerDocument).querySelectorAll(e),o=0;t[o]&&t[o]!==this;)++o;return Boolean(t[o])}),"function"!=typeof t.closest&&(t.closest=function(e){for(var t=this;t&&1===t.nodeType;){if(t.matches(e))return t;t=t.parentNode}return null})}(window);
wp-polyfill-object-fit.js000060400000021741151334462320011410 0ustar00/*----------------------------------------
 * objectFitPolyfill 2.3.5
 *
 * Made by Constance Chen
 * Released under the ISC license
 *
 * https://github.com/constancecchen/object-fit-polyfill
 *--------------------------------------*/

(function() {
  'use strict';

  // if the page is being rendered on the server, don't continue
  if (typeof window === 'undefined') return;

  // Workaround for Edge 16-18, which only implemented object-fit for <img> tags
  var edgeMatch = window.navigator.userAgent.match(/Edge\/(\d{2})\./);
  var edgeVersion = edgeMatch ? parseInt(edgeMatch[1], 10) : null;
  var edgePartialSupport = edgeVersion
    ? edgeVersion >= 16 && edgeVersion <= 18
    : false;

  // If the browser does support object-fit, we don't need to continue
  var hasSupport = 'objectFit' in document.documentElement.style !== false;
  if (hasSupport && !edgePartialSupport) {
    window.objectFitPolyfill = function() {
      return false;
    };
    return;
  }

  /**
   * Check the container's parent element to make sure it will
   * correctly handle and clip absolutely positioned children
   *
   * @param {node} $container - parent element
   */
  var checkParentContainer = function($container) {
    var styles = window.getComputedStyle($container, null);
    var position = styles.getPropertyValue('position');
    var overflow = styles.getPropertyValue('overflow');
    var display = styles.getPropertyValue('display');

    if (!position || position === 'static') {
      $container.style.position = 'relative';
    }
    if (overflow !== 'hidden') {
      $container.style.overflow = 'hidden';
    }
    // Guesstimating that people want the parent to act like full width/height wrapper here.
    // Mostly attempts to target <picture> elements, which default to inline.
    if (!display || display === 'inline') {
      $container.style.display = 'block';
    }
    if ($container.clientHeight === 0) {
      $container.style.height = '100%';
    }

    // Add a CSS class hook, in case people need to override styles for any reason.
    if ($container.className.indexOf('object-fit-polyfill') === -1) {
      $container.className = $container.className + ' object-fit-polyfill';
    }
  };

  /**
   * Check for pre-set max-width/height, min-width/height,
   * positioning, or margins, which can mess up image calculations
   *
   * @param {node} $media - img/video element
   */
  var checkMediaProperties = function($media) {
    var styles = window.getComputedStyle($media, null);
    var constraints = {
      'max-width': 'none',
      'max-height': 'none',
      'min-width': '0px',
      'min-height': '0px',
      top: 'auto',
      right: 'auto',
      bottom: 'auto',
      left: 'auto',
      'margin-top': '0px',
      'margin-right': '0px',
      'margin-bottom': '0px',
      'margin-left': '0px',
    };

    for (var property in constraints) {
      var constraint = styles.getPropertyValue(property);

      if (constraint !== constraints[property]) {
        $media.style[property] = constraints[property];
      }
    }
  };

  /**
   * Calculate & set object-position
   *
   * @param {string} axis - either "x" or "y"
   * @param {node} $media - img or video element
   * @param {string} objectPosition - e.g. "50% 50%", "top left"
   */
  var setPosition = function(axis, $media, objectPosition) {
    var position, other, start, end, side;
    objectPosition = objectPosition.split(' ');

    if (objectPosition.length < 2) {
      objectPosition[1] = objectPosition[0];
    }

    /* istanbul ignore else */
    if (axis === 'x') {
      position = objectPosition[0];
      other = objectPosition[1];
      start = 'left';
      end = 'right';
      side = $media.clientWidth;
    } else if (axis === 'y') {
      position = objectPosition[1];
      other = objectPosition[0];
      start = 'top';
      end = 'bottom';
      side = $media.clientHeight;
    } else {
      return; // Neither x or y axis specified
    }

    if (position === start || other === start) {
      $media.style[start] = '0';
      return;
    }

    if (position === end || other === end) {
      $media.style[end] = '0';
      return;
    }

    if (position === 'center' || position === '50%') {
      $media.style[start] = '50%';
      $media.style['margin-' + start] = side / -2 + 'px';
      return;
    }

    // Percentage values (e.g., 30% 10%)
    if (position.indexOf('%') >= 0) {
      position = parseInt(position, 10);

      if (position < 50) {
        $media.style[start] = position + '%';
        $media.style['margin-' + start] = side * (position / -100) + 'px';
      } else {
        position = 100 - position;
        $media.style[end] = position + '%';
        $media.style['margin-' + end] = side * (position / -100) + 'px';
      }

      return;
    }
    // Length-based values (e.g. 10px / 10em)
    else {
      $media.style[start] = position;
    }
  };

  /**
   * Calculate & set object-fit
   *
   * @param {node} $media - img/video/picture element
   */
  var objectFit = function($media) {
    // IE 10- data polyfill
    var fit = $media.dataset
      ? $media.dataset.objectFit
      : $media.getAttribute('data-object-fit');
    var position = $media.dataset
      ? $media.dataset.objectPosition
      : $media.getAttribute('data-object-position');

    // Default fallbacks
    fit = fit || 'cover';
    position = position || '50% 50%';

    // If necessary, make the parent container work with absolutely positioned elements
    var $container = $media.parentNode;
    checkParentContainer($container);

    // Check for any pre-set CSS which could mess up image calculations
    checkMediaProperties($media);

    // Reset any pre-set width/height CSS and handle fit positioning
    $media.style.position = 'absolute';
    $media.style.width = 'auto';
    $media.style.height = 'auto';

    // `scale-down` chooses either `none` or `contain`, whichever is smaller
    if (fit === 'scale-down') {
      if (
        $media.clientWidth < $container.clientWidth &&
        $media.clientHeight < $container.clientHeight
      ) {
        fit = 'none';
      } else {
        fit = 'contain';
      }
    }

    // `none` (width/height auto) and `fill` (100%) and are straightforward
    if (fit === 'none') {
      setPosition('x', $media, position);
      setPosition('y', $media, position);
      return;
    }

    if (fit === 'fill') {
      $media.style.width = '100%';
      $media.style.height = '100%';
      setPosition('x', $media, position);
      setPosition('y', $media, position);
      return;
    }

    // `cover` and `contain` must figure out which side needs covering, and add CSS positioning & centering
    $media.style.height = '100%';

    if (
      (fit === 'cover' && $media.clientWidth > $container.clientWidth) ||
      (fit === 'contain' && $media.clientWidth < $container.clientWidth)
    ) {
      $media.style.top = '0';
      $media.style.marginTop = '0';
      setPosition('x', $media, position);
    } else {
      $media.style.width = '100%';
      $media.style.height = 'auto';
      $media.style.left = '0';
      $media.style.marginLeft = '0';
      setPosition('y', $media, position);
    }
  };

  /**
   * Initialize plugin
   *
   * @param {node} media - Optional specific DOM node(s) to be polyfilled
   */
  var objectFitPolyfill = function(media) {
    if (typeof media === 'undefined' || media instanceof Event) {
      // If left blank, or a default event, all media on the page will be polyfilled.
      media = document.querySelectorAll('[data-object-fit]');
    } else if (media && media.nodeName) {
      // If it's a single node, wrap it in an array so it works.
      media = [media];
    } else if (typeof media === 'object' && media.length && media[0].nodeName) {
      // If it's an array of DOM nodes (e.g. a jQuery selector), it's fine as-is.
      media = media;
    } else {
      // Otherwise, if it's invalid or an incorrect type, return false to let people know.
      return false;
    }

    for (var i = 0; i < media.length; i++) {
      if (!media[i].nodeName) continue;

      var mediaType = media[i].nodeName.toLowerCase();

      if (mediaType === 'img') {
        if (edgePartialSupport) continue; // Edge supports object-fit for images (but nothing else), so no need to polyfill

        if (media[i].complete) {
          objectFit(media[i]);
        } else {
          media[i].addEventListener('load', function() {
            objectFit(this);
          });
        }
      } else if (mediaType === 'video') {
        if (media[i].readyState > 0) {
          objectFit(media[i]);
        } else {
          media[i].addEventListener('loadedmetadata', function() {
            objectFit(this);
          });
        }
      } else {
        objectFit(media[i]);
      }
    }

    return true;
  };

  if (document.readyState === 'loading') {
    // Loading hasn't finished yet
    document.addEventListener('DOMContentLoaded', objectFitPolyfill);
  } else {
    // `DOMContentLoaded` has already fired
    objectFitPolyfill();
  }

  window.addEventListener('resize', objectFitPolyfill);

  window.objectFitPolyfill = objectFitPolyfill;
})();
wp-polyfill-inert.min.js000064400000017753151334462320011301 0ustar00!function(e){"object"==typeof exports&&"undefined"!=typeof module||"function"!=typeof define||!define.amd?e():define("inert",e)}((function(){"use strict";var e,t,n,i,o,r,s=function(e,t,n){return t&&a(e.prototype,t),n&&a(e,n),e};function a(e,t){for(var n=0;n<t.length;n++){var i=t[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(e,i.key,i)}}function d(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function u(e,t){d(this,u),this._inertManager=t,this._rootElement=e,this._managedNodes=new Set,this._rootElement.hasAttribute("aria-hidden")?this._savedAriaHidden=this._rootElement.getAttribute("aria-hidden"):this._savedAriaHidden=null,this._rootElement.setAttribute("aria-hidden","true"),this._makeSubtreeUnfocusable(this._rootElement),this._observer=new MutationObserver(this._onMutation.bind(this)),this._observer.observe(this._rootElement,{attributes:!0,childList:!0,subtree:!0})}function h(e,t){d(this,h),this._node=e,this._overrodeFocusMethod=!1,this._inertRoots=new Set([t]),this._savedTabIndex=null,this._destroyed=!1,this.ensureUntabbable()}function l(e){if(d(this,l),!e)throw new Error("Missing required argument; InertManager needs to wrap a document.");this._document=e,this._managedNodes=new Map,this._inertRoots=new Map,this._observer=new MutationObserver(this._watchForInert.bind(this)),_(e.head||e.body||e.documentElement),"loading"===e.readyState?e.addEventListener("DOMContentLoaded",this._onDocumentLoaded.bind(this)):this._onDocumentLoaded()}function c(e,t,n){if(e.nodeType==Node.ELEMENT_NODE){var i=e;if(s=(t&&t(i),i.shadowRoot))return void c(s,t,s);if("content"==i.localName){for(var o=(s=i).getDistributedNodes?s.getDistributedNodes():[],r=0;r<o.length;r++)c(o[r],t,n);return}if("slot"==i.localName){for(var s,a=(s=i).assignedNodes?s.assignedNodes({flatten:!0}):[],d=0;d<a.length;d++)c(a[d],t,n);return}}for(var u=e.firstChild;null!=u;)c(u,t,n),u=u.nextSibling}function _(e){var t;e.querySelector("style#inert-style, link#inert-style")||((t=document.createElement("style")).setAttribute("id","inert-style"),t.textContent="\n[inert] {\n  pointer-events: none;\n  cursor: default;\n}\n\n[inert], [inert] * {\n  -webkit-user-select: none;\n  -moz-user-select: none;\n  -ms-user-select: none;\n  user-select: none;\n}\n",e.appendChild(t))}"undefined"!=typeof window&&(e=Array.prototype.slice,t=Element.prototype.matches||Element.prototype.msMatchesSelector,n=["a[href]","area[href]","input:not([disabled])","select:not([disabled])","textarea:not([disabled])","button:not([disabled])","details","summary","iframe","object","embed","[contenteditable]"].join(","),s(u,[{key:"destructor",value:function(){this._observer.disconnect(),this._rootElement&&(null!==this._savedAriaHidden?this._rootElement.setAttribute("aria-hidden",this._savedAriaHidden):this._rootElement.removeAttribute("aria-hidden")),this._managedNodes.forEach((function(e){this._unmanageNode(e.node)}),this),this._observer=null,this._rootElement=null,this._managedNodes=null,this._inertManager=null}},{key:"_makeSubtreeUnfocusable",value:function(e){var t=this,n=(c(e,(function(e){return t._visitNode(e)})),document.activeElement);if(!document.body.contains(e)){for(var i=e,o=void 0;i;){if(i.nodeType===Node.DOCUMENT_FRAGMENT_NODE){o=i;break}i=i.parentNode}o&&(n=o.activeElement)}e.contains(n)&&(n.blur(),n===document.activeElement&&document.body.focus())}},{key:"_visitNode",value:function(e){e.nodeType===Node.ELEMENT_NODE&&(e!==this._rootElement&&e.hasAttribute("inert")&&this._adoptInertRoot(e),(t.call(e,n)||e.hasAttribute("tabindex"))&&this._manageNode(e))}},{key:"_manageNode",value:function(e){e=this._inertManager.register(e,this),this._managedNodes.add(e)}},{key:"_unmanageNode",value:function(e){(e=this._inertManager.deregister(e,this))&&this._managedNodes.delete(e)}},{key:"_unmanageSubtree",value:function(e){var t=this;c(e,(function(e){return t._unmanageNode(e)}))}},{key:"_adoptInertRoot",value:function(e){var t=this._inertManager.getInertRoot(e);t||(this._inertManager.setInert(e,!0),t=this._inertManager.getInertRoot(e)),t.managedNodes.forEach((function(e){this._manageNode(e.node)}),this)}},{key:"_onMutation",value:function(t,n){t.forEach((function(t){var n,i=t.target;"childList"===t.type?(e.call(t.addedNodes).forEach((function(e){this._makeSubtreeUnfocusable(e)}),this),e.call(t.removedNodes).forEach((function(e){this._unmanageSubtree(e)}),this)):"attributes"===t.type&&("tabindex"===t.attributeName?this._manageNode(i):i!==this._rootElement&&"inert"===t.attributeName&&i.hasAttribute("inert")&&(this._adoptInertRoot(i),n=this._inertManager.getInertRoot(i),this._managedNodes.forEach((function(e){i.contains(e.node)&&n._manageNode(e.node)}))))}),this)}},{key:"managedNodes",get:function(){return new Set(this._managedNodes)}},{key:"hasSavedAriaHidden",get:function(){return null!==this._savedAriaHidden}},{key:"savedAriaHidden",set:function(e){this._savedAriaHidden=e},get:function(){return this._savedAriaHidden}}]),i=u,s(h,[{key:"destructor",value:function(){var e;this._throwIfDestroyed(),this._node&&this._node.nodeType===Node.ELEMENT_NODE&&(e=this._node,null!==this._savedTabIndex?e.setAttribute("tabindex",this._savedTabIndex):e.removeAttribute("tabindex"),this._overrodeFocusMethod&&delete e.focus),this._node=null,this._inertRoots=null,this._destroyed=!0}},{key:"_throwIfDestroyed",value:function(){if(this.destroyed)throw new Error("Trying to access destroyed InertNode")}},{key:"ensureUntabbable",value:function(){var e;this.node.nodeType===Node.ELEMENT_NODE&&(e=this.node,t.call(e,n)?-1===e.tabIndex&&this.hasSavedTabIndex||(e.hasAttribute("tabindex")&&(this._savedTabIndex=e.tabIndex),e.setAttribute("tabindex","-1"),e.nodeType===Node.ELEMENT_NODE&&(e.focus=function(){},this._overrodeFocusMethod=!0)):e.hasAttribute("tabindex")&&(this._savedTabIndex=e.tabIndex,e.removeAttribute("tabindex")))}},{key:"addInertRoot",value:function(e){this._throwIfDestroyed(),this._inertRoots.add(e)}},{key:"removeInertRoot",value:function(e){this._throwIfDestroyed(),this._inertRoots.delete(e),0===this._inertRoots.size&&this.destructor()}},{key:"destroyed",get:function(){return this._destroyed}},{key:"hasSavedTabIndex",get:function(){return null!==this._savedTabIndex}},{key:"node",get:function(){return this._throwIfDestroyed(),this._node}},{key:"savedTabIndex",set:function(e){this._throwIfDestroyed(),this._savedTabIndex=e},get:function(){return this._throwIfDestroyed(),this._savedTabIndex}}]),o=h,s(l,[{key:"setInert",value:function(e,t){if(t){if(!this._inertRoots.has(e)&&(t=new i(e,this),e.setAttribute("inert",""),this._inertRoots.set(e,t),!this._document.body.contains(e)))for(var n=e.parentNode;n;)11===n.nodeType&&_(n),n=n.parentNode}else this._inertRoots.has(e)&&(this._inertRoots.get(e).destructor(),this._inertRoots.delete(e),e.removeAttribute("inert"))}},{key:"getInertRoot",value:function(e){return this._inertRoots.get(e)}},{key:"register",value:function(e,t){var n=this._managedNodes.get(e);return void 0!==n?n.addInertRoot(t):n=new o(e,t),this._managedNodes.set(e,n),n}},{key:"deregister",value:function(e,t){var n=this._managedNodes.get(e);return n?(n.removeInertRoot(t),n.destroyed&&this._managedNodes.delete(e),n):null}},{key:"_onDocumentLoaded",value:function(){e.call(this._document.querySelectorAll("[inert]")).forEach((function(e){this.setInert(e,!0)}),this),this._observer.observe(this._document.body||this._document.documentElement,{attributes:!0,subtree:!0,childList:!0})}},{key:"_watchForInert",value:function(n,i){var o=this;n.forEach((function(n){switch(n.type){case"childList":e.call(n.addedNodes).forEach((function(n){var i;n.nodeType===Node.ELEMENT_NODE&&(i=e.call(n.querySelectorAll("[inert]")),t.call(n,"[inert]")&&i.unshift(n),i.forEach((function(e){this.setInert(e,!0)}),o))}),o);break;case"attributes":if("inert"!==n.attributeName)return;var i=n.target,r=i.hasAttribute("inert");o.setInert(i,r)}}),this)}}]),s=l,HTMLElement.prototype.hasOwnProperty("inert")||(r=new s(document),Object.defineProperty(HTMLElement.prototype,"inert",{enumerable:!0,get:function(){return this.hasAttribute("inert")},set:function(e){r.setInert(this,e)}})))}));moment.min.js000064400000161105151334462320007172 0ustar00!function(e,t){"object"==typeof exports&&"undefined"!=typeof module?module.exports=t():"function"==typeof define&&define.amd?define(t):e.moment=t()}(this,function(){"use strict";var H;function _(){return H.apply(null,arguments)}function y(e){return e instanceof Array||"[object Array]"===Object.prototype.toString.call(e)}function F(e){return null!=e&&"[object Object]"===Object.prototype.toString.call(e)}function c(e,t){return Object.prototype.hasOwnProperty.call(e,t)}function L(e){if(Object.getOwnPropertyNames)return 0===Object.getOwnPropertyNames(e).length;for(var t in e)if(c(e,t))return;return 1}function g(e){return void 0===e}function w(e){return"number"==typeof e||"[object Number]"===Object.prototype.toString.call(e)}function V(e){return e instanceof Date||"[object Date]"===Object.prototype.toString.call(e)}function G(e,t){for(var n=[],s=e.length,i=0;i<s;++i)n.push(t(e[i],i));return n}function E(e,t){for(var n in t)c(t,n)&&(e[n]=t[n]);return c(t,"toString")&&(e.toString=t.toString),c(t,"valueOf")&&(e.valueOf=t.valueOf),e}function l(e,t,n,s){return Pt(e,t,n,s,!0).utc()}function p(e){return null==e._pf&&(e._pf={empty:!1,unusedTokens:[],unusedInput:[],overflow:-2,charsLeftOver:0,nullInput:!1,invalidEra:null,invalidMonth:null,invalidFormat:!1,userInvalidated:!1,iso:!1,parsedDateParts:[],era:null,meridiem:null,rfc2822:!1,weekdayMismatch:!1}),e._pf}function A(e){if(null==e._isValid){var t=p(e),n=j.call(t.parsedDateParts,function(e){return null!=e}),n=!isNaN(e._d.getTime())&&t.overflow<0&&!t.empty&&!t.invalidEra&&!t.invalidMonth&&!t.invalidWeekday&&!t.weekdayMismatch&&!t.nullInput&&!t.invalidFormat&&!t.userInvalidated&&(!t.meridiem||t.meridiem&&n);if(e._strict&&(n=n&&0===t.charsLeftOver&&0===t.unusedTokens.length&&void 0===t.bigHour),null!=Object.isFrozen&&Object.isFrozen(e))return n;e._isValid=n}return e._isValid}function I(e){var t=l(NaN);return null!=e?E(p(t),e):p(t).userInvalidated=!0,t}var j=Array.prototype.some||function(e){for(var t=Object(this),n=t.length>>>0,s=0;s<n;s++)if(s in t&&e.call(this,t[s],s,t))return!0;return!1},Z=_.momentProperties=[],z=!1;function $(e,t){var n,s,i,r=Z.length;if(g(t._isAMomentObject)||(e._isAMomentObject=t._isAMomentObject),g(t._i)||(e._i=t._i),g(t._f)||(e._f=t._f),g(t._l)||(e._l=t._l),g(t._strict)||(e._strict=t._strict),g(t._tzm)||(e._tzm=t._tzm),g(t._isUTC)||(e._isUTC=t._isUTC),g(t._offset)||(e._offset=t._offset),g(t._pf)||(e._pf=p(t)),g(t._locale)||(e._locale=t._locale),0<r)for(n=0;n<r;n++)g(i=t[s=Z[n]])||(e[s]=i);return e}function q(e){$(this,e),this._d=new Date(null!=e._d?e._d.getTime():NaN),this.isValid()||(this._d=new Date(NaN)),!1===z&&(z=!0,_.updateOffset(this),z=!1)}function v(e){return e instanceof q||null!=e&&null!=e._isAMomentObject}function B(e){!1===_.suppressDeprecationWarnings&&"undefined"!=typeof console&&console.warn&&console.warn("Deprecation warning: "+e)}function e(r,a){var o=!0;return E(function(){if(null!=_.deprecationHandler&&_.deprecationHandler(null,r),o){for(var e,t,n=[],s=arguments.length,i=0;i<s;i++){if(e="","object"==typeof arguments[i]){for(t in e+="\n["+i+"] ",arguments[0])c(arguments[0],t)&&(e+=t+": "+arguments[0][t]+", ");e=e.slice(0,-2)}else e=arguments[i];n.push(e)}B(r+"\nArguments: "+Array.prototype.slice.call(n).join("")+"\n"+(new Error).stack),o=!1}return a.apply(this,arguments)},a)}var J={};function Q(e,t){null!=_.deprecationHandler&&_.deprecationHandler(e,t),J[e]||(B(t),J[e]=!0)}function a(e){return"undefined"!=typeof Function&&e instanceof Function||"[object Function]"===Object.prototype.toString.call(e)}function X(e,t){var n,s=E({},e);for(n in t)c(t,n)&&(F(e[n])&&F(t[n])?(s[n]={},E(s[n],e[n]),E(s[n],t[n])):null!=t[n]?s[n]=t[n]:delete s[n]);for(n in e)c(e,n)&&!c(t,n)&&F(e[n])&&(s[n]=E({},s[n]));return s}function K(e){null!=e&&this.set(e)}_.suppressDeprecationWarnings=!1,_.deprecationHandler=null;var ee=Object.keys||function(e){var t,n=[];for(t in e)c(e,t)&&n.push(t);return n};function r(e,t,n){var s=""+Math.abs(e);return(0<=e?n?"+":"":"-")+Math.pow(10,Math.max(0,t-s.length)).toString().substr(1)+s}var te=/(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,ne=/(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,se={},ie={};function s(e,t,n,s){var i="string"==typeof s?function(){return this[s]()}:s;e&&(ie[e]=i),t&&(ie[t[0]]=function(){return r(i.apply(this,arguments),t[1],t[2])}),n&&(ie[n]=function(){return this.localeData().ordinal(i.apply(this,arguments),e)})}function re(e,t){return e.isValid()?(t=ae(t,e.localeData()),se[t]=se[t]||function(s){for(var e,i=s.match(te),t=0,r=i.length;t<r;t++)ie[i[t]]?i[t]=ie[i[t]]:i[t]=(e=i[t]).match(/\[[\s\S]/)?e.replace(/^\[|\]$/g,""):e.replace(/\\/g,"");return function(e){for(var t="",n=0;n<r;n++)t+=a(i[n])?i[n].call(e,s):i[n];return t}}(t),se[t](e)):e.localeData().invalidDate()}function ae(e,t){var n=5;function s(e){return t.longDateFormat(e)||e}for(ne.lastIndex=0;0<=n&&ne.test(e);)e=e.replace(ne,s),ne.lastIndex=0,--n;return e}var oe={};function t(e,t){var n=e.toLowerCase();oe[n]=oe[n+"s"]=oe[t]=e}function o(e){return"string"==typeof e?oe[e]||oe[e.toLowerCase()]:void 0}function ue(e){var t,n,s={};for(n in e)c(e,n)&&(t=o(n))&&(s[t]=e[n]);return s}var le={};function n(e,t){le[e]=t}function he(e){return e%4==0&&e%100!=0||e%400==0}function d(e){return e<0?Math.ceil(e)||0:Math.floor(e)}function h(e){var e=+e,t=0;return t=0!=e&&isFinite(e)?d(e):t}function de(t,n){return function(e){return null!=e?(fe(this,t,e),_.updateOffset(this,n),this):ce(this,t)}}function ce(e,t){return e.isValid()?e._d["get"+(e._isUTC?"UTC":"")+t]():NaN}function fe(e,t,n){e.isValid()&&!isNaN(n)&&("FullYear"===t&&he(e.year())&&1===e.month()&&29===e.date()?(n=h(n),e._d["set"+(e._isUTC?"UTC":"")+t](n,e.month(),We(n,e.month()))):e._d["set"+(e._isUTC?"UTC":"")+t](n))}var i=/\d/,u=/\d\d/,me=/\d{3}/,_e=/\d{4}/,ye=/[+-]?\d{6}/,f=/\d\d?/,ge=/\d\d\d\d?/,we=/\d\d\d\d\d\d?/,pe=/\d{1,3}/,ve=/\d{1,4}/,ke=/[+-]?\d{1,6}/,Me=/\d+/,De=/[+-]?\d+/,Se=/Z|[+-]\d\d:?\d\d/gi,Ye=/Z|[+-]\d\d(?::?\d\d)?/gi,m=/[0-9]{0,256}['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFF07\uFF10-\uFFEF]{1,256}|[\u0600-\u06FF\/]{1,256}(\s*?[\u0600-\u06FF]{1,256}){1,2}/i;function k(e,n,s){be[e]=a(n)?n:function(e,t){return e&&s?s:n}}function Oe(e,t){return c(be,e)?be[e](t._strict,t._locale):new RegExp(M(e.replace("\\","").replace(/\\(\[)|\\(\])|\[([^\]\[]*)\]|\\(.)/g,function(e,t,n,s,i){return t||n||s||i})))}function M(e){return e.replace(/[-\/\\^$*+?.()|[\]{}]/g,"\\$&")}var be={},xe={};function D(e,n){var t,s,i=n;for("string"==typeof e&&(e=[e]),w(n)&&(i=function(e,t){t[n]=h(e)}),s=e.length,t=0;t<s;t++)xe[e[t]]=i}function Te(e,i){D(e,function(e,t,n,s){n._w=n._w||{},i(e,n._w,n,s)})}var S,Y=0,O=1,b=2,x=3,T=4,N=5,Ne=6,Pe=7,Re=8;function We(e,t){var n;return isNaN(e)||isNaN(t)?NaN:(n=(t%(n=12)+n)%n,e+=(t-n)/12,1==n?he(e)?29:28:31-n%7%2)}S=Array.prototype.indexOf||function(e){for(var t=0;t<this.length;++t)if(this[t]===e)return t;return-1},s("M",["MM",2],"Mo",function(){return this.month()+1}),s("MMM",0,0,function(e){return this.localeData().monthsShort(this,e)}),s("MMMM",0,0,function(e){return this.localeData().months(this,e)}),t("month","M"),n("month",8),k("M",f),k("MM",f,u),k("MMM",function(e,t){return t.monthsShortRegex(e)}),k("MMMM",function(e,t){return t.monthsRegex(e)}),D(["M","MM"],function(e,t){t[O]=h(e)-1}),D(["MMM","MMMM"],function(e,t,n,s){s=n._locale.monthsParse(e,s,n._strict);null!=s?t[O]=s:p(n).invalidMonth=e});var Ce="January_February_March_April_May_June_July_August_September_October_November_December".split("_"),Ue="Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),He=/D[oD]?(\[[^\[\]]*\]|\s)+MMMM?/,Fe=m,Le=m;function Ve(e,t){var n;if(e.isValid()){if("string"==typeof t)if(/^\d+$/.test(t))t=h(t);else if(!w(t=e.localeData().monthsParse(t)))return;n=Math.min(e.date(),We(e.year(),t)),e._d["set"+(e._isUTC?"UTC":"")+"Month"](t,n)}}function Ge(e){return null!=e?(Ve(this,e),_.updateOffset(this,!0),this):ce(this,"Month")}function Ee(){function e(e,t){return t.length-e.length}for(var t,n=[],s=[],i=[],r=0;r<12;r++)t=l([2e3,r]),n.push(this.monthsShort(t,"")),s.push(this.months(t,"")),i.push(this.months(t,"")),i.push(this.monthsShort(t,""));for(n.sort(e),s.sort(e),i.sort(e),r=0;r<12;r++)n[r]=M(n[r]),s[r]=M(s[r]);for(r=0;r<24;r++)i[r]=M(i[r]);this._monthsRegex=new RegExp("^("+i.join("|")+")","i"),this._monthsShortRegex=this._monthsRegex,this._monthsStrictRegex=new RegExp("^("+s.join("|")+")","i"),this._monthsShortStrictRegex=new RegExp("^("+n.join("|")+")","i")}function Ae(e){return he(e)?366:365}s("Y",0,0,function(){var e=this.year();return e<=9999?r(e,4):"+"+e}),s(0,["YY",2],0,function(){return this.year()%100}),s(0,["YYYY",4],0,"year"),s(0,["YYYYY",5],0,"year"),s(0,["YYYYYY",6,!0],0,"year"),t("year","y"),n("year",1),k("Y",De),k("YY",f,u),k("YYYY",ve,_e),k("YYYYY",ke,ye),k("YYYYYY",ke,ye),D(["YYYYY","YYYYYY"],Y),D("YYYY",function(e,t){t[Y]=2===e.length?_.parseTwoDigitYear(e):h(e)}),D("YY",function(e,t){t[Y]=_.parseTwoDigitYear(e)}),D("Y",function(e,t){t[Y]=parseInt(e,10)}),_.parseTwoDigitYear=function(e){return h(e)+(68<h(e)?1900:2e3)};var Ie=de("FullYear",!0);function je(e,t,n,s,i,r,a){var o;return e<100&&0<=e?(o=new Date(e+400,t,n,s,i,r,a),isFinite(o.getFullYear())&&o.setFullYear(e)):o=new Date(e,t,n,s,i,r,a),o}function Ze(e){var t;return e<100&&0<=e?((t=Array.prototype.slice.call(arguments))[0]=e+400,t=new Date(Date.UTC.apply(null,t)),isFinite(t.getUTCFullYear())&&t.setUTCFullYear(e)):t=new Date(Date.UTC.apply(null,arguments)),t}function ze(e,t,n){n=7+t-n;return n-(7+Ze(e,0,n).getUTCDay()-t)%7-1}function $e(e,t,n,s,i){var r,t=1+7*(t-1)+(7+n-s)%7+ze(e,s,i),n=t<=0?Ae(r=e-1)+t:t>Ae(e)?(r=e+1,t-Ae(e)):(r=e,t);return{year:r,dayOfYear:n}}function qe(e,t,n){var s,i,r=ze(e.year(),t,n),r=Math.floor((e.dayOfYear()-r-1)/7)+1;return r<1?s=r+P(i=e.year()-1,t,n):r>P(e.year(),t,n)?(s=r-P(e.year(),t,n),i=e.year()+1):(i=e.year(),s=r),{week:s,year:i}}function P(e,t,n){var s=ze(e,t,n),t=ze(e+1,t,n);return(Ae(e)-s+t)/7}s("w",["ww",2],"wo","week"),s("W",["WW",2],"Wo","isoWeek"),t("week","w"),t("isoWeek","W"),n("week",5),n("isoWeek",5),k("w",f),k("ww",f,u),k("W",f),k("WW",f,u),Te(["w","ww","W","WW"],function(e,t,n,s){t[s.substr(0,1)]=h(e)});function Be(e,t){return e.slice(t,7).concat(e.slice(0,t))}s("d",0,"do","day"),s("dd",0,0,function(e){return this.localeData().weekdaysMin(this,e)}),s("ddd",0,0,function(e){return this.localeData().weekdaysShort(this,e)}),s("dddd",0,0,function(e){return this.localeData().weekdays(this,e)}),s("e",0,0,"weekday"),s("E",0,0,"isoWeekday"),t("day","d"),t("weekday","e"),t("isoWeekday","E"),n("day",11),n("weekday",11),n("isoWeekday",11),k("d",f),k("e",f),k("E",f),k("dd",function(e,t){return t.weekdaysMinRegex(e)}),k("ddd",function(e,t){return t.weekdaysShortRegex(e)}),k("dddd",function(e,t){return t.weekdaysRegex(e)}),Te(["dd","ddd","dddd"],function(e,t,n,s){s=n._locale.weekdaysParse(e,s,n._strict);null!=s?t.d=s:p(n).invalidWeekday=e}),Te(["d","e","E"],function(e,t,n,s){t[s]=h(e)});var Je="Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),Qe="Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),Xe="Su_Mo_Tu_We_Th_Fr_Sa".split("_"),Ke=m,et=m,tt=m;function nt(){function e(e,t){return t.length-e.length}for(var t,n,s,i=[],r=[],a=[],o=[],u=0;u<7;u++)s=l([2e3,1]).day(u),t=M(this.weekdaysMin(s,"")),n=M(this.weekdaysShort(s,"")),s=M(this.weekdays(s,"")),i.push(t),r.push(n),a.push(s),o.push(t),o.push(n),o.push(s);i.sort(e),r.sort(e),a.sort(e),o.sort(e),this._weekdaysRegex=new RegExp("^("+o.join("|")+")","i"),this._weekdaysShortRegex=this._weekdaysRegex,this._weekdaysMinRegex=this._weekdaysRegex,this._weekdaysStrictRegex=new RegExp("^("+a.join("|")+")","i"),this._weekdaysShortStrictRegex=new RegExp("^("+r.join("|")+")","i"),this._weekdaysMinStrictRegex=new RegExp("^("+i.join("|")+")","i")}function st(){return this.hours()%12||12}function it(e,t){s(e,0,0,function(){return this.localeData().meridiem(this.hours(),this.minutes(),t)})}function rt(e,t){return t._meridiemParse}s("H",["HH",2],0,"hour"),s("h",["hh",2],0,st),s("k",["kk",2],0,function(){return this.hours()||24}),s("hmm",0,0,function(){return""+st.apply(this)+r(this.minutes(),2)}),s("hmmss",0,0,function(){return""+st.apply(this)+r(this.minutes(),2)+r(this.seconds(),2)}),s("Hmm",0,0,function(){return""+this.hours()+r(this.minutes(),2)}),s("Hmmss",0,0,function(){return""+this.hours()+r(this.minutes(),2)+r(this.seconds(),2)}),it("a",!0),it("A",!1),t("hour","h"),n("hour",13),k("a",rt),k("A",rt),k("H",f),k("h",f),k("k",f),k("HH",f,u),k("hh",f,u),k("kk",f,u),k("hmm",ge),k("hmmss",we),k("Hmm",ge),k("Hmmss",we),D(["H","HH"],x),D(["k","kk"],function(e,t,n){e=h(e);t[x]=24===e?0:e}),D(["a","A"],function(e,t,n){n._isPm=n._locale.isPM(e),n._meridiem=e}),D(["h","hh"],function(e,t,n){t[x]=h(e),p(n).bigHour=!0}),D("hmm",function(e,t,n){var s=e.length-2;t[x]=h(e.substr(0,s)),t[T]=h(e.substr(s)),p(n).bigHour=!0}),D("hmmss",function(e,t,n){var s=e.length-4,i=e.length-2;t[x]=h(e.substr(0,s)),t[T]=h(e.substr(s,2)),t[N]=h(e.substr(i)),p(n).bigHour=!0}),D("Hmm",function(e,t,n){var s=e.length-2;t[x]=h(e.substr(0,s)),t[T]=h(e.substr(s))}),D("Hmmss",function(e,t,n){var s=e.length-4,i=e.length-2;t[x]=h(e.substr(0,s)),t[T]=h(e.substr(s,2)),t[N]=h(e.substr(i))});m=de("Hours",!0);var at,ot={calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},longDateFormat:{LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"},invalidDate:"Invalid date",ordinal:"%d",dayOfMonthOrdinalParse:/\d{1,2}/,relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",w:"a week",ww:"%d weeks",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},months:Ce,monthsShort:Ue,week:{dow:0,doy:6},weekdays:Je,weekdaysMin:Xe,weekdaysShort:Qe,meridiemParse:/[ap]\.?m?\.?/i},R={},ut={};function lt(e){return e&&e.toLowerCase().replace("_","-")}function ht(e){for(var t,n,s,i,r=0;r<e.length;){for(t=(i=lt(e[r]).split("-")).length,n=(n=lt(e[r+1]))?n.split("-"):null;0<t;){if(s=dt(i.slice(0,t).join("-")))return s;if(n&&n.length>=t&&function(e,t){for(var n=Math.min(e.length,t.length),s=0;s<n;s+=1)if(e[s]!==t[s])return s;return n}(i,n)>=t-1)break;t--}r++}return at}function dt(t){var e;if(void 0===R[t]&&"undefined"!=typeof module&&module&&module.exports&&null!=t.match("^[^/\\\\]*$"))try{e=at._abbr,require("./locale/"+t),ct(e)}catch(e){R[t]=null}return R[t]}function ct(e,t){return e&&((t=g(t)?mt(e):ft(e,t))?at=t:"undefined"!=typeof console&&console.warn&&console.warn("Locale "+e+" not found. Did you forget to load it?")),at._abbr}function ft(e,t){if(null===t)return delete R[e],null;var n,s=ot;if(t.abbr=e,null!=R[e])Q("defineLocaleOverride","use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info."),s=R[e]._config;else if(null!=t.parentLocale)if(null!=R[t.parentLocale])s=R[t.parentLocale]._config;else{if(null==(n=dt(t.parentLocale)))return ut[t.parentLocale]||(ut[t.parentLocale]=[]),ut[t.parentLocale].push({name:e,config:t}),null;s=n._config}return R[e]=new K(X(s,t)),ut[e]&&ut[e].forEach(function(e){ft(e.name,e.config)}),ct(e),R[e]}function mt(e){var t;if(!(e=e&&e._locale&&e._locale._abbr?e._locale._abbr:e))return at;if(!y(e)){if(t=dt(e))return t;e=[e]}return ht(e)}function _t(e){var t=e._a;return t&&-2===p(e).overflow&&(t=t[O]<0||11<t[O]?O:t[b]<1||t[b]>We(t[Y],t[O])?b:t[x]<0||24<t[x]||24===t[x]&&(0!==t[T]||0!==t[N]||0!==t[Ne])?x:t[T]<0||59<t[T]?T:t[N]<0||59<t[N]?N:t[Ne]<0||999<t[Ne]?Ne:-1,p(e)._overflowDayOfYear&&(t<Y||b<t)&&(t=b),p(e)._overflowWeeks&&-1===t&&(t=Pe),p(e)._overflowWeekday&&-1===t&&(t=Re),p(e).overflow=t),e}var yt=/^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,gt=/^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,wt=/Z|[+-]\d\d(?::?\d\d)?/,pt=[["YYYYYY-MM-DD",/[+-]\d{6}-\d\d-\d\d/],["YYYY-MM-DD",/\d{4}-\d\d-\d\d/],["GGGG-[W]WW-E",/\d{4}-W\d\d-\d/],["GGGG-[W]WW",/\d{4}-W\d\d/,!1],["YYYY-DDD",/\d{4}-\d{3}/],["YYYY-MM",/\d{4}-\d\d/,!1],["YYYYYYMMDD",/[+-]\d{10}/],["YYYYMMDD",/\d{8}/],["GGGG[W]WWE",/\d{4}W\d{3}/],["GGGG[W]WW",/\d{4}W\d{2}/,!1],["YYYYDDD",/\d{7}/],["YYYYMM",/\d{6}/,!1],["YYYY",/\d{4}/,!1]],vt=[["HH:mm:ss.SSSS",/\d\d:\d\d:\d\d\.\d+/],["HH:mm:ss,SSSS",/\d\d:\d\d:\d\d,\d+/],["HH:mm:ss",/\d\d:\d\d:\d\d/],["HH:mm",/\d\d:\d\d/],["HHmmss.SSSS",/\d\d\d\d\d\d\.\d+/],["HHmmss,SSSS",/\d\d\d\d\d\d,\d+/],["HHmmss",/\d\d\d\d\d\d/],["HHmm",/\d\d\d\d/],["HH",/\d\d/]],kt=/^\/?Date\((-?\d+)/i,Mt=/^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/,Dt={UT:0,GMT:0,EDT:-240,EST:-300,CDT:-300,CST:-360,MDT:-360,MST:-420,PDT:-420,PST:-480};function St(e){var t,n,s,i,r,a,o=e._i,u=yt.exec(o)||gt.exec(o),o=pt.length,l=vt.length;if(u){for(p(e).iso=!0,t=0,n=o;t<n;t++)if(pt[t][1].exec(u[1])){i=pt[t][0],s=!1!==pt[t][2];break}if(null==i)e._isValid=!1;else{if(u[3]){for(t=0,n=l;t<n;t++)if(vt[t][1].exec(u[3])){r=(u[2]||" ")+vt[t][0];break}if(null==r)return void(e._isValid=!1)}if(s||null==r){if(u[4]){if(!wt.exec(u[4]))return void(e._isValid=!1);a="Z"}e._f=i+(r||"")+(a||""),Tt(e)}else e._isValid=!1}}else e._isValid=!1}function Yt(e,t,n,s,i,r){e=[function(e){e=parseInt(e,10);{if(e<=49)return 2e3+e;if(e<=999)return 1900+e}return e}(e),Ue.indexOf(t),parseInt(n,10),parseInt(s,10),parseInt(i,10)];return r&&e.push(parseInt(r,10)),e}function Ot(e){var t,n,s=Mt.exec(e._i.replace(/\([^()]*\)|[\n\t]/g," ").replace(/(\s\s+)/g," ").replace(/^\s\s*/,"").replace(/\s\s*$/,""));s?(t=Yt(s[4],s[3],s[2],s[5],s[6],s[7]),function(e,t,n){if(!e||Qe.indexOf(e)===new Date(t[0],t[1],t[2]).getDay())return 1;p(n).weekdayMismatch=!0,n._isValid=!1}(s[1],t,e)&&(e._a=t,e._tzm=(t=s[8],n=s[9],s=s[10],t?Dt[t]:n?0:60*(((t=parseInt(s,10))-(n=t%100))/100)+n),e._d=Ze.apply(null,e._a),e._d.setUTCMinutes(e._d.getUTCMinutes()-e._tzm),p(e).rfc2822=!0)):e._isValid=!1}function bt(e,t,n){return null!=e?e:null!=t?t:n}function xt(e){var t,n,s,i,r,a,o,u,l,h,d,c=[];if(!e._d){for(s=e,i=new Date(_.now()),n=s._useUTC?[i.getUTCFullYear(),i.getUTCMonth(),i.getUTCDate()]:[i.getFullYear(),i.getMonth(),i.getDate()],e._w&&null==e._a[b]&&null==e._a[O]&&(null!=(i=(s=e)._w).GG||null!=i.W||null!=i.E?(u=1,l=4,r=bt(i.GG,s._a[Y],qe(W(),1,4).year),a=bt(i.W,1),((o=bt(i.E,1))<1||7<o)&&(h=!0)):(u=s._locale._week.dow,l=s._locale._week.doy,d=qe(W(),u,l),r=bt(i.gg,s._a[Y],d.year),a=bt(i.w,d.week),null!=i.d?((o=i.d)<0||6<o)&&(h=!0):null!=i.e?(o=i.e+u,(i.e<0||6<i.e)&&(h=!0)):o=u),a<1||a>P(r,u,l)?p(s)._overflowWeeks=!0:null!=h?p(s)._overflowWeekday=!0:(d=$e(r,a,o,u,l),s._a[Y]=d.year,s._dayOfYear=d.dayOfYear)),null!=e._dayOfYear&&(i=bt(e._a[Y],n[Y]),(e._dayOfYear>Ae(i)||0===e._dayOfYear)&&(p(e)._overflowDayOfYear=!0),h=Ze(i,0,e._dayOfYear),e._a[O]=h.getUTCMonth(),e._a[b]=h.getUTCDate()),t=0;t<3&&null==e._a[t];++t)e._a[t]=c[t]=n[t];for(;t<7;t++)e._a[t]=c[t]=null==e._a[t]?2===t?1:0:e._a[t];24===e._a[x]&&0===e._a[T]&&0===e._a[N]&&0===e._a[Ne]&&(e._nextDay=!0,e._a[x]=0),e._d=(e._useUTC?Ze:je).apply(null,c),r=e._useUTC?e._d.getUTCDay():e._d.getDay(),null!=e._tzm&&e._d.setUTCMinutes(e._d.getUTCMinutes()-e._tzm),e._nextDay&&(e._a[x]=24),e._w&&void 0!==e._w.d&&e._w.d!==r&&(p(e).weekdayMismatch=!0)}}function Tt(e){if(e._f===_.ISO_8601)St(e);else if(e._f===_.RFC_2822)Ot(e);else{e._a=[],p(e).empty=!0;for(var t,n,s,i,r,a=""+e._i,o=a.length,u=0,l=ae(e._f,e._locale).match(te)||[],h=l.length,d=0;d<h;d++)n=l[d],(t=(a.match(Oe(n,e))||[])[0])&&(0<(s=a.substr(0,a.indexOf(t))).length&&p(e).unusedInput.push(s),a=a.slice(a.indexOf(t)+t.length),u+=t.length),ie[n]?(t?p(e).empty=!1:p(e).unusedTokens.push(n),s=n,r=e,null!=(i=t)&&c(xe,s)&&xe[s](i,r._a,r,s)):e._strict&&!t&&p(e).unusedTokens.push(n);p(e).charsLeftOver=o-u,0<a.length&&p(e).unusedInput.push(a),e._a[x]<=12&&!0===p(e).bigHour&&0<e._a[x]&&(p(e).bigHour=void 0),p(e).parsedDateParts=e._a.slice(0),p(e).meridiem=e._meridiem,e._a[x]=function(e,t,n){if(null==n)return t;return null!=e.meridiemHour?e.meridiemHour(t,n):null!=e.isPM?((e=e.isPM(n))&&t<12&&(t+=12),t=e||12!==t?t:0):t}(e._locale,e._a[x],e._meridiem),null!==(o=p(e).era)&&(e._a[Y]=e._locale.erasConvertYear(o,e._a[Y])),xt(e),_t(e)}}function Nt(e){var t,n,s,i=e._i,r=e._f;if(e._locale=e._locale||mt(e._l),null===i||void 0===r&&""===i)return I({nullInput:!0});if("string"==typeof i&&(e._i=i=e._locale.preparse(i)),v(i))return new q(_t(i));if(V(i))e._d=i;else if(y(r)){var a,o,u,l,h,d,c=e,f=!1,m=c._f.length;if(0===m)p(c).invalidFormat=!0,c._d=new Date(NaN);else{for(l=0;l<m;l++)h=0,d=!1,a=$({},c),null!=c._useUTC&&(a._useUTC=c._useUTC),a._f=c._f[l],Tt(a),A(a)&&(d=!0),h=(h+=p(a).charsLeftOver)+10*p(a).unusedTokens.length,p(a).score=h,f?h<u&&(u=h,o=a):(null==u||h<u||d)&&(u=h,o=a,d)&&(f=!0);E(c,o||a)}}else if(r)Tt(e);else if(g(r=(i=e)._i))i._d=new Date(_.now());else V(r)?i._d=new Date(r.valueOf()):"string"==typeof r?(n=i,null!==(t=kt.exec(n._i))?n._d=new Date(+t[1]):(St(n),!1===n._isValid&&(delete n._isValid,Ot(n),!1===n._isValid)&&(delete n._isValid,n._strict?n._isValid=!1:_.createFromInputFallback(n)))):y(r)?(i._a=G(r.slice(0),function(e){return parseInt(e,10)}),xt(i)):F(r)?(t=i)._d||(s=void 0===(n=ue(t._i)).day?n.date:n.day,t._a=G([n.year,n.month,s,n.hour,n.minute,n.second,n.millisecond],function(e){return e&&parseInt(e,10)}),xt(t)):w(r)?i._d=new Date(r):_.createFromInputFallback(i);return A(e)||(e._d=null),e}function Pt(e,t,n,s,i){var r={};return!0!==t&&!1!==t||(s=t,t=void 0),!0!==n&&!1!==n||(s=n,n=void 0),(F(e)&&L(e)||y(e)&&0===e.length)&&(e=void 0),r._isAMomentObject=!0,r._useUTC=r._isUTC=i,r._l=n,r._i=e,r._f=t,r._strict=s,(i=new q(_t(Nt(i=r))))._nextDay&&(i.add(1,"d"),i._nextDay=void 0),i}function W(e,t,n,s){return Pt(e,t,n,s,!1)}_.createFromInputFallback=e("value provided is not in a recognized RFC2822 or ISO format. moment construction falls back to js Date(), which is not reliable across all browsers and versions. Non RFC2822/ISO date formats are discouraged. Please refer to http://momentjs.com/guides/#/warnings/js-date/ for more info.",function(e){e._d=new Date(e._i+(e._useUTC?" UTC":""))}),_.ISO_8601=function(){},_.RFC_2822=function(){};ge=e("moment().min is deprecated, use moment.max instead. http://momentjs.com/guides/#/warnings/min-max/",function(){var e=W.apply(null,arguments);return this.isValid()&&e.isValid()?e<this?this:e:I()}),we=e("moment().max is deprecated, use moment.min instead. http://momentjs.com/guides/#/warnings/min-max/",function(){var e=W.apply(null,arguments);return this.isValid()&&e.isValid()?this<e?this:e:I()});function Rt(e,t){var n,s;if(!(t=1===t.length&&y(t[0])?t[0]:t).length)return W();for(n=t[0],s=1;s<t.length;++s)t[s].isValid()&&!t[s][e](n)||(n=t[s]);return n}var Wt=["year","quarter","month","week","day","hour","minute","second","millisecond"];function Ct(e){var e=ue(e),t=e.year||0,n=e.quarter||0,s=e.month||0,i=e.week||e.isoWeek||0,r=e.day||0,a=e.hour||0,o=e.minute||0,u=e.second||0,l=e.millisecond||0;this._isValid=function(e){var t,n,s=!1,i=Wt.length;for(t in e)if(c(e,t)&&(-1===S.call(Wt,t)||null!=e[t]&&isNaN(e[t])))return!1;for(n=0;n<i;++n)if(e[Wt[n]]){if(s)return!1;parseFloat(e[Wt[n]])!==h(e[Wt[n]])&&(s=!0)}return!0}(e),this._milliseconds=+l+1e3*u+6e4*o+1e3*a*60*60,this._days=+r+7*i,this._months=+s+3*n+12*t,this._data={},this._locale=mt(),this._bubble()}function Ut(e){return e instanceof Ct}function Ht(e){return e<0?-1*Math.round(-1*e):Math.round(e)}function Ft(e,n){s(e,0,0,function(){var e=this.utcOffset(),t="+";return e<0&&(e=-e,t="-"),t+r(~~(e/60),2)+n+r(~~e%60,2)})}Ft("Z",":"),Ft("ZZ",""),k("Z",Ye),k("ZZ",Ye),D(["Z","ZZ"],function(e,t,n){n._useUTC=!0,n._tzm=Vt(Ye,e)});var Lt=/([\+\-]|\d\d)/gi;function Vt(e,t){var t=(t||"").match(e);return null===t?null:0===(t=60*(e=((t[t.length-1]||[])+"").match(Lt)||["-",0,0])[1]+h(e[2]))?0:"+"===e[0]?t:-t}function Gt(e,t){var n;return t._isUTC?(t=t.clone(),n=(v(e)||V(e)?e:W(e)).valueOf()-t.valueOf(),t._d.setTime(t._d.valueOf()+n),_.updateOffset(t,!1),t):W(e).local()}function Et(e){return-Math.round(e._d.getTimezoneOffset())}function At(){return!!this.isValid()&&this._isUTC&&0===this._offset}_.updateOffset=function(){};var It=/^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/,jt=/^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;function C(e,t){var n,s=e;return Ut(e)?s={ms:e._milliseconds,d:e._days,M:e._months}:w(e)||!isNaN(+e)?(s={},t?s[t]=+e:s.milliseconds=+e):(t=It.exec(e))?(n="-"===t[1]?-1:1,s={y:0,d:h(t[b])*n,h:h(t[x])*n,m:h(t[T])*n,s:h(t[N])*n,ms:h(Ht(1e3*t[Ne]))*n}):(t=jt.exec(e))?(n="-"===t[1]?-1:1,s={y:Zt(t[2],n),M:Zt(t[3],n),w:Zt(t[4],n),d:Zt(t[5],n),h:Zt(t[6],n),m:Zt(t[7],n),s:Zt(t[8],n)}):null==s?s={}:"object"==typeof s&&("from"in s||"to"in s)&&(t=function(e,t){var n;if(!e.isValid()||!t.isValid())return{milliseconds:0,months:0};t=Gt(t,e),e.isBefore(t)?n=zt(e,t):((n=zt(t,e)).milliseconds=-n.milliseconds,n.months=-n.months);return n}(W(s.from),W(s.to)),(s={}).ms=t.milliseconds,s.M=t.months),n=new Ct(s),Ut(e)&&c(e,"_locale")&&(n._locale=e._locale),Ut(e)&&c(e,"_isValid")&&(n._isValid=e._isValid),n}function Zt(e,t){e=e&&parseFloat(e.replace(",","."));return(isNaN(e)?0:e)*t}function zt(e,t){var n={};return n.months=t.month()-e.month()+12*(t.year()-e.year()),e.clone().add(n.months,"M").isAfter(t)&&--n.months,n.milliseconds=+t-+e.clone().add(n.months,"M"),n}function $t(s,i){return function(e,t){var n;return null===t||isNaN(+t)||(Q(i,"moment()."+i+"(period, number) is deprecated. Please use moment()."+i+"(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info."),n=e,e=t,t=n),qt(this,C(e,t),s),this}}function qt(e,t,n,s){var i=t._milliseconds,r=Ht(t._days),t=Ht(t._months);e.isValid()&&(s=null==s||s,t&&Ve(e,ce(e,"Month")+t*n),r&&fe(e,"Date",ce(e,"Date")+r*n),i&&e._d.setTime(e._d.valueOf()+i*n),s)&&_.updateOffset(e,r||t)}C.fn=Ct.prototype,C.invalid=function(){return C(NaN)};Ce=$t(1,"add"),Je=$t(-1,"subtract");function Bt(e){return"string"==typeof e||e instanceof String}function Jt(e){return v(e)||V(e)||Bt(e)||w(e)||function(t){var e=y(t),n=!1;e&&(n=0===t.filter(function(e){return!w(e)&&Bt(t)}).length);return e&&n}(e)||function(e){var t,n,s=F(e)&&!L(e),i=!1,r=["years","year","y","months","month","M","days","day","d","dates","date","D","hours","hour","h","minutes","minute","m","seconds","second","s","milliseconds","millisecond","ms"],a=r.length;for(t=0;t<a;t+=1)n=r[t],i=i||c(e,n);return s&&i}(e)||null==e}function Qt(e,t){var n,s;return e.date()<t.date()?-Qt(t,e):-((n=12*(t.year()-e.year())+(t.month()-e.month()))+(t-(s=e.clone().add(n,"months"))<0?(t-s)/(s-e.clone().add(n-1,"months")):(t-s)/(e.clone().add(1+n,"months")-s)))||0}function Xt(e){return void 0===e?this._locale._abbr:(null!=(e=mt(e))&&(this._locale=e),this)}_.defaultFormat="YYYY-MM-DDTHH:mm:ssZ",_.defaultFormatUtc="YYYY-MM-DDTHH:mm:ss[Z]";Xe=e("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.",function(e){return void 0===e?this.localeData():this.locale(e)});function Kt(){return this._locale}var en=126227808e5;function tn(e,t){return(e%t+t)%t}function nn(e,t,n){return e<100&&0<=e?new Date(e+400,t,n)-en:new Date(e,t,n).valueOf()}function sn(e,t,n){return e<100&&0<=e?Date.UTC(e+400,t,n)-en:Date.UTC(e,t,n)}function rn(e,t){return t.erasAbbrRegex(e)}function an(){for(var e=[],t=[],n=[],s=[],i=this.eras(),r=0,a=i.length;r<a;++r)t.push(M(i[r].name)),e.push(M(i[r].abbr)),n.push(M(i[r].narrow)),s.push(M(i[r].name)),s.push(M(i[r].abbr)),s.push(M(i[r].narrow));this._erasRegex=new RegExp("^("+s.join("|")+")","i"),this._erasNameRegex=new RegExp("^("+t.join("|")+")","i"),this._erasAbbrRegex=new RegExp("^("+e.join("|")+")","i"),this._erasNarrowRegex=new RegExp("^("+n.join("|")+")","i")}function on(e,t){s(0,[e,e.length],0,t)}function un(e,t,n,s,i){var r;return null==e?qe(this,s,i).year:(r=P(e,s,i),function(e,t,n,s,i){e=$e(e,t,n,s,i),t=Ze(e.year,0,e.dayOfYear);return this.year(t.getUTCFullYear()),this.month(t.getUTCMonth()),this.date(t.getUTCDate()),this}.call(this,e,t=r<t?r:t,n,s,i))}s("N",0,0,"eraAbbr"),s("NN",0,0,"eraAbbr"),s("NNN",0,0,"eraAbbr"),s("NNNN",0,0,"eraName"),s("NNNNN",0,0,"eraNarrow"),s("y",["y",1],"yo","eraYear"),s("y",["yy",2],0,"eraYear"),s("y",["yyy",3],0,"eraYear"),s("y",["yyyy",4],0,"eraYear"),k("N",rn),k("NN",rn),k("NNN",rn),k("NNNN",function(e,t){return t.erasNameRegex(e)}),k("NNNNN",function(e,t){return t.erasNarrowRegex(e)}),D(["N","NN","NNN","NNNN","NNNNN"],function(e,t,n,s){s=n._locale.erasParse(e,s,n._strict);s?p(n).era=s:p(n).invalidEra=e}),k("y",Me),k("yy",Me),k("yyy",Me),k("yyyy",Me),k("yo",function(e,t){return t._eraYearOrdinalRegex||Me}),D(["y","yy","yyy","yyyy"],Y),D(["yo"],function(e,t,n,s){var i;n._locale._eraYearOrdinalRegex&&(i=e.match(n._locale._eraYearOrdinalRegex)),n._locale.eraYearOrdinalParse?t[Y]=n._locale.eraYearOrdinalParse(e,i):t[Y]=parseInt(e,10)}),s(0,["gg",2],0,function(){return this.weekYear()%100}),s(0,["GG",2],0,function(){return this.isoWeekYear()%100}),on("gggg","weekYear"),on("ggggg","weekYear"),on("GGGG","isoWeekYear"),on("GGGGG","isoWeekYear"),t("weekYear","gg"),t("isoWeekYear","GG"),n("weekYear",1),n("isoWeekYear",1),k("G",De),k("g",De),k("GG",f,u),k("gg",f,u),k("GGGG",ve,_e),k("gggg",ve,_e),k("GGGGG",ke,ye),k("ggggg",ke,ye),Te(["gggg","ggggg","GGGG","GGGGG"],function(e,t,n,s){t[s.substr(0,2)]=h(e)}),Te(["gg","GG"],function(e,t,n,s){t[s]=_.parseTwoDigitYear(e)}),s("Q",0,"Qo","quarter"),t("quarter","Q"),n("quarter",7),k("Q",i),D("Q",function(e,t){t[O]=3*(h(e)-1)}),s("D",["DD",2],"Do","date"),t("date","D"),n("date",9),k("D",f),k("DD",f,u),k("Do",function(e,t){return e?t._dayOfMonthOrdinalParse||t._ordinalParse:t._dayOfMonthOrdinalParseLenient}),D(["D","DD"],b),D("Do",function(e,t){t[b]=h(e.match(f)[0])});ve=de("Date",!0);s("DDD",["DDDD",3],"DDDo","dayOfYear"),t("dayOfYear","DDD"),n("dayOfYear",4),k("DDD",pe),k("DDDD",me),D(["DDD","DDDD"],function(e,t,n){n._dayOfYear=h(e)}),s("m",["mm",2],0,"minute"),t("minute","m"),n("minute",14),k("m",f),k("mm",f,u),D(["m","mm"],T);var ln,_e=de("Minutes",!1),ke=(s("s",["ss",2],0,"second"),t("second","s"),n("second",15),k("s",f),k("ss",f,u),D(["s","ss"],N),de("Seconds",!1));for(s("S",0,0,function(){return~~(this.millisecond()/100)}),s(0,["SS",2],0,function(){return~~(this.millisecond()/10)}),s(0,["SSS",3],0,"millisecond"),s(0,["SSSS",4],0,function(){return 10*this.millisecond()}),s(0,["SSSSS",5],0,function(){return 100*this.millisecond()}),s(0,["SSSSSS",6],0,function(){return 1e3*this.millisecond()}),s(0,["SSSSSSS",7],0,function(){return 1e4*this.millisecond()}),s(0,["SSSSSSSS",8],0,function(){return 1e5*this.millisecond()}),s(0,["SSSSSSSSS",9],0,function(){return 1e6*this.millisecond()}),t("millisecond","ms"),n("millisecond",16),k("S",pe,i),k("SS",pe,u),k("SSS",pe,me),ln="SSSS";ln.length<=9;ln+="S")k(ln,Me);function hn(e,t){t[Ne]=h(1e3*("0."+e))}for(ln="S";ln.length<=9;ln+="S")D(ln,hn);ye=de("Milliseconds",!1),s("z",0,0,"zoneAbbr"),s("zz",0,0,"zoneName");i=q.prototype;function dn(e){return e}i.add=Ce,i.calendar=function(e,t){1===arguments.length&&(arguments[0]?Jt(arguments[0])?(e=arguments[0],t=void 0):function(e){for(var t=F(e)&&!L(e),n=!1,s=["sameDay","nextDay","lastDay","nextWeek","lastWeek","sameElse"],i=0;i<s.length;i+=1)n=n||c(e,s[i]);return t&&n}(arguments[0])&&(t=arguments[0],e=void 0):t=e=void 0);var e=e||W(),n=Gt(e,this).startOf("day"),n=_.calendarFormat(this,n)||"sameElse",t=t&&(a(t[n])?t[n].call(this,e):t[n]);return this.format(t||this.localeData().calendar(n,this,W(e)))},i.clone=function(){return new q(this)},i.diff=function(e,t,n){var s,i,r;if(!this.isValid())return NaN;if(!(s=Gt(e,this)).isValid())return NaN;switch(i=6e4*(s.utcOffset()-this.utcOffset()),t=o(t)){case"year":r=Qt(this,s)/12;break;case"month":r=Qt(this,s);break;case"quarter":r=Qt(this,s)/3;break;case"second":r=(this-s)/1e3;break;case"minute":r=(this-s)/6e4;break;case"hour":r=(this-s)/36e5;break;case"day":r=(this-s-i)/864e5;break;case"week":r=(this-s-i)/6048e5;break;default:r=this-s}return n?r:d(r)},i.endOf=function(e){var t,n;if(void 0!==(e=o(e))&&"millisecond"!==e&&this.isValid()){switch(n=this._isUTC?sn:nn,e){case"year":t=n(this.year()+1,0,1)-1;break;case"quarter":t=n(this.year(),this.month()-this.month()%3+3,1)-1;break;case"month":t=n(this.year(),this.month()+1,1)-1;break;case"week":t=n(this.year(),this.month(),this.date()-this.weekday()+7)-1;break;case"isoWeek":t=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1)+7)-1;break;case"day":case"date":t=n(this.year(),this.month(),this.date()+1)-1;break;case"hour":t=this._d.valueOf(),t+=36e5-tn(t+(this._isUTC?0:6e4*this.utcOffset()),36e5)-1;break;case"minute":t=this._d.valueOf(),t+=6e4-tn(t,6e4)-1;break;case"second":t=this._d.valueOf(),t+=1e3-tn(t,1e3)-1}this._d.setTime(t),_.updateOffset(this,!0)}return this},i.format=function(e){return e=e||(this.isUtc()?_.defaultFormatUtc:_.defaultFormat),e=re(this,e),this.localeData().postformat(e)},i.from=function(e,t){return this.isValid()&&(v(e)&&e.isValid()||W(e).isValid())?C({to:this,from:e}).locale(this.locale()).humanize(!t):this.localeData().invalidDate()},i.fromNow=function(e){return this.from(W(),e)},i.to=function(e,t){return this.isValid()&&(v(e)&&e.isValid()||W(e).isValid())?C({from:this,to:e}).locale(this.locale()).humanize(!t):this.localeData().invalidDate()},i.toNow=function(e){return this.to(W(),e)},i.get=function(e){return a(this[e=o(e)])?this[e]():this},i.invalidAt=function(){return p(this).overflow},i.isAfter=function(e,t){return e=v(e)?e:W(e),!(!this.isValid()||!e.isValid())&&("millisecond"===(t=o(t)||"millisecond")?this.valueOf()>e.valueOf():e.valueOf()<this.clone().startOf(t).valueOf())},i.isBefore=function(e,t){return e=v(e)?e:W(e),!(!this.isValid()||!e.isValid())&&("millisecond"===(t=o(t)||"millisecond")?this.valueOf()<e.valueOf():this.clone().endOf(t).valueOf()<e.valueOf())},i.isBetween=function(e,t,n,s){return e=v(e)?e:W(e),t=v(t)?t:W(t),!!(this.isValid()&&e.isValid()&&t.isValid())&&("("===(s=s||"()")[0]?this.isAfter(e,n):!this.isBefore(e,n))&&(")"===s[1]?this.isBefore(t,n):!this.isAfter(t,n))},i.isSame=function(e,t){var e=v(e)?e:W(e);return!(!this.isValid()||!e.isValid())&&("millisecond"===(t=o(t)||"millisecond")?this.valueOf()===e.valueOf():(e=e.valueOf(),this.clone().startOf(t).valueOf()<=e&&e<=this.clone().endOf(t).valueOf()))},i.isSameOrAfter=function(e,t){return this.isSame(e,t)||this.isAfter(e,t)},i.isSameOrBefore=function(e,t){return this.isSame(e,t)||this.isBefore(e,t)},i.isValid=function(){return A(this)},i.lang=Xe,i.locale=Xt,i.localeData=Kt,i.max=we,i.min=ge,i.parsingFlags=function(){return E({},p(this))},i.set=function(e,t){if("object"==typeof e)for(var n=function(e){var t,n=[];for(t in e)c(e,t)&&n.push({unit:t,priority:le[t]});return n.sort(function(e,t){return e.priority-t.priority}),n}(e=ue(e)),s=n.length,i=0;i<s;i++)this[n[i].unit](e[n[i].unit]);else if(a(this[e=o(e)]))return this[e](t);return this},i.startOf=function(e){var t,n;if(void 0!==(e=o(e))&&"millisecond"!==e&&this.isValid()){switch(n=this._isUTC?sn:nn,e){case"year":t=n(this.year(),0,1);break;case"quarter":t=n(this.year(),this.month()-this.month()%3,1);break;case"month":t=n(this.year(),this.month(),1);break;case"week":t=n(this.year(),this.month(),this.date()-this.weekday());break;case"isoWeek":t=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1));break;case"day":case"date":t=n(this.year(),this.month(),this.date());break;case"hour":t=this._d.valueOf(),t-=tn(t+(this._isUTC?0:6e4*this.utcOffset()),36e5);break;case"minute":t=this._d.valueOf(),t-=tn(t,6e4);break;case"second":t=this._d.valueOf(),t-=tn(t,1e3)}this._d.setTime(t),_.updateOffset(this,!0)}return this},i.subtract=Je,i.toArray=function(){var e=this;return[e.year(),e.month(),e.date(),e.hour(),e.minute(),e.second(),e.millisecond()]},i.toObject=function(){var e=this;return{years:e.year(),months:e.month(),date:e.date(),hours:e.hours(),minutes:e.minutes(),seconds:e.seconds(),milliseconds:e.milliseconds()}},i.toDate=function(){return new Date(this.valueOf())},i.toISOString=function(e){var t;return this.isValid()?(t=(e=!0!==e)?this.clone().utc():this).year()<0||9999<t.year()?re(t,e?"YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYYYY-MM-DD[T]HH:mm:ss.SSSZ"):a(Date.prototype.toISOString)?e?this.toDate().toISOString():new Date(this.valueOf()+60*this.utcOffset()*1e3).toISOString().replace("Z",re(t,"Z")):re(t,e?"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYY-MM-DD[T]HH:mm:ss.SSSZ"):null},i.inspect=function(){var e,t,n;return this.isValid()?(t="moment",e="",this.isLocal()||(t=0===this.utcOffset()?"moment.utc":"moment.parseZone",e="Z"),t="["+t+'("]',n=0<=this.year()&&this.year()<=9999?"YYYY":"YYYYYY",this.format(t+n+"-MM-DD[T]HH:mm:ss.SSS"+(e+'[")]'))):"moment.invalid(/* "+this._i+" */)"},"undefined"!=typeof Symbol&&null!=Symbol.for&&(i[Symbol.for("nodejs.util.inspect.custom")]=function(){return"Moment<"+this.format()+">"}),i.toJSON=function(){return this.isValid()?this.toISOString():null},i.toString=function(){return this.clone().locale("en").format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ")},i.unix=function(){return Math.floor(this.valueOf()/1e3)},i.valueOf=function(){return this._d.valueOf()-6e4*(this._offset||0)},i.creationData=function(){return{input:this._i,format:this._f,locale:this._locale,isUTC:this._isUTC,strict:this._strict}},i.eraName=function(){for(var e,t=this.localeData().eras(),n=0,s=t.length;n<s;++n){if(e=this.clone().startOf("day").valueOf(),t[n].since<=e&&e<=t[n].until)return t[n].name;if(t[n].until<=e&&e<=t[n].since)return t[n].name}return""},i.eraNarrow=function(){for(var e,t=this.localeData().eras(),n=0,s=t.length;n<s;++n){if(e=this.clone().startOf("day").valueOf(),t[n].since<=e&&e<=t[n].until)return t[n].narrow;if(t[n].until<=e&&e<=t[n].since)return t[n].narrow}return""},i.eraAbbr=function(){for(var e,t=this.localeData().eras(),n=0,s=t.length;n<s;++n){if(e=this.clone().startOf("day").valueOf(),t[n].since<=e&&e<=t[n].until)return t[n].abbr;if(t[n].until<=e&&e<=t[n].since)return t[n].abbr}return""},i.eraYear=function(){for(var e,t,n=this.localeData().eras(),s=0,i=n.length;s<i;++s)if(e=n[s].since<=n[s].until?1:-1,t=this.clone().startOf("day").valueOf(),n[s].since<=t&&t<=n[s].until||n[s].until<=t&&t<=n[s].since)return(this.year()-_(n[s].since).year())*e+n[s].offset;return this.year()},i.year=Ie,i.isLeapYear=function(){return he(this.year())},i.weekYear=function(e){return un.call(this,e,this.week(),this.weekday(),this.localeData()._week.dow,this.localeData()._week.doy)},i.isoWeekYear=function(e){return un.call(this,e,this.isoWeek(),this.isoWeekday(),1,4)},i.quarter=i.quarters=function(e){return null==e?Math.ceil((this.month()+1)/3):this.month(3*(e-1)+this.month()%3)},i.month=Ge,i.daysInMonth=function(){return We(this.year(),this.month())},i.week=i.weeks=function(e){var t=this.localeData().week(this);return null==e?t:this.add(7*(e-t),"d")},i.isoWeek=i.isoWeeks=function(e){var t=qe(this,1,4).week;return null==e?t:this.add(7*(e-t),"d")},i.weeksInYear=function(){var e=this.localeData()._week;return P(this.year(),e.dow,e.doy)},i.weeksInWeekYear=function(){var e=this.localeData()._week;return P(this.weekYear(),e.dow,e.doy)},i.isoWeeksInYear=function(){return P(this.year(),1,4)},i.isoWeeksInISOWeekYear=function(){return P(this.isoWeekYear(),1,4)},i.date=ve,i.day=i.days=function(e){var t,n,s;return this.isValid()?(t=this._isUTC?this._d.getUTCDay():this._d.getDay(),null!=e?(n=e,s=this.localeData(),e="string"!=typeof n?n:isNaN(n)?"number"==typeof(n=s.weekdaysParse(n))?n:null:parseInt(n,10),this.add(e-t,"d")):t):null!=e?this:NaN},i.weekday=function(e){var t;return this.isValid()?(t=(this.day()+7-this.localeData()._week.dow)%7,null==e?t:this.add(e-t,"d")):null!=e?this:NaN},i.isoWeekday=function(e){var t,n;return this.isValid()?null!=e?(t=e,n=this.localeData(),n="string"==typeof t?n.weekdaysParse(t)%7||7:isNaN(t)?null:t,this.day(this.day()%7?n:n-7)):this.day()||7:null!=e?this:NaN},i.dayOfYear=function(e){var t=Math.round((this.clone().startOf("day")-this.clone().startOf("year"))/864e5)+1;return null==e?t:this.add(e-t,"d")},i.hour=i.hours=m,i.minute=i.minutes=_e,i.second=i.seconds=ke,i.millisecond=i.milliseconds=ye,i.utcOffset=function(e,t,n){var s,i=this._offset||0;if(!this.isValid())return null!=e?this:NaN;if(null==e)return this._isUTC?i:Et(this);if("string"==typeof e){if(null===(e=Vt(Ye,e)))return this}else Math.abs(e)<16&&!n&&(e*=60);return!this._isUTC&&t&&(s=Et(this)),this._offset=e,this._isUTC=!0,null!=s&&this.add(s,"m"),i!==e&&(!t||this._changeInProgress?qt(this,C(e-i,"m"),1,!1):this._changeInProgress||(this._changeInProgress=!0,_.updateOffset(this,!0),this._changeInProgress=null)),this},i.utc=function(e){return this.utcOffset(0,e)},i.local=function(e){return this._isUTC&&(this.utcOffset(0,e),this._isUTC=!1,e)&&this.subtract(Et(this),"m"),this},i.parseZone=function(){var e;return null!=this._tzm?this.utcOffset(this._tzm,!1,!0):"string"==typeof this._i&&(null!=(e=Vt(Se,this._i))?this.utcOffset(e):this.utcOffset(0,!0)),this},i.hasAlignedHourOffset=function(e){return!!this.isValid()&&(e=e?W(e).utcOffset():0,(this.utcOffset()-e)%60==0)},i.isDST=function(){return this.utcOffset()>this.clone().month(0).utcOffset()||this.utcOffset()>this.clone().month(5).utcOffset()},i.isLocal=function(){return!!this.isValid()&&!this._isUTC},i.isUtcOffset=function(){return!!this.isValid()&&this._isUTC},i.isUtc=At,i.isUTC=At,i.zoneAbbr=function(){return this._isUTC?"UTC":""},i.zoneName=function(){return this._isUTC?"Coordinated Universal Time":""},i.dates=e("dates accessor is deprecated. Use date instead.",ve),i.months=e("months accessor is deprecated. Use month instead",Ge),i.years=e("years accessor is deprecated. Use year instead",Ie),i.zone=e("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/",function(e,t){return null!=e?(this.utcOffset(e="string"!=typeof e?-e:e,t),this):-this.utcOffset()}),i.isDSTShifted=e("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information",function(){var e,t;return g(this._isDSTShifted)&&($(e={},this),(e=Nt(e))._a?(t=(e._isUTC?l:W)(e._a),this._isDSTShifted=this.isValid()&&0<function(e,t,n){for(var s=Math.min(e.length,t.length),i=Math.abs(e.length-t.length),r=0,a=0;a<s;a++)(n&&e[a]!==t[a]||!n&&h(e[a])!==h(t[a]))&&r++;return r+i}(e._a,t.toArray())):this._isDSTShifted=!1),this._isDSTShifted});u=K.prototype;function cn(e,t,n,s){var i=mt(),s=l().set(s,t);return i[n](s,e)}function fn(e,t,n){if(w(e)&&(t=e,e=void 0),e=e||"",null!=t)return cn(e,t,n,"month");for(var s=[],i=0;i<12;i++)s[i]=cn(e,i,n,"month");return s}function mn(e,t,n,s){t=("boolean"==typeof e?w(t)&&(n=t,t=void 0):(t=e,e=!1,w(n=t)&&(n=t,t=void 0)),t||"");var i,r=mt(),a=e?r._week.dow:0,o=[];if(null!=n)return cn(t,(n+a)%7,s,"day");for(i=0;i<7;i++)o[i]=cn(t,(i+a)%7,s,"day");return o}u.calendar=function(e,t,n){return a(e=this._calendar[e]||this._calendar.sameElse)?e.call(t,n):e},u.longDateFormat=function(e){var t=this._longDateFormat[e],n=this._longDateFormat[e.toUpperCase()];return t||!n?t:(this._longDateFormat[e]=n.match(te).map(function(e){return"MMMM"===e||"MM"===e||"DD"===e||"dddd"===e?e.slice(1):e}).join(""),this._longDateFormat[e])},u.invalidDate=function(){return this._invalidDate},u.ordinal=function(e){return this._ordinal.replace("%d",e)},u.preparse=dn,u.postformat=dn,u.relativeTime=function(e,t,n,s){var i=this._relativeTime[n];return a(i)?i(e,t,n,s):i.replace(/%d/i,e)},u.pastFuture=function(e,t){return a(e=this._relativeTime[0<e?"future":"past"])?e(t):e.replace(/%s/i,t)},u.set=function(e){var t,n;for(n in e)c(e,n)&&(a(t=e[n])?this[n]=t:this["_"+n]=t);this._config=e,this._dayOfMonthOrdinalParseLenient=new RegExp((this._dayOfMonthOrdinalParse.source||this._ordinalParse.source)+"|"+/\d{1,2}/.source)},u.eras=function(e,t){for(var n,s=this._eras||mt("en")._eras,i=0,r=s.length;i<r;++i)switch("string"==typeof s[i].since&&(n=_(s[i].since).startOf("day"),s[i].since=n.valueOf()),typeof s[i].until){case"undefined":s[i].until=1/0;break;case"string":n=_(s[i].until).startOf("day").valueOf(),s[i].until=n.valueOf()}return s},u.erasParse=function(e,t,n){var s,i,r,a,o,u=this.eras();for(e=e.toUpperCase(),s=0,i=u.length;s<i;++s)if(r=u[s].name.toUpperCase(),a=u[s].abbr.toUpperCase(),o=u[s].narrow.toUpperCase(),n)switch(t){case"N":case"NN":case"NNN":if(a===e)return u[s];break;case"NNNN":if(r===e)return u[s];break;case"NNNNN":if(o===e)return u[s]}else if(0<=[r,a,o].indexOf(e))return u[s]},u.erasConvertYear=function(e,t){var n=e.since<=e.until?1:-1;return void 0===t?_(e.since).year():_(e.since).year()+(t-e.offset)*n},u.erasAbbrRegex=function(e){return c(this,"_erasAbbrRegex")||an.call(this),e?this._erasAbbrRegex:this._erasRegex},u.erasNameRegex=function(e){return c(this,"_erasNameRegex")||an.call(this),e?this._erasNameRegex:this._erasRegex},u.erasNarrowRegex=function(e){return c(this,"_erasNarrowRegex")||an.call(this),e?this._erasNarrowRegex:this._erasRegex},u.months=function(e,t){return e?(y(this._months)?this._months:this._months[(this._months.isFormat||He).test(t)?"format":"standalone"])[e.month()]:y(this._months)?this._months:this._months.standalone},u.monthsShort=function(e,t){return e?(y(this._monthsShort)?this._monthsShort:this._monthsShort[He.test(t)?"format":"standalone"])[e.month()]:y(this._monthsShort)?this._monthsShort:this._monthsShort.standalone},u.monthsParse=function(e,t,n){var s,i;if(this._monthsParseExact)return function(e,t,n){var s,i,r,e=e.toLocaleLowerCase();if(!this._monthsParse)for(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[],s=0;s<12;++s)r=l([2e3,s]),this._shortMonthsParse[s]=this.monthsShort(r,"").toLocaleLowerCase(),this._longMonthsParse[s]=this.months(r,"").toLocaleLowerCase();return n?"MMM"===t?-1!==(i=S.call(this._shortMonthsParse,e))?i:null:-1!==(i=S.call(this._longMonthsParse,e))?i:null:"MMM"===t?-1!==(i=S.call(this._shortMonthsParse,e))||-1!==(i=S.call(this._longMonthsParse,e))?i:null:-1!==(i=S.call(this._longMonthsParse,e))||-1!==(i=S.call(this._shortMonthsParse,e))?i:null}.call(this,e,t,n);for(this._monthsParse||(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[]),s=0;s<12;s++){if(i=l([2e3,s]),n&&!this._longMonthsParse[s]&&(this._longMonthsParse[s]=new RegExp("^"+this.months(i,"").replace(".","")+"$","i"),this._shortMonthsParse[s]=new RegExp("^"+this.monthsShort(i,"").replace(".","")+"$","i")),n||this._monthsParse[s]||(i="^"+this.months(i,"")+"|^"+this.monthsShort(i,""),this._monthsParse[s]=new RegExp(i.replace(".",""),"i")),n&&"MMMM"===t&&this._longMonthsParse[s].test(e))return s;if(n&&"MMM"===t&&this._shortMonthsParse[s].test(e))return s;if(!n&&this._monthsParse[s].test(e))return s}},u.monthsRegex=function(e){return this._monthsParseExact?(c(this,"_monthsRegex")||Ee.call(this),e?this._monthsStrictRegex:this._monthsRegex):(c(this,"_monthsRegex")||(this._monthsRegex=Le),this._monthsStrictRegex&&e?this._monthsStrictRegex:this._monthsRegex)},u.monthsShortRegex=function(e){return this._monthsParseExact?(c(this,"_monthsRegex")||Ee.call(this),e?this._monthsShortStrictRegex:this._monthsShortRegex):(c(this,"_monthsShortRegex")||(this._monthsShortRegex=Fe),this._monthsShortStrictRegex&&e?this._monthsShortStrictRegex:this._monthsShortRegex)},u.week=function(e){return qe(e,this._week.dow,this._week.doy).week},u.firstDayOfYear=function(){return this._week.doy},u.firstDayOfWeek=function(){return this._week.dow},u.weekdays=function(e,t){return t=y(this._weekdays)?this._weekdays:this._weekdays[e&&!0!==e&&this._weekdays.isFormat.test(t)?"format":"standalone"],!0===e?Be(t,this._week.dow):e?t[e.day()]:t},u.weekdaysMin=function(e){return!0===e?Be(this._weekdaysMin,this._week.dow):e?this._weekdaysMin[e.day()]:this._weekdaysMin},u.weekdaysShort=function(e){return!0===e?Be(this._weekdaysShort,this._week.dow):e?this._weekdaysShort[e.day()]:this._weekdaysShort},u.weekdaysParse=function(e,t,n){var s,i;if(this._weekdaysParseExact)return function(e,t,n){var s,i,r,e=e.toLocaleLowerCase();if(!this._weekdaysParse)for(this._weekdaysParse=[],this._shortWeekdaysParse=[],this._minWeekdaysParse=[],s=0;s<7;++s)r=l([2e3,1]).day(s),this._minWeekdaysParse[s]=this.weekdaysMin(r,"").toLocaleLowerCase(),this._shortWeekdaysParse[s]=this.weekdaysShort(r,"").toLocaleLowerCase(),this._weekdaysParse[s]=this.weekdays(r,"").toLocaleLowerCase();return n?"dddd"===t?-1!==(i=S.call(this._weekdaysParse,e))?i:null:"ddd"===t?-1!==(i=S.call(this._shortWeekdaysParse,e))?i:null:-1!==(i=S.call(this._minWeekdaysParse,e))?i:null:"dddd"===t?-1!==(i=S.call(this._weekdaysParse,e))||-1!==(i=S.call(this._shortWeekdaysParse,e))||-1!==(i=S.call(this._minWeekdaysParse,e))?i:null:"ddd"===t?-1!==(i=S.call(this._shortWeekdaysParse,e))||-1!==(i=S.call(this._weekdaysParse,e))||-1!==(i=S.call(this._minWeekdaysParse,e))?i:null:-1!==(i=S.call(this._minWeekdaysParse,e))||-1!==(i=S.call(this._weekdaysParse,e))||-1!==(i=S.call(this._shortWeekdaysParse,e))?i:null}.call(this,e,t,n);for(this._weekdaysParse||(this._weekdaysParse=[],this._minWeekdaysParse=[],this._shortWeekdaysParse=[],this._fullWeekdaysParse=[]),s=0;s<7;s++){if(i=l([2e3,1]).day(s),n&&!this._fullWeekdaysParse[s]&&(this._fullWeekdaysParse[s]=new RegExp("^"+this.weekdays(i,"").replace(".","\\.?")+"$","i"),this._shortWeekdaysParse[s]=new RegExp("^"+this.weekdaysShort(i,"").replace(".","\\.?")+"$","i"),this._minWeekdaysParse[s]=new RegExp("^"+this.weekdaysMin(i,"").replace(".","\\.?")+"$","i")),this._weekdaysParse[s]||(i="^"+this.weekdays(i,"")+"|^"+this.weekdaysShort(i,"")+"|^"+this.weekdaysMin(i,""),this._weekdaysParse[s]=new RegExp(i.replace(".",""),"i")),n&&"dddd"===t&&this._fullWeekdaysParse[s].test(e))return s;if(n&&"ddd"===t&&this._shortWeekdaysParse[s].test(e))return s;if(n&&"dd"===t&&this._minWeekdaysParse[s].test(e))return s;if(!n&&this._weekdaysParse[s].test(e))return s}},u.weekdaysRegex=function(e){return this._weekdaysParseExact?(c(this,"_weekdaysRegex")||nt.call(this),e?this._weekdaysStrictRegex:this._weekdaysRegex):(c(this,"_weekdaysRegex")||(this._weekdaysRegex=Ke),this._weekdaysStrictRegex&&e?this._weekdaysStrictRegex:this._weekdaysRegex)},u.weekdaysShortRegex=function(e){return this._weekdaysParseExact?(c(this,"_weekdaysRegex")||nt.call(this),e?this._weekdaysShortStrictRegex:this._weekdaysShortRegex):(c(this,"_weekdaysShortRegex")||(this._weekdaysShortRegex=et),this._weekdaysShortStrictRegex&&e?this._weekdaysShortStrictRegex:this._weekdaysShortRegex)},u.weekdaysMinRegex=function(e){return this._weekdaysParseExact?(c(this,"_weekdaysRegex")||nt.call(this),e?this._weekdaysMinStrictRegex:this._weekdaysMinRegex):(c(this,"_weekdaysMinRegex")||(this._weekdaysMinRegex=tt),this._weekdaysMinStrictRegex&&e?this._weekdaysMinStrictRegex:this._weekdaysMinRegex)},u.isPM=function(e){return"p"===(e+"").toLowerCase().charAt(0)},u.meridiem=function(e,t,n){return 11<e?n?"pm":"PM":n?"am":"AM"},ct("en",{eras:[{since:"0001-01-01",until:1/0,offset:1,name:"Anno Domini",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"Before Christ",narrow:"BC",abbr:"BC"}],dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(e){var t=e%10;return e+(1===h(e%100/10)?"th":1==t?"st":2==t?"nd":3==t?"rd":"th")}}),_.lang=e("moment.lang is deprecated. Use moment.locale instead.",ct),_.langData=e("moment.langData is deprecated. Use moment.localeData instead.",mt);var _n=Math.abs;function yn(e,t,n,s){t=C(t,n);return e._milliseconds+=s*t._milliseconds,e._days+=s*t._days,e._months+=s*t._months,e._bubble()}function gn(e){return e<0?Math.floor(e):Math.ceil(e)}function wn(e){return 4800*e/146097}function pn(e){return 146097*e/4800}function vn(e){return function(){return this.as(e)}}pe=vn("ms"),me=vn("s"),Ce=vn("m"),we=vn("h"),ge=vn("d"),Je=vn("w"),m=vn("M"),_e=vn("Q"),ke=vn("y");function kn(e){return function(){return this.isValid()?this._data[e]:NaN}}var ye=kn("milliseconds"),ve=kn("seconds"),Ie=kn("minutes"),u=kn("hours"),Mn=kn("days"),Dn=kn("months"),Sn=kn("years");var Yn=Math.round,On={ss:44,s:45,m:45,h:22,d:26,w:null,M:11};function bn(e,t,n,s){var i=C(e).abs(),r=Yn(i.as("s")),a=Yn(i.as("m")),o=Yn(i.as("h")),u=Yn(i.as("d")),l=Yn(i.as("M")),h=Yn(i.as("w")),i=Yn(i.as("y")),r=(r<=n.ss?["s",r]:r<n.s&&["ss",r])||(a<=1?["m"]:a<n.m&&["mm",a])||(o<=1?["h"]:o<n.h&&["hh",o])||(u<=1?["d"]:u<n.d&&["dd",u]);return(r=(r=null!=n.w?r||(h<=1?["w"]:h<n.w&&["ww",h]):r)||(l<=1?["M"]:l<n.M&&["MM",l])||(i<=1?["y"]:["yy",i]))[2]=t,r[3]=0<+e,r[4]=s,function(e,t,n,s,i){return i.relativeTime(t||1,!!n,e,s)}.apply(null,r)}var xn=Math.abs;function Tn(e){return(0<e)-(e<0)||+e}function Nn(){var e,t,n,s,i,r,a,o,u,l,h;return this.isValid()?(e=xn(this._milliseconds)/1e3,t=xn(this._days),n=xn(this._months),(o=this.asSeconds())?(s=d(e/60),i=d(s/60),e%=60,s%=60,r=d(n/12),n%=12,a=e?e.toFixed(3).replace(/\.?0+$/,""):"",u=Tn(this._months)!==Tn(o)?"-":"",l=Tn(this._days)!==Tn(o)?"-":"",h=Tn(this._milliseconds)!==Tn(o)?"-":"",(o<0?"-":"")+"P"+(r?u+r+"Y":"")+(n?u+n+"M":"")+(t?l+t+"D":"")+(i||s||e?"T":"")+(i?h+i+"H":"")+(s?h+s+"M":"")+(e?h+a+"S":"")):"P0D"):this.localeData().invalidDate()}var U=Ct.prototype;return U.isValid=function(){return this._isValid},U.abs=function(){var e=this._data;return this._milliseconds=_n(this._milliseconds),this._days=_n(this._days),this._months=_n(this._months),e.milliseconds=_n(e.milliseconds),e.seconds=_n(e.seconds),e.minutes=_n(e.minutes),e.hours=_n(e.hours),e.months=_n(e.months),e.years=_n(e.years),this},U.add=function(e,t){return yn(this,e,t,1)},U.subtract=function(e,t){return yn(this,e,t,-1)},U.as=function(e){if(!this.isValid())return NaN;var t,n,s=this._milliseconds;if("month"===(e=o(e))||"quarter"===e||"year"===e)switch(t=this._days+s/864e5,n=this._months+wn(t),e){case"month":return n;case"quarter":return n/3;case"year":return n/12}else switch(t=this._days+Math.round(pn(this._months)),e){case"week":return t/7+s/6048e5;case"day":return t+s/864e5;case"hour":return 24*t+s/36e5;case"minute":return 1440*t+s/6e4;case"second":return 86400*t+s/1e3;case"millisecond":return Math.floor(864e5*t)+s;default:throw new Error("Unknown unit "+e)}},U.asMilliseconds=pe,U.asSeconds=me,U.asMinutes=Ce,U.asHours=we,U.asDays=ge,U.asWeeks=Je,U.asMonths=m,U.asQuarters=_e,U.asYears=ke,U.valueOf=function(){return this.isValid()?this._milliseconds+864e5*this._days+this._months%12*2592e6+31536e6*h(this._months/12):NaN},U._bubble=function(){var e=this._milliseconds,t=this._days,n=this._months,s=this._data;return 0<=e&&0<=t&&0<=n||e<=0&&t<=0&&n<=0||(e+=864e5*gn(pn(n)+t),n=t=0),s.milliseconds=e%1e3,e=d(e/1e3),s.seconds=e%60,e=d(e/60),s.minutes=e%60,e=d(e/60),s.hours=e%24,t+=d(e/24),n+=e=d(wn(t)),t-=gn(pn(e)),e=d(n/12),n%=12,s.days=t,s.months=n,s.years=e,this},U.clone=function(){return C(this)},U.get=function(e){return e=o(e),this.isValid()?this[e+"s"]():NaN},U.milliseconds=ye,U.seconds=ve,U.minutes=Ie,U.hours=u,U.days=Mn,U.weeks=function(){return d(this.days()/7)},U.months=Dn,U.years=Sn,U.humanize=function(e,t){var n,s;return this.isValid()?(n=!1,s=On,"object"==typeof e&&(t=e,e=!1),"boolean"==typeof e&&(n=e),"object"==typeof t&&(s=Object.assign({},On,t),null!=t.s)&&null==t.ss&&(s.ss=t.s-1),e=this.localeData(),t=bn(this,!n,s,e),n&&(t=e.pastFuture(+this,t)),e.postformat(t)):this.localeData().invalidDate()},U.toISOString=Nn,U.toString=Nn,U.toJSON=Nn,U.locale=Xt,U.localeData=Kt,U.toIsoString=e("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)",Nn),U.lang=Xe,s("X",0,0,"unix"),s("x",0,0,"valueOf"),k("x",De),k("X",/[+-]?\d+(\.\d{1,3})?/),D("X",function(e,t,n){n._d=new Date(1e3*parseFloat(e))}),D("x",function(e,t,n){n._d=new Date(h(e))}),_.version="2.29.4",H=W,_.fn=i,_.min=function(){return Rt("isBefore",[].slice.call(arguments,0))},_.max=function(){return Rt("isAfter",[].slice.call(arguments,0))},_.now=function(){return Date.now?Date.now():+new Date},_.utc=l,_.unix=function(e){return W(1e3*e)},_.months=function(e,t){return fn(e,t,"months")},_.isDate=V,_.locale=ct,_.invalid=I,_.duration=C,_.isMoment=v,_.weekdays=function(e,t,n){return mn(e,t,n,"weekdays")},_.parseZone=function(){return W.apply(null,arguments).parseZone()},_.localeData=mt,_.isDuration=Ut,_.monthsShort=function(e,t){return fn(e,t,"monthsShort")},_.weekdaysMin=function(e,t,n){return mn(e,t,n,"weekdaysMin")},_.defineLocale=ft,_.updateLocale=function(e,t){var n,s;return null!=t?(s=ot,null!=R[e]&&null!=R[e].parentLocale?R[e].set(X(R[e]._config,t)):(t=X(s=null!=(n=dt(e))?n._config:s,t),null==n&&(t.abbr=e),(s=new K(t)).parentLocale=R[e],R[e]=s),ct(e)):null!=R[e]&&(null!=R[e].parentLocale?(R[e]=R[e].parentLocale,e===ct()&&ct(e)):null!=R[e]&&delete R[e]),R[e]},_.locales=function(){return ee(R)},_.weekdaysShort=function(e,t,n){return mn(e,t,n,"weekdaysShort")},_.normalizeUnits=o,_.relativeTimeRounding=function(e){return void 0===e?Yn:"function"==typeof e&&(Yn=e,!0)},_.relativeTimeThreshold=function(e,t){return void 0!==On[e]&&(void 0===t?On[e]:(On[e]=t,"s"===e&&(On.ss=t-1),!0))},_.calendarFormat=function(e,t){return(e=e.diff(t,"days",!0))<-6?"sameElse":e<-1?"lastWeek":e<0?"lastDay":e<1?"sameDay":e<2?"nextDay":e<7?"nextWeek":"sameElse"},_.prototype=i,_.HTML5_FMT={DATETIME_LOCAL:"YYYY-MM-DDTHH:mm",DATETIME_LOCAL_SECONDS:"YYYY-MM-DDTHH:mm:ss",DATETIME_LOCAL_MS:"YYYY-MM-DDTHH:mm:ss.SSS",DATE:"YYYY-MM-DD",TIME:"HH:mm",TIME_SECONDS:"HH:mm:ss",TIME_MS:"HH:mm:ss.SSS",WEEK:"GGGG-[W]WW",MONTH:"YYYY-MM"},_});moment.js000064400000525014151334462320006413 0ustar00//! moment.js
//! version : 2.29.4
//! authors : Tim Wood, Iskren Chernev, Moment.js contributors
//! license : MIT
//! momentjs.com

;(function (global, factory) {
    typeof exports === 'object' && typeof module !== 'undefined' ? module.exports = factory() :
    typeof define === 'function' && define.amd ? define(factory) :
    global.moment = factory()
}(this, (function () { 'use strict';

    var hookCallback;

    function hooks() {
        return hookCallback.apply(null, arguments);
    }

    // This is done to register the method called with moment()
    // without creating circular dependencies.
    function setHookCallback(callback) {
        hookCallback = callback;
    }

    function isArray(input) {
        return (
            input instanceof Array ||
            Object.prototype.toString.call(input) === '[object Array]'
        );
    }

    function isObject(input) {
        // IE8 will treat undefined and null as object if it wasn't for
        // input != null
        return (
            input != null &&
            Object.prototype.toString.call(input) === '[object Object]'
        );
    }

    function hasOwnProp(a, b) {
        return Object.prototype.hasOwnProperty.call(a, b);
    }

    function isObjectEmpty(obj) {
        if (Object.getOwnPropertyNames) {
            return Object.getOwnPropertyNames(obj).length === 0;
        } else {
            var k;
            for (k in obj) {
                if (hasOwnProp(obj, k)) {
                    return false;
                }
            }
            return true;
        }
    }

    function isUndefined(input) {
        return input === void 0;
    }

    function isNumber(input) {
        return (
            typeof input === 'number' ||
            Object.prototype.toString.call(input) === '[object Number]'
        );
    }

    function isDate(input) {
        return (
            input instanceof Date ||
            Object.prototype.toString.call(input) === '[object Date]'
        );
    }

    function map(arr, fn) {
        var res = [],
            i,
            arrLen = arr.length;
        for (i = 0; i < arrLen; ++i) {
            res.push(fn(arr[i], i));
        }
        return res;
    }

    function extend(a, b) {
        for (var i in b) {
            if (hasOwnProp(b, i)) {
                a[i] = b[i];
            }
        }

        if (hasOwnProp(b, 'toString')) {
            a.toString = b.toString;
        }

        if (hasOwnProp(b, 'valueOf')) {
            a.valueOf = b.valueOf;
        }

        return a;
    }

    function createUTC(input, format, locale, strict) {
        return createLocalOrUTC(input, format, locale, strict, true).utc();
    }

    function defaultParsingFlags() {
        // We need to deep clone this object.
        return {
            empty: false,
            unusedTokens: [],
            unusedInput: [],
            overflow: -2,
            charsLeftOver: 0,
            nullInput: false,
            invalidEra: null,
            invalidMonth: null,
            invalidFormat: false,
            userInvalidated: false,
            iso: false,
            parsedDateParts: [],
            era: null,
            meridiem: null,
            rfc2822: false,
            weekdayMismatch: false,
        };
    }

    function getParsingFlags(m) {
        if (m._pf == null) {
            m._pf = defaultParsingFlags();
        }
        return m._pf;
    }

    var some;
    if (Array.prototype.some) {
        some = Array.prototype.some;
    } else {
        some = function (fun) {
            var t = Object(this),
                len = t.length >>> 0,
                i;

            for (i = 0; i < len; i++) {
                if (i in t && fun.call(this, t[i], i, t)) {
                    return true;
                }
            }

            return false;
        };
    }

    function isValid(m) {
        if (m._isValid == null) {
            var flags = getParsingFlags(m),
                parsedParts = some.call(flags.parsedDateParts, function (i) {
                    return i != null;
                }),
                isNowValid =
                    !isNaN(m._d.getTime()) &&
                    flags.overflow < 0 &&
                    !flags.empty &&
                    !flags.invalidEra &&
                    !flags.invalidMonth &&
                    !flags.invalidWeekday &&
                    !flags.weekdayMismatch &&
                    !flags.nullInput &&
                    !flags.invalidFormat &&
                    !flags.userInvalidated &&
                    (!flags.meridiem || (flags.meridiem && parsedParts));

            if (m._strict) {
                isNowValid =
                    isNowValid &&
                    flags.charsLeftOver === 0 &&
                    flags.unusedTokens.length === 0 &&
                    flags.bigHour === undefined;
            }

            if (Object.isFrozen == null || !Object.isFrozen(m)) {
                m._isValid = isNowValid;
            } else {
                return isNowValid;
            }
        }
        return m._isValid;
    }

    function createInvalid(flags) {
        var m = createUTC(NaN);
        if (flags != null) {
            extend(getParsingFlags(m), flags);
        } else {
            getParsingFlags(m).userInvalidated = true;
        }

        return m;
    }

    // Plugins that add properties should also add the key here (null value),
    // so we can properly clone ourselves.
    var momentProperties = (hooks.momentProperties = []),
        updateInProgress = false;

    function copyConfig(to, from) {
        var i,
            prop,
            val,
            momentPropertiesLen = momentProperties.length;

        if (!isUndefined(from._isAMomentObject)) {
            to._isAMomentObject = from._isAMomentObject;
        }
        if (!isUndefined(from._i)) {
            to._i = from._i;
        }
        if (!isUndefined(from._f)) {
            to._f = from._f;
        }
        if (!isUndefined(from._l)) {
            to._l = from._l;
        }
        if (!isUndefined(from._strict)) {
            to._strict = from._strict;
        }
        if (!isUndefined(from._tzm)) {
            to._tzm = from._tzm;
        }
        if (!isUndefined(from._isUTC)) {
            to._isUTC = from._isUTC;
        }
        if (!isUndefined(from._offset)) {
            to._offset = from._offset;
        }
        if (!isUndefined(from._pf)) {
            to._pf = getParsingFlags(from);
        }
        if (!isUndefined(from._locale)) {
            to._locale = from._locale;
        }

        if (momentPropertiesLen > 0) {
            for (i = 0; i < momentPropertiesLen; i++) {
                prop = momentProperties[i];
                val = from[prop];
                if (!isUndefined(val)) {
                    to[prop] = val;
                }
            }
        }

        return to;
    }

    // Moment prototype object
    function Moment(config) {
        copyConfig(this, config);
        this._d = new Date(config._d != null ? config._d.getTime() : NaN);
        if (!this.isValid()) {
            this._d = new Date(NaN);
        }
        // Prevent infinite loop in case updateOffset creates new moment
        // objects.
        if (updateInProgress === false) {
            updateInProgress = true;
            hooks.updateOffset(this);
            updateInProgress = false;
        }
    }

    function isMoment(obj) {
        return (
            obj instanceof Moment || (obj != null && obj._isAMomentObject != null)
        );
    }

    function warn(msg) {
        if (
            hooks.suppressDeprecationWarnings === false &&
            typeof console !== 'undefined' &&
            console.warn
        ) {
            console.warn('Deprecation warning: ' + msg);
        }
    }

    function deprecate(msg, fn) {
        var firstTime = true;

        return extend(function () {
            if (hooks.deprecationHandler != null) {
                hooks.deprecationHandler(null, msg);
            }
            if (firstTime) {
                var args = [],
                    arg,
                    i,
                    key,
                    argLen = arguments.length;
                for (i = 0; i < argLen; i++) {
                    arg = '';
                    if (typeof arguments[i] === 'object') {
                        arg += '\n[' + i + '] ';
                        for (key in arguments[0]) {
                            if (hasOwnProp(arguments[0], key)) {
                                arg += key + ': ' + arguments[0][key] + ', ';
                            }
                        }
                        arg = arg.slice(0, -2); // Remove trailing comma and space
                    } else {
                        arg = arguments[i];
                    }
                    args.push(arg);
                }
                warn(
                    msg +
                        '\nArguments: ' +
                        Array.prototype.slice.call(args).join('') +
                        '\n' +
                        new Error().stack
                );
                firstTime = false;
            }
            return fn.apply(this, arguments);
        }, fn);
    }

    var deprecations = {};

    function deprecateSimple(name, msg) {
        if (hooks.deprecationHandler != null) {
            hooks.deprecationHandler(name, msg);
        }
        if (!deprecations[name]) {
            warn(msg);
            deprecations[name] = true;
        }
    }

    hooks.suppressDeprecationWarnings = false;
    hooks.deprecationHandler = null;

    function isFunction(input) {
        return (
            (typeof Function !== 'undefined' && input instanceof Function) ||
            Object.prototype.toString.call(input) === '[object Function]'
        );
    }

    function set(config) {
        var prop, i;
        for (i in config) {
            if (hasOwnProp(config, i)) {
                prop = config[i];
                if (isFunction(prop)) {
                    this[i] = prop;
                } else {
                    this['_' + i] = prop;
                }
            }
        }
        this._config = config;
        // Lenient ordinal parsing accepts just a number in addition to
        // number + (possibly) stuff coming from _dayOfMonthOrdinalParse.
        // TODO: Remove "ordinalParse" fallback in next major release.
        this._dayOfMonthOrdinalParseLenient = new RegExp(
            (this._dayOfMonthOrdinalParse.source || this._ordinalParse.source) +
                '|' +
                /\d{1,2}/.source
        );
    }

    function mergeConfigs(parentConfig, childConfig) {
        var res = extend({}, parentConfig),
            prop;
        for (prop in childConfig) {
            if (hasOwnProp(childConfig, prop)) {
                if (isObject(parentConfig[prop]) && isObject(childConfig[prop])) {
                    res[prop] = {};
                    extend(res[prop], parentConfig[prop]);
                    extend(res[prop], childConfig[prop]);
                } else if (childConfig[prop] != null) {
                    res[prop] = childConfig[prop];
                } else {
                    delete res[prop];
                }
            }
        }
        for (prop in parentConfig) {
            if (
                hasOwnProp(parentConfig, prop) &&
                !hasOwnProp(childConfig, prop) &&
                isObject(parentConfig[prop])
            ) {
                // make sure changes to properties don't modify parent config
                res[prop] = extend({}, res[prop]);
            }
        }
        return res;
    }

    function Locale(config) {
        if (config != null) {
            this.set(config);
        }
    }

    var keys;

    if (Object.keys) {
        keys = Object.keys;
    } else {
        keys = function (obj) {
            var i,
                res = [];
            for (i in obj) {
                if (hasOwnProp(obj, i)) {
                    res.push(i);
                }
            }
            return res;
        };
    }

    var defaultCalendar = {
        sameDay: '[Today at] LT',
        nextDay: '[Tomorrow at] LT',
        nextWeek: 'dddd [at] LT',
        lastDay: '[Yesterday at] LT',
        lastWeek: '[Last] dddd [at] LT',
        sameElse: 'L',
    };

    function calendar(key, mom, now) {
        var output = this._calendar[key] || this._calendar['sameElse'];
        return isFunction(output) ? output.call(mom, now) : output;
    }

    function zeroFill(number, targetLength, forceSign) {
        var absNumber = '' + Math.abs(number),
            zerosToFill = targetLength - absNumber.length,
            sign = number >= 0;
        return (
            (sign ? (forceSign ? '+' : '') : '-') +
            Math.pow(10, Math.max(0, zerosToFill)).toString().substr(1) +
            absNumber
        );
    }

    var formattingTokens =
            /(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,
        localFormattingTokens = /(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,
        formatFunctions = {},
        formatTokenFunctions = {};

    // token:    'M'
    // padded:   ['MM', 2]
    // ordinal:  'Mo'
    // callback: function () { this.month() + 1 }
    function addFormatToken(token, padded, ordinal, callback) {
        var func = callback;
        if (typeof callback === 'string') {
            func = function () {
                return this[callback]();
            };
        }
        if (token) {
            formatTokenFunctions[token] = func;
        }
        if (padded) {
            formatTokenFunctions[padded[0]] = function () {
                return zeroFill(func.apply(this, arguments), padded[1], padded[2]);
            };
        }
        if (ordinal) {
            formatTokenFunctions[ordinal] = function () {
                return this.localeData().ordinal(
                    func.apply(this, arguments),
                    token
                );
            };
        }
    }

    function removeFormattingTokens(input) {
        if (input.match(/\[[\s\S]/)) {
            return input.replace(/^\[|\]$/g, '');
        }
        return input.replace(/\\/g, '');
    }

    function makeFormatFunction(format) {
        var array = format.match(formattingTokens),
            i,
            length;

        for (i = 0, length = array.length; i < length; i++) {
            if (formatTokenFunctions[array[i]]) {
                array[i] = formatTokenFunctions[array[i]];
            } else {
                array[i] = removeFormattingTokens(array[i]);
            }
        }

        return function (mom) {
            var output = '',
                i;
            for (i = 0; i < length; i++) {
                output += isFunction(array[i])
                    ? array[i].call(mom, format)
                    : array[i];
            }
            return output;
        };
    }

    // format date using native date object
    function formatMoment(m, format) {
        if (!m.isValid()) {
            return m.localeData().invalidDate();
        }

        format = expandFormat(format, m.localeData());
        formatFunctions[format] =
            formatFunctions[format] || makeFormatFunction(format);

        return formatFunctions[format](m);
    }

    function expandFormat(format, locale) {
        var i = 5;

        function replaceLongDateFormatTokens(input) {
            return locale.longDateFormat(input) || input;
        }

        localFormattingTokens.lastIndex = 0;
        while (i >= 0 && localFormattingTokens.test(format)) {
            format = format.replace(
                localFormattingTokens,
                replaceLongDateFormatTokens
            );
            localFormattingTokens.lastIndex = 0;
            i -= 1;
        }

        return format;
    }

    var defaultLongDateFormat = {
        LTS: 'h:mm:ss A',
        LT: 'h:mm A',
        L: 'MM/DD/YYYY',
        LL: 'MMMM D, YYYY',
        LLL: 'MMMM D, YYYY h:mm A',
        LLLL: 'dddd, MMMM D, YYYY h:mm A',
    };

    function longDateFormat(key) {
        var format = this._longDateFormat[key],
            formatUpper = this._longDateFormat[key.toUpperCase()];

        if (format || !formatUpper) {
            return format;
        }

        this._longDateFormat[key] = formatUpper
            .match(formattingTokens)
            .map(function (tok) {
                if (
                    tok === 'MMMM' ||
                    tok === 'MM' ||
                    tok === 'DD' ||
                    tok === 'dddd'
                ) {
                    return tok.slice(1);
                }
                return tok;
            })
            .join('');

        return this._longDateFormat[key];
    }

    var defaultInvalidDate = 'Invalid date';

    function invalidDate() {
        return this._invalidDate;
    }

    var defaultOrdinal = '%d',
        defaultDayOfMonthOrdinalParse = /\d{1,2}/;

    function ordinal(number) {
        return this._ordinal.replace('%d', number);
    }

    var defaultRelativeTime = {
        future: 'in %s',
        past: '%s ago',
        s: 'a few seconds',
        ss: '%d seconds',
        m: 'a minute',
        mm: '%d minutes',
        h: 'an hour',
        hh: '%d hours',
        d: 'a day',
        dd: '%d days',
        w: 'a week',
        ww: '%d weeks',
        M: 'a month',
        MM: '%d months',
        y: 'a year',
        yy: '%d years',
    };

    function relativeTime(number, withoutSuffix, string, isFuture) {
        var output = this._relativeTime[string];
        return isFunction(output)
            ? output(number, withoutSuffix, string, isFuture)
            : output.replace(/%d/i, number);
    }

    function pastFuture(diff, output) {
        var format = this._relativeTime[diff > 0 ? 'future' : 'past'];
        return isFunction(format) ? format(output) : format.replace(/%s/i, output);
    }

    var aliases = {};

    function addUnitAlias(unit, shorthand) {
        var lowerCase = unit.toLowerCase();
        aliases[lowerCase] = aliases[lowerCase + 's'] = aliases[shorthand] = unit;
    }

    function normalizeUnits(units) {
        return typeof units === 'string'
            ? aliases[units] || aliases[units.toLowerCase()]
            : undefined;
    }

    function normalizeObjectUnits(inputObject) {
        var normalizedInput = {},
            normalizedProp,
            prop;

        for (prop in inputObject) {
            if (hasOwnProp(inputObject, prop)) {
                normalizedProp = normalizeUnits(prop);
                if (normalizedProp) {
                    normalizedInput[normalizedProp] = inputObject[prop];
                }
            }
        }

        return normalizedInput;
    }

    var priorities = {};

    function addUnitPriority(unit, priority) {
        priorities[unit] = priority;
    }

    function getPrioritizedUnits(unitsObj) {
        var units = [],
            u;
        for (u in unitsObj) {
            if (hasOwnProp(unitsObj, u)) {
                units.push({ unit: u, priority: priorities[u] });
            }
        }
        units.sort(function (a, b) {
            return a.priority - b.priority;
        });
        return units;
    }

    function isLeapYear(year) {
        return (year % 4 === 0 && year % 100 !== 0) || year % 400 === 0;
    }

    function absFloor(number) {
        if (number < 0) {
            // -0 -> 0
            return Math.ceil(number) || 0;
        } else {
            return Math.floor(number);
        }
    }

    function toInt(argumentForCoercion) {
        var coercedNumber = +argumentForCoercion,
            value = 0;

        if (coercedNumber !== 0 && isFinite(coercedNumber)) {
            value = absFloor(coercedNumber);
        }

        return value;
    }

    function makeGetSet(unit, keepTime) {
        return function (value) {
            if (value != null) {
                set$1(this, unit, value);
                hooks.updateOffset(this, keepTime);
                return this;
            } else {
                return get(this, unit);
            }
        };
    }

    function get(mom, unit) {
        return mom.isValid()
            ? mom._d['get' + (mom._isUTC ? 'UTC' : '') + unit]()
            : NaN;
    }

    function set$1(mom, unit, value) {
        if (mom.isValid() && !isNaN(value)) {
            if (
                unit === 'FullYear' &&
                isLeapYear(mom.year()) &&
                mom.month() === 1 &&
                mom.date() === 29
            ) {
                value = toInt(value);
                mom._d['set' + (mom._isUTC ? 'UTC' : '') + unit](
                    value,
                    mom.month(),
                    daysInMonth(value, mom.month())
                );
            } else {
                mom._d['set' + (mom._isUTC ? 'UTC' : '') + unit](value);
            }
        }
    }

    // MOMENTS

    function stringGet(units) {
        units = normalizeUnits(units);
        if (isFunction(this[units])) {
            return this[units]();
        }
        return this;
    }

    function stringSet(units, value) {
        if (typeof units === 'object') {
            units = normalizeObjectUnits(units);
            var prioritized = getPrioritizedUnits(units),
                i,
                prioritizedLen = prioritized.length;
            for (i = 0; i < prioritizedLen; i++) {
                this[prioritized[i].unit](units[prioritized[i].unit]);
            }
        } else {
            units = normalizeUnits(units);
            if (isFunction(this[units])) {
                return this[units](value);
            }
        }
        return this;
    }

    var match1 = /\d/, //       0 - 9
        match2 = /\d\d/, //      00 - 99
        match3 = /\d{3}/, //     000 - 999
        match4 = /\d{4}/, //    0000 - 9999
        match6 = /[+-]?\d{6}/, // -999999 - 999999
        match1to2 = /\d\d?/, //       0 - 99
        match3to4 = /\d\d\d\d?/, //     999 - 9999
        match5to6 = /\d\d\d\d\d\d?/, //   99999 - 999999
        match1to3 = /\d{1,3}/, //       0 - 999
        match1to4 = /\d{1,4}/, //       0 - 9999
        match1to6 = /[+-]?\d{1,6}/, // -999999 - 999999
        matchUnsigned = /\d+/, //       0 - inf
        matchSigned = /[+-]?\d+/, //    -inf - inf
        matchOffset = /Z|[+-]\d\d:?\d\d/gi, // +00:00 -00:00 +0000 -0000 or Z
        matchShortOffset = /Z|[+-]\d\d(?::?\d\d)?/gi, // +00 -00 +00:00 -00:00 +0000 -0000 or Z
        matchTimestamp = /[+-]?\d+(\.\d{1,3})?/, // 123456789 123456789.123
        // any word (or two) characters or numbers including two/three word month in arabic.
        // includes scottish gaelic two word and hyphenated months
        matchWord =
            /[0-9]{0,256}['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFF07\uFF10-\uFFEF]{1,256}|[\u0600-\u06FF\/]{1,256}(\s*?[\u0600-\u06FF]{1,256}){1,2}/i,
        regexes;

    regexes = {};

    function addRegexToken(token, regex, strictRegex) {
        regexes[token] = isFunction(regex)
            ? regex
            : function (isStrict, localeData) {
                  return isStrict && strictRegex ? strictRegex : regex;
              };
    }

    function getParseRegexForToken(token, config) {
        if (!hasOwnProp(regexes, token)) {
            return new RegExp(unescapeFormat(token));
        }

        return regexes[token](config._strict, config._locale);
    }

    // Code from http://stackoverflow.com/questions/3561493/is-there-a-regexp-escape-function-in-javascript
    function unescapeFormat(s) {
        return regexEscape(
            s
                .replace('\\', '')
                .replace(
                    /\\(\[)|\\(\])|\[([^\]\[]*)\]|\\(.)/g,
                    function (matched, p1, p2, p3, p4) {
                        return p1 || p2 || p3 || p4;
                    }
                )
        );
    }

    function regexEscape(s) {
        return s.replace(/[-\/\\^$*+?.()|[\]{}]/g, '\\$&');
    }

    var tokens = {};

    function addParseToken(token, callback) {
        var i,
            func = callback,
            tokenLen;
        if (typeof token === 'string') {
            token = [token];
        }
        if (isNumber(callback)) {
            func = function (input, array) {
                array[callback] = toInt(input);
            };
        }
        tokenLen = token.length;
        for (i = 0; i < tokenLen; i++) {
            tokens[token[i]] = func;
        }
    }

    function addWeekParseToken(token, callback) {
        addParseToken(token, function (input, array, config, token) {
            config._w = config._w || {};
            callback(input, config._w, config, token);
        });
    }

    function addTimeToArrayFromToken(token, input, config) {
        if (input != null && hasOwnProp(tokens, token)) {
            tokens[token](input, config._a, config, token);
        }
    }

    var YEAR = 0,
        MONTH = 1,
        DATE = 2,
        HOUR = 3,
        MINUTE = 4,
        SECOND = 5,
        MILLISECOND = 6,
        WEEK = 7,
        WEEKDAY = 8;

    function mod(n, x) {
        return ((n % x) + x) % x;
    }

    var indexOf;

    if (Array.prototype.indexOf) {
        indexOf = Array.prototype.indexOf;
    } else {
        indexOf = function (o) {
            // I know
            var i;
            for (i = 0; i < this.length; ++i) {
                if (this[i] === o) {
                    return i;
                }
            }
            return -1;
        };
    }

    function daysInMonth(year, month) {
        if (isNaN(year) || isNaN(month)) {
            return NaN;
        }
        var modMonth = mod(month, 12);
        year += (month - modMonth) / 12;
        return modMonth === 1
            ? isLeapYear(year)
                ? 29
                : 28
            : 31 - ((modMonth % 7) % 2);
    }

    // FORMATTING

    addFormatToken('M', ['MM', 2], 'Mo', function () {
        return this.month() + 1;
    });

    addFormatToken('MMM', 0, 0, function (format) {
        return this.localeData().monthsShort(this, format);
    });

    addFormatToken('MMMM', 0, 0, function (format) {
        return this.localeData().months(this, format);
    });

    // ALIASES

    addUnitAlias('month', 'M');

    // PRIORITY

    addUnitPriority('month', 8);

    // PARSING

    addRegexToken('M', match1to2);
    addRegexToken('MM', match1to2, match2);
    addRegexToken('MMM', function (isStrict, locale) {
        return locale.monthsShortRegex(isStrict);
    });
    addRegexToken('MMMM', function (isStrict, locale) {
        return locale.monthsRegex(isStrict);
    });

    addParseToken(['M', 'MM'], function (input, array) {
        array[MONTH] = toInt(input) - 1;
    });

    addParseToken(['MMM', 'MMMM'], function (input, array, config, token) {
        var month = config._locale.monthsParse(input, token, config._strict);
        // if we didn't find a month name, mark the date as invalid.
        if (month != null) {
            array[MONTH] = month;
        } else {
            getParsingFlags(config).invalidMonth = input;
        }
    });

    // LOCALES

    var defaultLocaleMonths =
            'January_February_March_April_May_June_July_August_September_October_November_December'.split(
                '_'
            ),
        defaultLocaleMonthsShort =
            'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        MONTHS_IN_FORMAT = /D[oD]?(\[[^\[\]]*\]|\s)+MMMM?/,
        defaultMonthsShortRegex = matchWord,
        defaultMonthsRegex = matchWord;

    function localeMonths(m, format) {
        if (!m) {
            return isArray(this._months)
                ? this._months
                : this._months['standalone'];
        }
        return isArray(this._months)
            ? this._months[m.month()]
            : this._months[
                  (this._months.isFormat || MONTHS_IN_FORMAT).test(format)
                      ? 'format'
                      : 'standalone'
              ][m.month()];
    }

    function localeMonthsShort(m, format) {
        if (!m) {
            return isArray(this._monthsShort)
                ? this._monthsShort
                : this._monthsShort['standalone'];
        }
        return isArray(this._monthsShort)
            ? this._monthsShort[m.month()]
            : this._monthsShort[
                  MONTHS_IN_FORMAT.test(format) ? 'format' : 'standalone'
              ][m.month()];
    }

    function handleStrictParse(monthName, format, strict) {
        var i,
            ii,
            mom,
            llc = monthName.toLocaleLowerCase();
        if (!this._monthsParse) {
            // this is not used
            this._monthsParse = [];
            this._longMonthsParse = [];
            this._shortMonthsParse = [];
            for (i = 0; i < 12; ++i) {
                mom = createUTC([2000, i]);
                this._shortMonthsParse[i] = this.monthsShort(
                    mom,
                    ''
                ).toLocaleLowerCase();
                this._longMonthsParse[i] = this.months(mom, '').toLocaleLowerCase();
            }
        }

        if (strict) {
            if (format === 'MMM') {
                ii = indexOf.call(this._shortMonthsParse, llc);
                return ii !== -1 ? ii : null;
            } else {
                ii = indexOf.call(this._longMonthsParse, llc);
                return ii !== -1 ? ii : null;
            }
        } else {
            if (format === 'MMM') {
                ii = indexOf.call(this._shortMonthsParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._longMonthsParse, llc);
                return ii !== -1 ? ii : null;
            } else {
                ii = indexOf.call(this._longMonthsParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._shortMonthsParse, llc);
                return ii !== -1 ? ii : null;
            }
        }
    }

    function localeMonthsParse(monthName, format, strict) {
        var i, mom, regex;

        if (this._monthsParseExact) {
            return handleStrictParse.call(this, monthName, format, strict);
        }

        if (!this._monthsParse) {
            this._monthsParse = [];
            this._longMonthsParse = [];
            this._shortMonthsParse = [];
        }

        // TODO: add sorting
        // Sorting makes sure if one month (or abbr) is a prefix of another
        // see sorting in computeMonthsParse
        for (i = 0; i < 12; i++) {
            // make the regex if we don't have it already
            mom = createUTC([2000, i]);
            if (strict && !this._longMonthsParse[i]) {
                this._longMonthsParse[i] = new RegExp(
                    '^' + this.months(mom, '').replace('.', '') + '$',
                    'i'
                );
                this._shortMonthsParse[i] = new RegExp(
                    '^' + this.monthsShort(mom, '').replace('.', '') + '$',
                    'i'
                );
            }
            if (!strict && !this._monthsParse[i]) {
                regex =
                    '^' + this.months(mom, '') + '|^' + this.monthsShort(mom, '');
                this._monthsParse[i] = new RegExp(regex.replace('.', ''), 'i');
            }
            // test the regex
            if (
                strict &&
                format === 'MMMM' &&
                this._longMonthsParse[i].test(monthName)
            ) {
                return i;
            } else if (
                strict &&
                format === 'MMM' &&
                this._shortMonthsParse[i].test(monthName)
            ) {
                return i;
            } else if (!strict && this._monthsParse[i].test(monthName)) {
                return i;
            }
        }
    }

    // MOMENTS

    function setMonth(mom, value) {
        var dayOfMonth;

        if (!mom.isValid()) {
            // No op
            return mom;
        }

        if (typeof value === 'string') {
            if (/^\d+$/.test(value)) {
                value = toInt(value);
            } else {
                value = mom.localeData().monthsParse(value);
                // TODO: Another silent failure?
                if (!isNumber(value)) {
                    return mom;
                }
            }
        }

        dayOfMonth = Math.min(mom.date(), daysInMonth(mom.year(), value));
        mom._d['set' + (mom._isUTC ? 'UTC' : '') + 'Month'](value, dayOfMonth);
        return mom;
    }

    function getSetMonth(value) {
        if (value != null) {
            setMonth(this, value);
            hooks.updateOffset(this, true);
            return this;
        } else {
            return get(this, 'Month');
        }
    }

    function getDaysInMonth() {
        return daysInMonth(this.year(), this.month());
    }

    function monthsShortRegex(isStrict) {
        if (this._monthsParseExact) {
            if (!hasOwnProp(this, '_monthsRegex')) {
                computeMonthsParse.call(this);
            }
            if (isStrict) {
                return this._monthsShortStrictRegex;
            } else {
                return this._monthsShortRegex;
            }
        } else {
            if (!hasOwnProp(this, '_monthsShortRegex')) {
                this._monthsShortRegex = defaultMonthsShortRegex;
            }
            return this._monthsShortStrictRegex && isStrict
                ? this._monthsShortStrictRegex
                : this._monthsShortRegex;
        }
    }

    function monthsRegex(isStrict) {
        if (this._monthsParseExact) {
            if (!hasOwnProp(this, '_monthsRegex')) {
                computeMonthsParse.call(this);
            }
            if (isStrict) {
                return this._monthsStrictRegex;
            } else {
                return this._monthsRegex;
            }
        } else {
            if (!hasOwnProp(this, '_monthsRegex')) {
                this._monthsRegex = defaultMonthsRegex;
            }
            return this._monthsStrictRegex && isStrict
                ? this._monthsStrictRegex
                : this._monthsRegex;
        }
    }

    function computeMonthsParse() {
        function cmpLenRev(a, b) {
            return b.length - a.length;
        }

        var shortPieces = [],
            longPieces = [],
            mixedPieces = [],
            i,
            mom;
        for (i = 0; i < 12; i++) {
            // make the regex if we don't have it already
            mom = createUTC([2000, i]);
            shortPieces.push(this.monthsShort(mom, ''));
            longPieces.push(this.months(mom, ''));
            mixedPieces.push(this.months(mom, ''));
            mixedPieces.push(this.monthsShort(mom, ''));
        }
        // Sorting makes sure if one month (or abbr) is a prefix of another it
        // will match the longer piece.
        shortPieces.sort(cmpLenRev);
        longPieces.sort(cmpLenRev);
        mixedPieces.sort(cmpLenRev);
        for (i = 0; i < 12; i++) {
            shortPieces[i] = regexEscape(shortPieces[i]);
            longPieces[i] = regexEscape(longPieces[i]);
        }
        for (i = 0; i < 24; i++) {
            mixedPieces[i] = regexEscape(mixedPieces[i]);
        }

        this._monthsRegex = new RegExp('^(' + mixedPieces.join('|') + ')', 'i');
        this._monthsShortRegex = this._monthsRegex;
        this._monthsStrictRegex = new RegExp(
            '^(' + longPieces.join('|') + ')',
            'i'
        );
        this._monthsShortStrictRegex = new RegExp(
            '^(' + shortPieces.join('|') + ')',
            'i'
        );
    }

    // FORMATTING

    addFormatToken('Y', 0, 0, function () {
        var y = this.year();
        return y <= 9999 ? zeroFill(y, 4) : '+' + y;
    });

    addFormatToken(0, ['YY', 2], 0, function () {
        return this.year() % 100;
    });

    addFormatToken(0, ['YYYY', 4], 0, 'year');
    addFormatToken(0, ['YYYYY', 5], 0, 'year');
    addFormatToken(0, ['YYYYYY', 6, true], 0, 'year');

    // ALIASES

    addUnitAlias('year', 'y');

    // PRIORITIES

    addUnitPriority('year', 1);

    // PARSING

    addRegexToken('Y', matchSigned);
    addRegexToken('YY', match1to2, match2);
    addRegexToken('YYYY', match1to4, match4);
    addRegexToken('YYYYY', match1to6, match6);
    addRegexToken('YYYYYY', match1to6, match6);

    addParseToken(['YYYYY', 'YYYYYY'], YEAR);
    addParseToken('YYYY', function (input, array) {
        array[YEAR] =
            input.length === 2 ? hooks.parseTwoDigitYear(input) : toInt(input);
    });
    addParseToken('YY', function (input, array) {
        array[YEAR] = hooks.parseTwoDigitYear(input);
    });
    addParseToken('Y', function (input, array) {
        array[YEAR] = parseInt(input, 10);
    });

    // HELPERS

    function daysInYear(year) {
        return isLeapYear(year) ? 366 : 365;
    }

    // HOOKS

    hooks.parseTwoDigitYear = function (input) {
        return toInt(input) + (toInt(input) > 68 ? 1900 : 2000);
    };

    // MOMENTS

    var getSetYear = makeGetSet('FullYear', true);

    function getIsLeapYear() {
        return isLeapYear(this.year());
    }

    function createDate(y, m, d, h, M, s, ms) {
        // can't just apply() to create a date:
        // https://stackoverflow.com/q/181348
        var date;
        // the date constructor remaps years 0-99 to 1900-1999
        if (y < 100 && y >= 0) {
            // preserve leap years using a full 400 year cycle, then reset
            date = new Date(y + 400, m, d, h, M, s, ms);
            if (isFinite(date.getFullYear())) {
                date.setFullYear(y);
            }
        } else {
            date = new Date(y, m, d, h, M, s, ms);
        }

        return date;
    }

    function createUTCDate(y) {
        var date, args;
        // the Date.UTC function remaps years 0-99 to 1900-1999
        if (y < 100 && y >= 0) {
            args = Array.prototype.slice.call(arguments);
            // preserve leap years using a full 400 year cycle, then reset
            args[0] = y + 400;
            date = new Date(Date.UTC.apply(null, args));
            if (isFinite(date.getUTCFullYear())) {
                date.setUTCFullYear(y);
            }
        } else {
            date = new Date(Date.UTC.apply(null, arguments));
        }

        return date;
    }

    // start-of-first-week - start-of-year
    function firstWeekOffset(year, dow, doy) {
        var // first-week day -- which january is always in the first week (4 for iso, 1 for other)
            fwd = 7 + dow - doy,
            // first-week day local weekday -- which local weekday is fwd
            fwdlw = (7 + createUTCDate(year, 0, fwd).getUTCDay() - dow) % 7;

        return -fwdlw + fwd - 1;
    }

    // https://en.wikipedia.org/wiki/ISO_week_date#Calculating_a_date_given_the_year.2C_week_number_and_weekday
    function dayOfYearFromWeeks(year, week, weekday, dow, doy) {
        var localWeekday = (7 + weekday - dow) % 7,
            weekOffset = firstWeekOffset(year, dow, doy),
            dayOfYear = 1 + 7 * (week - 1) + localWeekday + weekOffset,
            resYear,
            resDayOfYear;

        if (dayOfYear <= 0) {
            resYear = year - 1;
            resDayOfYear = daysInYear(resYear) + dayOfYear;
        } else if (dayOfYear > daysInYear(year)) {
            resYear = year + 1;
            resDayOfYear = dayOfYear - daysInYear(year);
        } else {
            resYear = year;
            resDayOfYear = dayOfYear;
        }

        return {
            year: resYear,
            dayOfYear: resDayOfYear,
        };
    }

    function weekOfYear(mom, dow, doy) {
        var weekOffset = firstWeekOffset(mom.year(), dow, doy),
            week = Math.floor((mom.dayOfYear() - weekOffset - 1) / 7) + 1,
            resWeek,
            resYear;

        if (week < 1) {
            resYear = mom.year() - 1;
            resWeek = week + weeksInYear(resYear, dow, doy);
        } else if (week > weeksInYear(mom.year(), dow, doy)) {
            resWeek = week - weeksInYear(mom.year(), dow, doy);
            resYear = mom.year() + 1;
        } else {
            resYear = mom.year();
            resWeek = week;
        }

        return {
            week: resWeek,
            year: resYear,
        };
    }

    function weeksInYear(year, dow, doy) {
        var weekOffset = firstWeekOffset(year, dow, doy),
            weekOffsetNext = firstWeekOffset(year + 1, dow, doy);
        return (daysInYear(year) - weekOffset + weekOffsetNext) / 7;
    }

    // FORMATTING

    addFormatToken('w', ['ww', 2], 'wo', 'week');
    addFormatToken('W', ['WW', 2], 'Wo', 'isoWeek');

    // ALIASES

    addUnitAlias('week', 'w');
    addUnitAlias('isoWeek', 'W');

    // PRIORITIES

    addUnitPriority('week', 5);
    addUnitPriority('isoWeek', 5);

    // PARSING

    addRegexToken('w', match1to2);
    addRegexToken('ww', match1to2, match2);
    addRegexToken('W', match1to2);
    addRegexToken('WW', match1to2, match2);

    addWeekParseToken(
        ['w', 'ww', 'W', 'WW'],
        function (input, week, config, token) {
            week[token.substr(0, 1)] = toInt(input);
        }
    );

    // HELPERS

    // LOCALES

    function localeWeek(mom) {
        return weekOfYear(mom, this._week.dow, this._week.doy).week;
    }

    var defaultLocaleWeek = {
        dow: 0, // Sunday is the first day of the week.
        doy: 6, // The week that contains Jan 6th is the first week of the year.
    };

    function localeFirstDayOfWeek() {
        return this._week.dow;
    }

    function localeFirstDayOfYear() {
        return this._week.doy;
    }

    // MOMENTS

    function getSetWeek(input) {
        var week = this.localeData().week(this);
        return input == null ? week : this.add((input - week) * 7, 'd');
    }

    function getSetISOWeek(input) {
        var week = weekOfYear(this, 1, 4).week;
        return input == null ? week : this.add((input - week) * 7, 'd');
    }

    // FORMATTING

    addFormatToken('d', 0, 'do', 'day');

    addFormatToken('dd', 0, 0, function (format) {
        return this.localeData().weekdaysMin(this, format);
    });

    addFormatToken('ddd', 0, 0, function (format) {
        return this.localeData().weekdaysShort(this, format);
    });

    addFormatToken('dddd', 0, 0, function (format) {
        return this.localeData().weekdays(this, format);
    });

    addFormatToken('e', 0, 0, 'weekday');
    addFormatToken('E', 0, 0, 'isoWeekday');

    // ALIASES

    addUnitAlias('day', 'd');
    addUnitAlias('weekday', 'e');
    addUnitAlias('isoWeekday', 'E');

    // PRIORITY
    addUnitPriority('day', 11);
    addUnitPriority('weekday', 11);
    addUnitPriority('isoWeekday', 11);

    // PARSING

    addRegexToken('d', match1to2);
    addRegexToken('e', match1to2);
    addRegexToken('E', match1to2);
    addRegexToken('dd', function (isStrict, locale) {
        return locale.weekdaysMinRegex(isStrict);
    });
    addRegexToken('ddd', function (isStrict, locale) {
        return locale.weekdaysShortRegex(isStrict);
    });
    addRegexToken('dddd', function (isStrict, locale) {
        return locale.weekdaysRegex(isStrict);
    });

    addWeekParseToken(['dd', 'ddd', 'dddd'], function (input, week, config, token) {
        var weekday = config._locale.weekdaysParse(input, token, config._strict);
        // if we didn't get a weekday name, mark the date as invalid
        if (weekday != null) {
            week.d = weekday;
        } else {
            getParsingFlags(config).invalidWeekday = input;
        }
    });

    addWeekParseToken(['d', 'e', 'E'], function (input, week, config, token) {
        week[token] = toInt(input);
    });

    // HELPERS

    function parseWeekday(input, locale) {
        if (typeof input !== 'string') {
            return input;
        }

        if (!isNaN(input)) {
            return parseInt(input, 10);
        }

        input = locale.weekdaysParse(input);
        if (typeof input === 'number') {
            return input;
        }

        return null;
    }

    function parseIsoWeekday(input, locale) {
        if (typeof input === 'string') {
            return locale.weekdaysParse(input) % 7 || 7;
        }
        return isNaN(input) ? null : input;
    }

    // LOCALES
    function shiftWeekdays(ws, n) {
        return ws.slice(n, 7).concat(ws.slice(0, n));
    }

    var defaultLocaleWeekdays =
            'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split('_'),
        defaultLocaleWeekdaysShort = 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        defaultLocaleWeekdaysMin = 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        defaultWeekdaysRegex = matchWord,
        defaultWeekdaysShortRegex = matchWord,
        defaultWeekdaysMinRegex = matchWord;

    function localeWeekdays(m, format) {
        var weekdays = isArray(this._weekdays)
            ? this._weekdays
            : this._weekdays[
                  m && m !== true && this._weekdays.isFormat.test(format)
                      ? 'format'
                      : 'standalone'
              ];
        return m === true
            ? shiftWeekdays(weekdays, this._week.dow)
            : m
            ? weekdays[m.day()]
            : weekdays;
    }

    function localeWeekdaysShort(m) {
        return m === true
            ? shiftWeekdays(this._weekdaysShort, this._week.dow)
            : m
            ? this._weekdaysShort[m.day()]
            : this._weekdaysShort;
    }

    function localeWeekdaysMin(m) {
        return m === true
            ? shiftWeekdays(this._weekdaysMin, this._week.dow)
            : m
            ? this._weekdaysMin[m.day()]
            : this._weekdaysMin;
    }

    function handleStrictParse$1(weekdayName, format, strict) {
        var i,
            ii,
            mom,
            llc = weekdayName.toLocaleLowerCase();
        if (!this._weekdaysParse) {
            this._weekdaysParse = [];
            this._shortWeekdaysParse = [];
            this._minWeekdaysParse = [];

            for (i = 0; i < 7; ++i) {
                mom = createUTC([2000, 1]).day(i);
                this._minWeekdaysParse[i] = this.weekdaysMin(
                    mom,
                    ''
                ).toLocaleLowerCase();
                this._shortWeekdaysParse[i] = this.weekdaysShort(
                    mom,
                    ''
                ).toLocaleLowerCase();
                this._weekdaysParse[i] = this.weekdays(mom, '').toLocaleLowerCase();
            }
        }

        if (strict) {
            if (format === 'dddd') {
                ii = indexOf.call(this._weekdaysParse, llc);
                return ii !== -1 ? ii : null;
            } else if (format === 'ddd') {
                ii = indexOf.call(this._shortWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            } else {
                ii = indexOf.call(this._minWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            }
        } else {
            if (format === 'dddd') {
                ii = indexOf.call(this._weekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._shortWeekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._minWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            } else if (format === 'ddd') {
                ii = indexOf.call(this._shortWeekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._weekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._minWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            } else {
                ii = indexOf.call(this._minWeekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._weekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._shortWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            }
        }
    }

    function localeWeekdaysParse(weekdayName, format, strict) {
        var i, mom, regex;

        if (this._weekdaysParseExact) {
            return handleStrictParse$1.call(this, weekdayName, format, strict);
        }

        if (!this._weekdaysParse) {
            this._weekdaysParse = [];
            this._minWeekdaysParse = [];
            this._shortWeekdaysParse = [];
            this._fullWeekdaysParse = [];
        }

        for (i = 0; i < 7; i++) {
            // make the regex if we don't have it already

            mom = createUTC([2000, 1]).day(i);
            if (strict && !this._fullWeekdaysParse[i]) {
                this._fullWeekdaysParse[i] = new RegExp(
                    '^' + this.weekdays(mom, '').replace('.', '\\.?') + '$',
                    'i'
                );
                this._shortWeekdaysParse[i] = new RegExp(
                    '^' + this.weekdaysShort(mom, '').replace('.', '\\.?') + '$',
                    'i'
                );
                this._minWeekdaysParse[i] = new RegExp(
                    '^' + this.weekdaysMin(mom, '').replace('.', '\\.?') + '$',
                    'i'
                );
            }
            if (!this._weekdaysParse[i]) {
                regex =
                    '^' +
                    this.weekdays(mom, '') +
                    '|^' +
                    this.weekdaysShort(mom, '') +
                    '|^' +
                    this.weekdaysMin(mom, '');
                this._weekdaysParse[i] = new RegExp(regex.replace('.', ''), 'i');
            }
            // test the regex
            if (
                strict &&
                format === 'dddd' &&
                this._fullWeekdaysParse[i].test(weekdayName)
            ) {
                return i;
            } else if (
                strict &&
                format === 'ddd' &&
                this._shortWeekdaysParse[i].test(weekdayName)
            ) {
                return i;
            } else if (
                strict &&
                format === 'dd' &&
                this._minWeekdaysParse[i].test(weekdayName)
            ) {
                return i;
            } else if (!strict && this._weekdaysParse[i].test(weekdayName)) {
                return i;
            }
        }
    }

    // MOMENTS

    function getSetDayOfWeek(input) {
        if (!this.isValid()) {
            return input != null ? this : NaN;
        }
        var day = this._isUTC ? this._d.getUTCDay() : this._d.getDay();
        if (input != null) {
            input = parseWeekday(input, this.localeData());
            return this.add(input - day, 'd');
        } else {
            return day;
        }
    }

    function getSetLocaleDayOfWeek(input) {
        if (!this.isValid()) {
            return input != null ? this : NaN;
        }
        var weekday = (this.day() + 7 - this.localeData()._week.dow) % 7;
        return input == null ? weekday : this.add(input - weekday, 'd');
    }

    function getSetISODayOfWeek(input) {
        if (!this.isValid()) {
            return input != null ? this : NaN;
        }

        // behaves the same as moment#day except
        // as a getter, returns 7 instead of 0 (1-7 range instead of 0-6)
        // as a setter, sunday should belong to the previous week.

        if (input != null) {
            var weekday = parseIsoWeekday(input, this.localeData());
            return this.day(this.day() % 7 ? weekday : weekday - 7);
        } else {
            return this.day() || 7;
        }
    }

    function weekdaysRegex(isStrict) {
        if (this._weekdaysParseExact) {
            if (!hasOwnProp(this, '_weekdaysRegex')) {
                computeWeekdaysParse.call(this);
            }
            if (isStrict) {
                return this._weekdaysStrictRegex;
            } else {
                return this._weekdaysRegex;
            }
        } else {
            if (!hasOwnProp(this, '_weekdaysRegex')) {
                this._weekdaysRegex = defaultWeekdaysRegex;
            }
            return this._weekdaysStrictRegex && isStrict
                ? this._weekdaysStrictRegex
                : this._weekdaysRegex;
        }
    }

    function weekdaysShortRegex(isStrict) {
        if (this._weekdaysParseExact) {
            if (!hasOwnProp(this, '_weekdaysRegex')) {
                computeWeekdaysParse.call(this);
            }
            if (isStrict) {
                return this._weekdaysShortStrictRegex;
            } else {
                return this._weekdaysShortRegex;
            }
        } else {
            if (!hasOwnProp(this, '_weekdaysShortRegex')) {
                this._weekdaysShortRegex = defaultWeekdaysShortRegex;
            }
            return this._weekdaysShortStrictRegex && isStrict
                ? this._weekdaysShortStrictRegex
                : this._weekdaysShortRegex;
        }
    }

    function weekdaysMinRegex(isStrict) {
        if (this._weekdaysParseExact) {
            if (!hasOwnProp(this, '_weekdaysRegex')) {
                computeWeekdaysParse.call(this);
            }
            if (isStrict) {
                return this._weekdaysMinStrictRegex;
            } else {
                return this._weekdaysMinRegex;
            }
        } else {
            if (!hasOwnProp(this, '_weekdaysMinRegex')) {
                this._weekdaysMinRegex = defaultWeekdaysMinRegex;
            }
            return this._weekdaysMinStrictRegex && isStrict
                ? this._weekdaysMinStrictRegex
                : this._weekdaysMinRegex;
        }
    }

    function computeWeekdaysParse() {
        function cmpLenRev(a, b) {
            return b.length - a.length;
        }

        var minPieces = [],
            shortPieces = [],
            longPieces = [],
            mixedPieces = [],
            i,
            mom,
            minp,
            shortp,
            longp;
        for (i = 0; i < 7; i++) {
            // make the regex if we don't have it already
            mom = createUTC([2000, 1]).day(i);
            minp = regexEscape(this.weekdaysMin(mom, ''));
            shortp = regexEscape(this.weekdaysShort(mom, ''));
            longp = regexEscape(this.weekdays(mom, ''));
            minPieces.push(minp);
            shortPieces.push(shortp);
            longPieces.push(longp);
            mixedPieces.push(minp);
            mixedPieces.push(shortp);
            mixedPieces.push(longp);
        }
        // Sorting makes sure if one weekday (or abbr) is a prefix of another it
        // will match the longer piece.
        minPieces.sort(cmpLenRev);
        shortPieces.sort(cmpLenRev);
        longPieces.sort(cmpLenRev);
        mixedPieces.sort(cmpLenRev);

        this._weekdaysRegex = new RegExp('^(' + mixedPieces.join('|') + ')', 'i');
        this._weekdaysShortRegex = this._weekdaysRegex;
        this._weekdaysMinRegex = this._weekdaysRegex;

        this._weekdaysStrictRegex = new RegExp(
            '^(' + longPieces.join('|') + ')',
            'i'
        );
        this._weekdaysShortStrictRegex = new RegExp(
            '^(' + shortPieces.join('|') + ')',
            'i'
        );
        this._weekdaysMinStrictRegex = new RegExp(
            '^(' + minPieces.join('|') + ')',
            'i'
        );
    }

    // FORMATTING

    function hFormat() {
        return this.hours() % 12 || 12;
    }

    function kFormat() {
        return this.hours() || 24;
    }

    addFormatToken('H', ['HH', 2], 0, 'hour');
    addFormatToken('h', ['hh', 2], 0, hFormat);
    addFormatToken('k', ['kk', 2], 0, kFormat);

    addFormatToken('hmm', 0, 0, function () {
        return '' + hFormat.apply(this) + zeroFill(this.minutes(), 2);
    });

    addFormatToken('hmmss', 0, 0, function () {
        return (
            '' +
            hFormat.apply(this) +
            zeroFill(this.minutes(), 2) +
            zeroFill(this.seconds(), 2)
        );
    });

    addFormatToken('Hmm', 0, 0, function () {
        return '' + this.hours() + zeroFill(this.minutes(), 2);
    });

    addFormatToken('Hmmss', 0, 0, function () {
        return (
            '' +
            this.hours() +
            zeroFill(this.minutes(), 2) +
            zeroFill(this.seconds(), 2)
        );
    });

    function meridiem(token, lowercase) {
        addFormatToken(token, 0, 0, function () {
            return this.localeData().meridiem(
                this.hours(),
                this.minutes(),
                lowercase
            );
        });
    }

    meridiem('a', true);
    meridiem('A', false);

    // ALIASES

    addUnitAlias('hour', 'h');

    // PRIORITY
    addUnitPriority('hour', 13);

    // PARSING

    function matchMeridiem(isStrict, locale) {
        return locale._meridiemParse;
    }

    addRegexToken('a', matchMeridiem);
    addRegexToken('A', matchMeridiem);
    addRegexToken('H', match1to2);
    addRegexToken('h', match1to2);
    addRegexToken('k', match1to2);
    addRegexToken('HH', match1to2, match2);
    addRegexToken('hh', match1to2, match2);
    addRegexToken('kk', match1to2, match2);

    addRegexToken('hmm', match3to4);
    addRegexToken('hmmss', match5to6);
    addRegexToken('Hmm', match3to4);
    addRegexToken('Hmmss', match5to6);

    addParseToken(['H', 'HH'], HOUR);
    addParseToken(['k', 'kk'], function (input, array, config) {
        var kInput = toInt(input);
        array[HOUR] = kInput === 24 ? 0 : kInput;
    });
    addParseToken(['a', 'A'], function (input, array, config) {
        config._isPm = config._locale.isPM(input);
        config._meridiem = input;
    });
    addParseToken(['h', 'hh'], function (input, array, config) {
        array[HOUR] = toInt(input);
        getParsingFlags(config).bigHour = true;
    });
    addParseToken('hmm', function (input, array, config) {
        var pos = input.length - 2;
        array[HOUR] = toInt(input.substr(0, pos));
        array[MINUTE] = toInt(input.substr(pos));
        getParsingFlags(config).bigHour = true;
    });
    addParseToken('hmmss', function (input, array, config) {
        var pos1 = input.length - 4,
            pos2 = input.length - 2;
        array[HOUR] = toInt(input.substr(0, pos1));
        array[MINUTE] = toInt(input.substr(pos1, 2));
        array[SECOND] = toInt(input.substr(pos2));
        getParsingFlags(config).bigHour = true;
    });
    addParseToken('Hmm', function (input, array, config) {
        var pos = input.length - 2;
        array[HOUR] = toInt(input.substr(0, pos));
        array[MINUTE] = toInt(input.substr(pos));
    });
    addParseToken('Hmmss', function (input, array, config) {
        var pos1 = input.length - 4,
            pos2 = input.length - 2;
        array[HOUR] = toInt(input.substr(0, pos1));
        array[MINUTE] = toInt(input.substr(pos1, 2));
        array[SECOND] = toInt(input.substr(pos2));
    });

    // LOCALES

    function localeIsPM(input) {
        // IE8 Quirks Mode & IE7 Standards Mode do not allow accessing strings like arrays
        // Using charAt should be more compatible.
        return (input + '').toLowerCase().charAt(0) === 'p';
    }

    var defaultLocaleMeridiemParse = /[ap]\.?m?\.?/i,
        // Setting the hour should keep the time, because the user explicitly
        // specified which hour they want. So trying to maintain the same hour (in
        // a new timezone) makes sense. Adding/subtracting hours does not follow
        // this rule.
        getSetHour = makeGetSet('Hours', true);

    function localeMeridiem(hours, minutes, isLower) {
        if (hours > 11) {
            return isLower ? 'pm' : 'PM';
        } else {
            return isLower ? 'am' : 'AM';
        }
    }

    var baseConfig = {
        calendar: defaultCalendar,
        longDateFormat: defaultLongDateFormat,
        invalidDate: defaultInvalidDate,
        ordinal: defaultOrdinal,
        dayOfMonthOrdinalParse: defaultDayOfMonthOrdinalParse,
        relativeTime: defaultRelativeTime,

        months: defaultLocaleMonths,
        monthsShort: defaultLocaleMonthsShort,

        week: defaultLocaleWeek,

        weekdays: defaultLocaleWeekdays,
        weekdaysMin: defaultLocaleWeekdaysMin,
        weekdaysShort: defaultLocaleWeekdaysShort,

        meridiemParse: defaultLocaleMeridiemParse,
    };

    // internal storage for locale config files
    var locales = {},
        localeFamilies = {},
        globalLocale;

    function commonPrefix(arr1, arr2) {
        var i,
            minl = Math.min(arr1.length, arr2.length);
        for (i = 0; i < minl; i += 1) {
            if (arr1[i] !== arr2[i]) {
                return i;
            }
        }
        return minl;
    }

    function normalizeLocale(key) {
        return key ? key.toLowerCase().replace('_', '-') : key;
    }

    // pick the locale from the array
    // try ['en-au', 'en-gb'] as 'en-au', 'en-gb', 'en', as in move through the list trying each
    // substring from most specific to least, but move to the next array item if it's a more specific variant than the current root
    function chooseLocale(names) {
        var i = 0,
            j,
            next,
            locale,
            split;

        while (i < names.length) {
            split = normalizeLocale(names[i]).split('-');
            j = split.length;
            next = normalizeLocale(names[i + 1]);
            next = next ? next.split('-') : null;
            while (j > 0) {
                locale = loadLocale(split.slice(0, j).join('-'));
                if (locale) {
                    return locale;
                }
                if (
                    next &&
                    next.length >= j &&
                    commonPrefix(split, next) >= j - 1
                ) {
                    //the next array item is better than a shallower substring of this one
                    break;
                }
                j--;
            }
            i++;
        }
        return globalLocale;
    }

    function isLocaleNameSane(name) {
        // Prevent names that look like filesystem paths, i.e contain '/' or '\'
        return name.match('^[^/\\\\]*$') != null;
    }

    function loadLocale(name) {
        var oldLocale = null,
            aliasedRequire;
        // TODO: Find a better way to register and load all the locales in Node
        if (
            locales[name] === undefined &&
            typeof module !== 'undefined' &&
            module &&
            module.exports &&
            isLocaleNameSane(name)
        ) {
            try {
                oldLocale = globalLocale._abbr;
                aliasedRequire = require;
                aliasedRequire('./locale/' + name);
                getSetGlobalLocale(oldLocale);
            } catch (e) {
                // mark as not found to avoid repeating expensive file require call causing high CPU
                // when trying to find en-US, en_US, en-us for every format call
                locales[name] = null; // null means not found
            }
        }
        return locales[name];
    }

    // This function will load locale and then set the global locale.  If
    // no arguments are passed in, it will simply return the current global
    // locale key.
    function getSetGlobalLocale(key, values) {
        var data;
        if (key) {
            if (isUndefined(values)) {
                data = getLocale(key);
            } else {
                data = defineLocale(key, values);
            }

            if (data) {
                // moment.duration._locale = moment._locale = data;
                globalLocale = data;
            } else {
                if (typeof console !== 'undefined' && console.warn) {
                    //warn user if arguments are passed but the locale could not be set
                    console.warn(
                        'Locale ' + key + ' not found. Did you forget to load it?'
                    );
                }
            }
        }

        return globalLocale._abbr;
    }

    function defineLocale(name, config) {
        if (config !== null) {
            var locale,
                parentConfig = baseConfig;
            config.abbr = name;
            if (locales[name] != null) {
                deprecateSimple(
                    'defineLocaleOverride',
                    'use moment.updateLocale(localeName, config) to change ' +
                        'an existing locale. moment.defineLocale(localeName, ' +
                        'config) should only be used for creating a new locale ' +
                        'See http://momentjs.com/guides/#/warnings/define-locale/ for more info.'
                );
                parentConfig = locales[name]._config;
            } else if (config.parentLocale != null) {
                if (locales[config.parentLocale] != null) {
                    parentConfig = locales[config.parentLocale]._config;
                } else {
                    locale = loadLocale(config.parentLocale);
                    if (locale != null) {
                        parentConfig = locale._config;
                    } else {
                        if (!localeFamilies[config.parentLocale]) {
                            localeFamilies[config.parentLocale] = [];
                        }
                        localeFamilies[config.parentLocale].push({
                            name: name,
                            config: config,
                        });
                        return null;
                    }
                }
            }
            locales[name] = new Locale(mergeConfigs(parentConfig, config));

            if (localeFamilies[name]) {
                localeFamilies[name].forEach(function (x) {
                    defineLocale(x.name, x.config);
                });
            }

            // backwards compat for now: also set the locale
            // make sure we set the locale AFTER all child locales have been
            // created, so we won't end up with the child locale set.
            getSetGlobalLocale(name);

            return locales[name];
        } else {
            // useful for testing
            delete locales[name];
            return null;
        }
    }

    function updateLocale(name, config) {
        if (config != null) {
            var locale,
                tmpLocale,
                parentConfig = baseConfig;

            if (locales[name] != null && locales[name].parentLocale != null) {
                // Update existing child locale in-place to avoid memory-leaks
                locales[name].set(mergeConfigs(locales[name]._config, config));
            } else {
                // MERGE
                tmpLocale = loadLocale(name);
                if (tmpLocale != null) {
                    parentConfig = tmpLocale._config;
                }
                config = mergeConfigs(parentConfig, config);
                if (tmpLocale == null) {
                    // updateLocale is called for creating a new locale
                    // Set abbr so it will have a name (getters return
                    // undefined otherwise).
                    config.abbr = name;
                }
                locale = new Locale(config);
                locale.parentLocale = locales[name];
                locales[name] = locale;
            }

            // backwards compat for now: also set the locale
            getSetGlobalLocale(name);
        } else {
            // pass null for config to unupdate, useful for tests
            if (locales[name] != null) {
                if (locales[name].parentLocale != null) {
                    locales[name] = locales[name].parentLocale;
                    if (name === getSetGlobalLocale()) {
                        getSetGlobalLocale(name);
                    }
                } else if (locales[name] != null) {
                    delete locales[name];
                }
            }
        }
        return locales[name];
    }

    // returns locale data
    function getLocale(key) {
        var locale;

        if (key && key._locale && key._locale._abbr) {
            key = key._locale._abbr;
        }

        if (!key) {
            return globalLocale;
        }

        if (!isArray(key)) {
            //short-circuit everything else
            locale = loadLocale(key);
            if (locale) {
                return locale;
            }
            key = [key];
        }

        return chooseLocale(key);
    }

    function listLocales() {
        return keys(locales);
    }

    function checkOverflow(m) {
        var overflow,
            a = m._a;

        if (a && getParsingFlags(m).overflow === -2) {
            overflow =
                a[MONTH] < 0 || a[MONTH] > 11
                    ? MONTH
                    : a[DATE] < 1 || a[DATE] > daysInMonth(a[YEAR], a[MONTH])
                    ? DATE
                    : a[HOUR] < 0 ||
                      a[HOUR] > 24 ||
                      (a[HOUR] === 24 &&
                          (a[MINUTE] !== 0 ||
                              a[SECOND] !== 0 ||
                              a[MILLISECOND] !== 0))
                    ? HOUR
                    : a[MINUTE] < 0 || a[MINUTE] > 59
                    ? MINUTE
                    : a[SECOND] < 0 || a[SECOND] > 59
                    ? SECOND
                    : a[MILLISECOND] < 0 || a[MILLISECOND] > 999
                    ? MILLISECOND
                    : -1;

            if (
                getParsingFlags(m)._overflowDayOfYear &&
                (overflow < YEAR || overflow > DATE)
            ) {
                overflow = DATE;
            }
            if (getParsingFlags(m)._overflowWeeks && overflow === -1) {
                overflow = WEEK;
            }
            if (getParsingFlags(m)._overflowWeekday && overflow === -1) {
                overflow = WEEKDAY;
            }

            getParsingFlags(m).overflow = overflow;
        }

        return m;
    }

    // iso 8601 regex
    // 0000-00-00 0000-W00 or 0000-W00-0 + T + 00 or 00:00 or 00:00:00 or 00:00:00.000 + +00:00 or +0000 or +00)
    var extendedIsoRegex =
            /^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,
        basicIsoRegex =
            /^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,
        tzRegex = /Z|[+-]\d\d(?::?\d\d)?/,
        isoDates = [
            ['YYYYYY-MM-DD', /[+-]\d{6}-\d\d-\d\d/],
            ['YYYY-MM-DD', /\d{4}-\d\d-\d\d/],
            ['GGGG-[W]WW-E', /\d{4}-W\d\d-\d/],
            ['GGGG-[W]WW', /\d{4}-W\d\d/, false],
            ['YYYY-DDD', /\d{4}-\d{3}/],
            ['YYYY-MM', /\d{4}-\d\d/, false],
            ['YYYYYYMMDD', /[+-]\d{10}/],
            ['YYYYMMDD', /\d{8}/],
            ['GGGG[W]WWE', /\d{4}W\d{3}/],
            ['GGGG[W]WW', /\d{4}W\d{2}/, false],
            ['YYYYDDD', /\d{7}/],
            ['YYYYMM', /\d{6}/, false],
            ['YYYY', /\d{4}/, false],
        ],
        // iso time formats and regexes
        isoTimes = [
            ['HH:mm:ss.SSSS', /\d\d:\d\d:\d\d\.\d+/],
            ['HH:mm:ss,SSSS', /\d\d:\d\d:\d\d,\d+/],
            ['HH:mm:ss', /\d\d:\d\d:\d\d/],
            ['HH:mm', /\d\d:\d\d/],
            ['HHmmss.SSSS', /\d\d\d\d\d\d\.\d+/],
            ['HHmmss,SSSS', /\d\d\d\d\d\d,\d+/],
            ['HHmmss', /\d\d\d\d\d\d/],
            ['HHmm', /\d\d\d\d/],
            ['HH', /\d\d/],
        ],
        aspNetJsonRegex = /^\/?Date\((-?\d+)/i,
        // RFC 2822 regex: For details see https://tools.ietf.org/html/rfc2822#section-3.3
        rfc2822 =
            /^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/,
        obsOffsets = {
            UT: 0,
            GMT: 0,
            EDT: -4 * 60,
            EST: -5 * 60,
            CDT: -5 * 60,
            CST: -6 * 60,
            MDT: -6 * 60,
            MST: -7 * 60,
            PDT: -7 * 60,
            PST: -8 * 60,
        };

    // date from iso format
    function configFromISO(config) {
        var i,
            l,
            string = config._i,
            match = extendedIsoRegex.exec(string) || basicIsoRegex.exec(string),
            allowTime,
            dateFormat,
            timeFormat,
            tzFormat,
            isoDatesLen = isoDates.length,
            isoTimesLen = isoTimes.length;

        if (match) {
            getParsingFlags(config).iso = true;
            for (i = 0, l = isoDatesLen; i < l; i++) {
                if (isoDates[i][1].exec(match[1])) {
                    dateFormat = isoDates[i][0];
                    allowTime = isoDates[i][2] !== false;
                    break;
                }
            }
            if (dateFormat == null) {
                config._isValid = false;
                return;
            }
            if (match[3]) {
                for (i = 0, l = isoTimesLen; i < l; i++) {
                    if (isoTimes[i][1].exec(match[3])) {
                        // match[2] should be 'T' or space
                        timeFormat = (match[2] || ' ') + isoTimes[i][0];
                        break;
                    }
                }
                if (timeFormat == null) {
                    config._isValid = false;
                    return;
                }
            }
            if (!allowTime && timeFormat != null) {
                config._isValid = false;
                return;
            }
            if (match[4]) {
                if (tzRegex.exec(match[4])) {
                    tzFormat = 'Z';
                } else {
                    config._isValid = false;
                    return;
                }
            }
            config._f = dateFormat + (timeFormat || '') + (tzFormat || '');
            configFromStringAndFormat(config);
        } else {
            config._isValid = false;
        }
    }

    function extractFromRFC2822Strings(
        yearStr,
        monthStr,
        dayStr,
        hourStr,
        minuteStr,
        secondStr
    ) {
        var result = [
            untruncateYear(yearStr),
            defaultLocaleMonthsShort.indexOf(monthStr),
            parseInt(dayStr, 10),
            parseInt(hourStr, 10),
            parseInt(minuteStr, 10),
        ];

        if (secondStr) {
            result.push(parseInt(secondStr, 10));
        }

        return result;
    }

    function untruncateYear(yearStr) {
        var year = parseInt(yearStr, 10);
        if (year <= 49) {
            return 2000 + year;
        } else if (year <= 999) {
            return 1900 + year;
        }
        return year;
    }

    function preprocessRFC2822(s) {
        // Remove comments and folding whitespace and replace multiple-spaces with a single space
        return s
            .replace(/\([^()]*\)|[\n\t]/g, ' ')
            .replace(/(\s\s+)/g, ' ')
            .replace(/^\s\s*/, '')
            .replace(/\s\s*$/, '');
    }

    function checkWeekday(weekdayStr, parsedInput, config) {
        if (weekdayStr) {
            // TODO: Replace the vanilla JS Date object with an independent day-of-week check.
            var weekdayProvided = defaultLocaleWeekdaysShort.indexOf(weekdayStr),
                weekdayActual = new Date(
                    parsedInput[0],
                    parsedInput[1],
                    parsedInput[2]
                ).getDay();
            if (weekdayProvided !== weekdayActual) {
                getParsingFlags(config).weekdayMismatch = true;
                config._isValid = false;
                return false;
            }
        }
        return true;
    }

    function calculateOffset(obsOffset, militaryOffset, numOffset) {
        if (obsOffset) {
            return obsOffsets[obsOffset];
        } else if (militaryOffset) {
            // the only allowed military tz is Z
            return 0;
        } else {
            var hm = parseInt(numOffset, 10),
                m = hm % 100,
                h = (hm - m) / 100;
            return h * 60 + m;
        }
    }

    // date and time from ref 2822 format
    function configFromRFC2822(config) {
        var match = rfc2822.exec(preprocessRFC2822(config._i)),
            parsedArray;
        if (match) {
            parsedArray = extractFromRFC2822Strings(
                match[4],
                match[3],
                match[2],
                match[5],
                match[6],
                match[7]
            );
            if (!checkWeekday(match[1], parsedArray, config)) {
                return;
            }

            config._a = parsedArray;
            config._tzm = calculateOffset(match[8], match[9], match[10]);

            config._d = createUTCDate.apply(null, config._a);
            config._d.setUTCMinutes(config._d.getUTCMinutes() - config._tzm);

            getParsingFlags(config).rfc2822 = true;
        } else {
            config._isValid = false;
        }
    }

    // date from 1) ASP.NET, 2) ISO, 3) RFC 2822 formats, or 4) optional fallback if parsing isn't strict
    function configFromString(config) {
        var matched = aspNetJsonRegex.exec(config._i);
        if (matched !== null) {
            config._d = new Date(+matched[1]);
            return;
        }

        configFromISO(config);
        if (config._isValid === false) {
            delete config._isValid;
        } else {
            return;
        }

        configFromRFC2822(config);
        if (config._isValid === false) {
            delete config._isValid;
        } else {
            return;
        }

        if (config._strict) {
            config._isValid = false;
        } else {
            // Final attempt, use Input Fallback
            hooks.createFromInputFallback(config);
        }
    }

    hooks.createFromInputFallback = deprecate(
        'value provided is not in a recognized RFC2822 or ISO format. moment construction falls back to js Date(), ' +
            'which is not reliable across all browsers and versions. Non RFC2822/ISO date formats are ' +
            'discouraged. Please refer to http://momentjs.com/guides/#/warnings/js-date/ for more info.',
        function (config) {
            config._d = new Date(config._i + (config._useUTC ? ' UTC' : ''));
        }
    );

    // Pick the first defined of two or three arguments.
    function defaults(a, b, c) {
        if (a != null) {
            return a;
        }
        if (b != null) {
            return b;
        }
        return c;
    }

    function currentDateArray(config) {
        // hooks is actually the exported moment object
        var nowValue = new Date(hooks.now());
        if (config._useUTC) {
            return [
                nowValue.getUTCFullYear(),
                nowValue.getUTCMonth(),
                nowValue.getUTCDate(),
            ];
        }
        return [nowValue.getFullYear(), nowValue.getMonth(), nowValue.getDate()];
    }

    // convert an array to a date.
    // the array should mirror the parameters below
    // note: all values past the year are optional and will default to the lowest possible value.
    // [year, month, day , hour, minute, second, millisecond]
    function configFromArray(config) {
        var i,
            date,
            input = [],
            currentDate,
            expectedWeekday,
            yearToUse;

        if (config._d) {
            return;
        }

        currentDate = currentDateArray(config);

        //compute day of the year from weeks and weekdays
        if (config._w && config._a[DATE] == null && config._a[MONTH] == null) {
            dayOfYearFromWeekInfo(config);
        }

        //if the day of the year is set, figure out what it is
        if (config._dayOfYear != null) {
            yearToUse = defaults(config._a[YEAR], currentDate[YEAR]);

            if (
                config._dayOfYear > daysInYear(yearToUse) ||
                config._dayOfYear === 0
            ) {
                getParsingFlags(config)._overflowDayOfYear = true;
            }

            date = createUTCDate(yearToUse, 0, config._dayOfYear);
            config._a[MONTH] = date.getUTCMonth();
            config._a[DATE] = date.getUTCDate();
        }

        // Default to current date.
        // * if no year, month, day of month are given, default to today
        // * if day of month is given, default month and year
        // * if month is given, default only year
        // * if year is given, don't default anything
        for (i = 0; i < 3 && config._a[i] == null; ++i) {
            config._a[i] = input[i] = currentDate[i];
        }

        // Zero out whatever was not defaulted, including time
        for (; i < 7; i++) {
            config._a[i] = input[i] =
                config._a[i] == null ? (i === 2 ? 1 : 0) : config._a[i];
        }

        // Check for 24:00:00.000
        if (
            config._a[HOUR] === 24 &&
            config._a[MINUTE] === 0 &&
            config._a[SECOND] === 0 &&
            config._a[MILLISECOND] === 0
        ) {
            config._nextDay = true;
            config._a[HOUR] = 0;
        }

        config._d = (config._useUTC ? createUTCDate : createDate).apply(
            null,
            input
        );
        expectedWeekday = config._useUTC
            ? config._d.getUTCDay()
            : config._d.getDay();

        // Apply timezone offset from input. The actual utcOffset can be changed
        // with parseZone.
        if (config._tzm != null) {
            config._d.setUTCMinutes(config._d.getUTCMinutes() - config._tzm);
        }

        if (config._nextDay) {
            config._a[HOUR] = 24;
        }

        // check for mismatching day of week
        if (
            config._w &&
            typeof config._w.d !== 'undefined' &&
            config._w.d !== expectedWeekday
        ) {
            getParsingFlags(config).weekdayMismatch = true;
        }
    }

    function dayOfYearFromWeekInfo(config) {
        var w, weekYear, week, weekday, dow, doy, temp, weekdayOverflow, curWeek;

        w = config._w;
        if (w.GG != null || w.W != null || w.E != null) {
            dow = 1;
            doy = 4;

            // TODO: We need to take the current isoWeekYear, but that depends on
            // how we interpret now (local, utc, fixed offset). So create
            // a now version of current config (take local/utc/offset flags, and
            // create now).
            weekYear = defaults(
                w.GG,
                config._a[YEAR],
                weekOfYear(createLocal(), 1, 4).year
            );
            week = defaults(w.W, 1);
            weekday = defaults(w.E, 1);
            if (weekday < 1 || weekday > 7) {
                weekdayOverflow = true;
            }
        } else {
            dow = config._locale._week.dow;
            doy = config._locale._week.doy;

            curWeek = weekOfYear(createLocal(), dow, doy);

            weekYear = defaults(w.gg, config._a[YEAR], curWeek.year);

            // Default to current week.
            week = defaults(w.w, curWeek.week);

            if (w.d != null) {
                // weekday -- low day numbers are considered next week
                weekday = w.d;
                if (weekday < 0 || weekday > 6) {
                    weekdayOverflow = true;
                }
            } else if (w.e != null) {
                // local weekday -- counting starts from beginning of week
                weekday = w.e + dow;
                if (w.e < 0 || w.e > 6) {
                    weekdayOverflow = true;
                }
            } else {
                // default to beginning of week
                weekday = dow;
            }
        }
        if (week < 1 || week > weeksInYear(weekYear, dow, doy)) {
            getParsingFlags(config)._overflowWeeks = true;
        } else if (weekdayOverflow != null) {
            getParsingFlags(config)._overflowWeekday = true;
        } else {
            temp = dayOfYearFromWeeks(weekYear, week, weekday, dow, doy);
            config._a[YEAR] = temp.year;
            config._dayOfYear = temp.dayOfYear;
        }
    }

    // constant that refers to the ISO standard
    hooks.ISO_8601 = function () {};

    // constant that refers to the RFC 2822 form
    hooks.RFC_2822 = function () {};

    // date from string and format string
    function configFromStringAndFormat(config) {
        // TODO: Move this to another part of the creation flow to prevent circular deps
        if (config._f === hooks.ISO_8601) {
            configFromISO(config);
            return;
        }
        if (config._f === hooks.RFC_2822) {
            configFromRFC2822(config);
            return;
        }
        config._a = [];
        getParsingFlags(config).empty = true;

        // This array is used to make a Date, either with `new Date` or `Date.UTC`
        var string = '' + config._i,
            i,
            parsedInput,
            tokens,
            token,
            skipped,
            stringLength = string.length,
            totalParsedInputLength = 0,
            era,
            tokenLen;

        tokens =
            expandFormat(config._f, config._locale).match(formattingTokens) || [];
        tokenLen = tokens.length;
        for (i = 0; i < tokenLen; i++) {
            token = tokens[i];
            parsedInput = (string.match(getParseRegexForToken(token, config)) ||
                [])[0];
            if (parsedInput) {
                skipped = string.substr(0, string.indexOf(parsedInput));
                if (skipped.length > 0) {
                    getParsingFlags(config).unusedInput.push(skipped);
                }
                string = string.slice(
                    string.indexOf(parsedInput) + parsedInput.length
                );
                totalParsedInputLength += parsedInput.length;
            }
            // don't parse if it's not a known token
            if (formatTokenFunctions[token]) {
                if (parsedInput) {
                    getParsingFlags(config).empty = false;
                } else {
                    getParsingFlags(config).unusedTokens.push(token);
                }
                addTimeToArrayFromToken(token, parsedInput, config);
            } else if (config._strict && !parsedInput) {
                getParsingFlags(config).unusedTokens.push(token);
            }
        }

        // add remaining unparsed input length to the string
        getParsingFlags(config).charsLeftOver =
            stringLength - totalParsedInputLength;
        if (string.length > 0) {
            getParsingFlags(config).unusedInput.push(string);
        }

        // clear _12h flag if hour is <= 12
        if (
            config._a[HOUR] <= 12 &&
            getParsingFlags(config).bigHour === true &&
            config._a[HOUR] > 0
        ) {
            getParsingFlags(config).bigHour = undefined;
        }

        getParsingFlags(config).parsedDateParts = config._a.slice(0);
        getParsingFlags(config).meridiem = config._meridiem;
        // handle meridiem
        config._a[HOUR] = meridiemFixWrap(
            config._locale,
            config._a[HOUR],
            config._meridiem
        );

        // handle era
        era = getParsingFlags(config).era;
        if (era !== null) {
            config._a[YEAR] = config._locale.erasConvertYear(era, config._a[YEAR]);
        }

        configFromArray(config);
        checkOverflow(config);
    }

    function meridiemFixWrap(locale, hour, meridiem) {
        var isPm;

        if (meridiem == null) {
            // nothing to do
            return hour;
        }
        if (locale.meridiemHour != null) {
            return locale.meridiemHour(hour, meridiem);
        } else if (locale.isPM != null) {
            // Fallback
            isPm = locale.isPM(meridiem);
            if (isPm && hour < 12) {
                hour += 12;
            }
            if (!isPm && hour === 12) {
                hour = 0;
            }
            return hour;
        } else {
            // this is not supposed to happen
            return hour;
        }
    }

    // date from string and array of format strings
    function configFromStringAndArray(config) {
        var tempConfig,
            bestMoment,
            scoreToBeat,
            i,
            currentScore,
            validFormatFound,
            bestFormatIsValid = false,
            configfLen = config._f.length;

        if (configfLen === 0) {
            getParsingFlags(config).invalidFormat = true;
            config._d = new Date(NaN);
            return;
        }

        for (i = 0; i < configfLen; i++) {
            currentScore = 0;
            validFormatFound = false;
            tempConfig = copyConfig({}, config);
            if (config._useUTC != null) {
                tempConfig._useUTC = config._useUTC;
            }
            tempConfig._f = config._f[i];
            configFromStringAndFormat(tempConfig);

            if (isValid(tempConfig)) {
                validFormatFound = true;
            }

            // if there is any input that was not parsed add a penalty for that format
            currentScore += getParsingFlags(tempConfig).charsLeftOver;

            //or tokens
            currentScore += getParsingFlags(tempConfig).unusedTokens.length * 10;

            getParsingFlags(tempConfig).score = currentScore;

            if (!bestFormatIsValid) {
                if (
                    scoreToBeat == null ||
                    currentScore < scoreToBeat ||
                    validFormatFound
                ) {
                    scoreToBeat = currentScore;
                    bestMoment = tempConfig;
                    if (validFormatFound) {
                        bestFormatIsValid = true;
                    }
                }
            } else {
                if (currentScore < scoreToBeat) {
                    scoreToBeat = currentScore;
                    bestMoment = tempConfig;
                }
            }
        }

        extend(config, bestMoment || tempConfig);
    }

    function configFromObject(config) {
        if (config._d) {
            return;
        }

        var i = normalizeObjectUnits(config._i),
            dayOrDate = i.day === undefined ? i.date : i.day;
        config._a = map(
            [i.year, i.month, dayOrDate, i.hour, i.minute, i.second, i.millisecond],
            function (obj) {
                return obj && parseInt(obj, 10);
            }
        );

        configFromArray(config);
    }

    function createFromConfig(config) {
        var res = new Moment(checkOverflow(prepareConfig(config)));
        if (res._nextDay) {
            // Adding is smart enough around DST
            res.add(1, 'd');
            res._nextDay = undefined;
        }

        return res;
    }

    function prepareConfig(config) {
        var input = config._i,
            format = config._f;

        config._locale = config._locale || getLocale(config._l);

        if (input === null || (format === undefined && input === '')) {
            return createInvalid({ nullInput: true });
        }

        if (typeof input === 'string') {
            config._i = input = config._locale.preparse(input);
        }

        if (isMoment(input)) {
            return new Moment(checkOverflow(input));
        } else if (isDate(input)) {
            config._d = input;
        } else if (isArray(format)) {
            configFromStringAndArray(config);
        } else if (format) {
            configFromStringAndFormat(config);
        } else {
            configFromInput(config);
        }

        if (!isValid(config)) {
            config._d = null;
        }

        return config;
    }

    function configFromInput(config) {
        var input = config._i;
        if (isUndefined(input)) {
            config._d = new Date(hooks.now());
        } else if (isDate(input)) {
            config._d = new Date(input.valueOf());
        } else if (typeof input === 'string') {
            configFromString(config);
        } else if (isArray(input)) {
            config._a = map(input.slice(0), function (obj) {
                return parseInt(obj, 10);
            });
            configFromArray(config);
        } else if (isObject(input)) {
            configFromObject(config);
        } else if (isNumber(input)) {
            // from milliseconds
            config._d = new Date(input);
        } else {
            hooks.createFromInputFallback(config);
        }
    }

    function createLocalOrUTC(input, format, locale, strict, isUTC) {
        var c = {};

        if (format === true || format === false) {
            strict = format;
            format = undefined;
        }

        if (locale === true || locale === false) {
            strict = locale;
            locale = undefined;
        }

        if (
            (isObject(input) && isObjectEmpty(input)) ||
            (isArray(input) && input.length === 0)
        ) {
            input = undefined;
        }
        // object construction must be done this way.
        // https://github.com/moment/moment/issues/1423
        c._isAMomentObject = true;
        c._useUTC = c._isUTC = isUTC;
        c._l = locale;
        c._i = input;
        c._f = format;
        c._strict = strict;

        return createFromConfig(c);
    }

    function createLocal(input, format, locale, strict) {
        return createLocalOrUTC(input, format, locale, strict, false);
    }

    var prototypeMin = deprecate(
            'moment().min is deprecated, use moment.max instead. http://momentjs.com/guides/#/warnings/min-max/',
            function () {
                var other = createLocal.apply(null, arguments);
                if (this.isValid() && other.isValid()) {
                    return other < this ? this : other;
                } else {
                    return createInvalid();
                }
            }
        ),
        prototypeMax = deprecate(
            'moment().max is deprecated, use moment.min instead. http://momentjs.com/guides/#/warnings/min-max/',
            function () {
                var other = createLocal.apply(null, arguments);
                if (this.isValid() && other.isValid()) {
                    return other > this ? this : other;
                } else {
                    return createInvalid();
                }
            }
        );

    // Pick a moment m from moments so that m[fn](other) is true for all
    // other. This relies on the function fn to be transitive.
    //
    // moments should either be an array of moment objects or an array, whose
    // first element is an array of moment objects.
    function pickBy(fn, moments) {
        var res, i;
        if (moments.length === 1 && isArray(moments[0])) {
            moments = moments[0];
        }
        if (!moments.length) {
            return createLocal();
        }
        res = moments[0];
        for (i = 1; i < moments.length; ++i) {
            if (!moments[i].isValid() || moments[i][fn](res)) {
                res = moments[i];
            }
        }
        return res;
    }

    // TODO: Use [].sort instead?
    function min() {
        var args = [].slice.call(arguments, 0);

        return pickBy('isBefore', args);
    }

    function max() {
        var args = [].slice.call(arguments, 0);

        return pickBy('isAfter', args);
    }

    var now = function () {
        return Date.now ? Date.now() : +new Date();
    };

    var ordering = [
        'year',
        'quarter',
        'month',
        'week',
        'day',
        'hour',
        'minute',
        'second',
        'millisecond',
    ];

    function isDurationValid(m) {
        var key,
            unitHasDecimal = false,
            i,
            orderLen = ordering.length;
        for (key in m) {
            if (
                hasOwnProp(m, key) &&
                !(
                    indexOf.call(ordering, key) !== -1 &&
                    (m[key] == null || !isNaN(m[key]))
                )
            ) {
                return false;
            }
        }

        for (i = 0; i < orderLen; ++i) {
            if (m[ordering[i]]) {
                if (unitHasDecimal) {
                    return false; // only allow non-integers for smallest unit
                }
                if (parseFloat(m[ordering[i]]) !== toInt(m[ordering[i]])) {
                    unitHasDecimal = true;
                }
            }
        }

        return true;
    }

    function isValid$1() {
        return this._isValid;
    }

    function createInvalid$1() {
        return createDuration(NaN);
    }

    function Duration(duration) {
        var normalizedInput = normalizeObjectUnits(duration),
            years = normalizedInput.year || 0,
            quarters = normalizedInput.quarter || 0,
            months = normalizedInput.month || 0,
            weeks = normalizedInput.week || normalizedInput.isoWeek || 0,
            days = normalizedInput.day || 0,
            hours = normalizedInput.hour || 0,
            minutes = normalizedInput.minute || 0,
            seconds = normalizedInput.second || 0,
            milliseconds = normalizedInput.millisecond || 0;

        this._isValid = isDurationValid(normalizedInput);

        // representation for dateAddRemove
        this._milliseconds =
            +milliseconds +
            seconds * 1e3 + // 1000
            minutes * 6e4 + // 1000 * 60
            hours * 1000 * 60 * 60; //using 1000 * 60 * 60 instead of 36e5 to avoid floating point rounding errors https://github.com/moment/moment/issues/2978
        // Because of dateAddRemove treats 24 hours as different from a
        // day when working around DST, we need to store them separately
        this._days = +days + weeks * 7;
        // It is impossible to translate months into days without knowing
        // which months you are are talking about, so we have to store
        // it separately.
        this._months = +months + quarters * 3 + years * 12;

        this._data = {};

        this._locale = getLocale();

        this._bubble();
    }

    function isDuration(obj) {
        return obj instanceof Duration;
    }

    function absRound(number) {
        if (number < 0) {
            return Math.round(-1 * number) * -1;
        } else {
            return Math.round(number);
        }
    }

    // compare two arrays, return the number of differences
    function compareArrays(array1, array2, dontConvert) {
        var len = Math.min(array1.length, array2.length),
            lengthDiff = Math.abs(array1.length - array2.length),
            diffs = 0,
            i;
        for (i = 0; i < len; i++) {
            if (
                (dontConvert && array1[i] !== array2[i]) ||
                (!dontConvert && toInt(array1[i]) !== toInt(array2[i]))
            ) {
                diffs++;
            }
        }
        return diffs + lengthDiff;
    }

    // FORMATTING

    function offset(token, separator) {
        addFormatToken(token, 0, 0, function () {
            var offset = this.utcOffset(),
                sign = '+';
            if (offset < 0) {
                offset = -offset;
                sign = '-';
            }
            return (
                sign +
                zeroFill(~~(offset / 60), 2) +
                separator +
                zeroFill(~~offset % 60, 2)
            );
        });
    }

    offset('Z', ':');
    offset('ZZ', '');

    // PARSING

    addRegexToken('Z', matchShortOffset);
    addRegexToken('ZZ', matchShortOffset);
    addParseToken(['Z', 'ZZ'], function (input, array, config) {
        config._useUTC = true;
        config._tzm = offsetFromString(matchShortOffset, input);
    });

    // HELPERS

    // timezone chunker
    // '+10:00' > ['10',  '00']
    // '-1530'  > ['-15', '30']
    var chunkOffset = /([\+\-]|\d\d)/gi;

    function offsetFromString(matcher, string) {
        var matches = (string || '').match(matcher),
            chunk,
            parts,
            minutes;

        if (matches === null) {
            return null;
        }

        chunk = matches[matches.length - 1] || [];
        parts = (chunk + '').match(chunkOffset) || ['-', 0, 0];
        minutes = +(parts[1] * 60) + toInt(parts[2]);

        return minutes === 0 ? 0 : parts[0] === '+' ? minutes : -minutes;
    }

    // Return a moment from input, that is local/utc/zone equivalent to model.
    function cloneWithOffset(input, model) {
        var res, diff;
        if (model._isUTC) {
            res = model.clone();
            diff =
                (isMoment(input) || isDate(input)
                    ? input.valueOf()
                    : createLocal(input).valueOf()) - res.valueOf();
            // Use low-level api, because this fn is low-level api.
            res._d.setTime(res._d.valueOf() + diff);
            hooks.updateOffset(res, false);
            return res;
        } else {
            return createLocal(input).local();
        }
    }

    function getDateOffset(m) {
        // On Firefox.24 Date#getTimezoneOffset returns a floating point.
        // https://github.com/moment/moment/pull/1871
        return -Math.round(m._d.getTimezoneOffset());
    }

    // HOOKS

    // This function will be called whenever a moment is mutated.
    // It is intended to keep the offset in sync with the timezone.
    hooks.updateOffset = function () {};

    // MOMENTS

    // keepLocalTime = true means only change the timezone, without
    // affecting the local hour. So 5:31:26 +0300 --[utcOffset(2, true)]-->
    // 5:31:26 +0200 It is possible that 5:31:26 doesn't exist with offset
    // +0200, so we adjust the time as needed, to be valid.
    //
    // Keeping the time actually adds/subtracts (one hour)
    // from the actual represented time. That is why we call updateOffset
    // a second time. In case it wants us to change the offset again
    // _changeInProgress == true case, then we have to adjust, because
    // there is no such time in the given timezone.
    function getSetOffset(input, keepLocalTime, keepMinutes) {
        var offset = this._offset || 0,
            localAdjust;
        if (!this.isValid()) {
            return input != null ? this : NaN;
        }
        if (input != null) {
            if (typeof input === 'string') {
                input = offsetFromString(matchShortOffset, input);
                if (input === null) {
                    return this;
                }
            } else if (Math.abs(input) < 16 && !keepMinutes) {
                input = input * 60;
            }
            if (!this._isUTC && keepLocalTime) {
                localAdjust = getDateOffset(this);
            }
            this._offset = input;
            this._isUTC = true;
            if (localAdjust != null) {
                this.add(localAdjust, 'm');
            }
            if (offset !== input) {
                if (!keepLocalTime || this._changeInProgress) {
                    addSubtract(
                        this,
                        createDuration(input - offset, 'm'),
                        1,
                        false
                    );
                } else if (!this._changeInProgress) {
                    this._changeInProgress = true;
                    hooks.updateOffset(this, true);
                    this._changeInProgress = null;
                }
            }
            return this;
        } else {
            return this._isUTC ? offset : getDateOffset(this);
        }
    }

    function getSetZone(input, keepLocalTime) {
        if (input != null) {
            if (typeof input !== 'string') {
                input = -input;
            }

            this.utcOffset(input, keepLocalTime);

            return this;
        } else {
            return -this.utcOffset();
        }
    }

    function setOffsetToUTC(keepLocalTime) {
        return this.utcOffset(0, keepLocalTime);
    }

    function setOffsetToLocal(keepLocalTime) {
        if (this._isUTC) {
            this.utcOffset(0, keepLocalTime);
            this._isUTC = false;

            if (keepLocalTime) {
                this.subtract(getDateOffset(this), 'm');
            }
        }
        return this;
    }

    function setOffsetToParsedOffset() {
        if (this._tzm != null) {
            this.utcOffset(this._tzm, false, true);
        } else if (typeof this._i === 'string') {
            var tZone = offsetFromString(matchOffset, this._i);
            if (tZone != null) {
                this.utcOffset(tZone);
            } else {
                this.utcOffset(0, true);
            }
        }
        return this;
    }

    function hasAlignedHourOffset(input) {
        if (!this.isValid()) {
            return false;
        }
        input = input ? createLocal(input).utcOffset() : 0;

        return (this.utcOffset() - input) % 60 === 0;
    }

    function isDaylightSavingTime() {
        return (
            this.utcOffset() > this.clone().month(0).utcOffset() ||
            this.utcOffset() > this.clone().month(5).utcOffset()
        );
    }

    function isDaylightSavingTimeShifted() {
        if (!isUndefined(this._isDSTShifted)) {
            return this._isDSTShifted;
        }

        var c = {},
            other;

        copyConfig(c, this);
        c = prepareConfig(c);

        if (c._a) {
            other = c._isUTC ? createUTC(c._a) : createLocal(c._a);
            this._isDSTShifted =
                this.isValid() && compareArrays(c._a, other.toArray()) > 0;
        } else {
            this._isDSTShifted = false;
        }

        return this._isDSTShifted;
    }

    function isLocal() {
        return this.isValid() ? !this._isUTC : false;
    }

    function isUtcOffset() {
        return this.isValid() ? this._isUTC : false;
    }

    function isUtc() {
        return this.isValid() ? this._isUTC && this._offset === 0 : false;
    }

    // ASP.NET json date format regex
    var aspNetRegex = /^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/,
        // from http://docs.closure-library.googlecode.com/git/closure_goog_date_date.js.source.html
        // somewhat more in line with 4.4.3.2 2004 spec, but allows decimal anywhere
        // and further modified to allow for strings containing both week and day
        isoRegex =
            /^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;

    function createDuration(input, key) {
        var duration = input,
            // matching against regexp is expensive, do it on demand
            match = null,
            sign,
            ret,
            diffRes;

        if (isDuration(input)) {
            duration = {
                ms: input._milliseconds,
                d: input._days,
                M: input._months,
            };
        } else if (isNumber(input) || !isNaN(+input)) {
            duration = {};
            if (key) {
                duration[key] = +input;
            } else {
                duration.milliseconds = +input;
            }
        } else if ((match = aspNetRegex.exec(input))) {
            sign = match[1] === '-' ? -1 : 1;
            duration = {
                y: 0,
                d: toInt(match[DATE]) * sign,
                h: toInt(match[HOUR]) * sign,
                m: toInt(match[MINUTE]) * sign,
                s: toInt(match[SECOND]) * sign,
                ms: toInt(absRound(match[MILLISECOND] * 1000)) * sign, // the millisecond decimal point is included in the match
            };
        } else if ((match = isoRegex.exec(input))) {
            sign = match[1] === '-' ? -1 : 1;
            duration = {
                y: parseIso(match[2], sign),
                M: parseIso(match[3], sign),
                w: parseIso(match[4], sign),
                d: parseIso(match[5], sign),
                h: parseIso(match[6], sign),
                m: parseIso(match[7], sign),
                s: parseIso(match[8], sign),
            };
        } else if (duration == null) {
            // checks for null or undefined
            duration = {};
        } else if (
            typeof duration === 'object' &&
            ('from' in duration || 'to' in duration)
        ) {
            diffRes = momentsDifference(
                createLocal(duration.from),
                createLocal(duration.to)
            );

            duration = {};
            duration.ms = diffRes.milliseconds;
            duration.M = diffRes.months;
        }

        ret = new Duration(duration);

        if (isDuration(input) && hasOwnProp(input, '_locale')) {
            ret._locale = input._locale;
        }

        if (isDuration(input) && hasOwnProp(input, '_isValid')) {
            ret._isValid = input._isValid;
        }

        return ret;
    }

    createDuration.fn = Duration.prototype;
    createDuration.invalid = createInvalid$1;

    function parseIso(inp, sign) {
        // We'd normally use ~~inp for this, but unfortunately it also
        // converts floats to ints.
        // inp may be undefined, so careful calling replace on it.
        var res = inp && parseFloat(inp.replace(',', '.'));
        // apply sign while we're at it
        return (isNaN(res) ? 0 : res) * sign;
    }

    function positiveMomentsDifference(base, other) {
        var res = {};

        res.months =
            other.month() - base.month() + (other.year() - base.year()) * 12;
        if (base.clone().add(res.months, 'M').isAfter(other)) {
            --res.months;
        }

        res.milliseconds = +other - +base.clone().add(res.months, 'M');

        return res;
    }

    function momentsDifference(base, other) {
        var res;
        if (!(base.isValid() && other.isValid())) {
            return { milliseconds: 0, months: 0 };
        }

        other = cloneWithOffset(other, base);
        if (base.isBefore(other)) {
            res = positiveMomentsDifference(base, other);
        } else {
            res = positiveMomentsDifference(other, base);
            res.milliseconds = -res.milliseconds;
            res.months = -res.months;
        }

        return res;
    }

    // TODO: remove 'name' arg after deprecation is removed
    function createAdder(direction, name) {
        return function (val, period) {
            var dur, tmp;
            //invert the arguments, but complain about it
            if (period !== null && !isNaN(+period)) {
                deprecateSimple(
                    name,
                    'moment().' +
                        name +
                        '(period, number) is deprecated. Please use moment().' +
                        name +
                        '(number, period). ' +
                        'See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info.'
                );
                tmp = val;
                val = period;
                period = tmp;
            }

            dur = createDuration(val, period);
            addSubtract(this, dur, direction);
            return this;
        };
    }

    function addSubtract(mom, duration, isAdding, updateOffset) {
        var milliseconds = duration._milliseconds,
            days = absRound(duration._days),
            months = absRound(duration._months);

        if (!mom.isValid()) {
            // No op
            return;
        }

        updateOffset = updateOffset == null ? true : updateOffset;

        if (months) {
            setMonth(mom, get(mom, 'Month') + months * isAdding);
        }
        if (days) {
            set$1(mom, 'Date', get(mom, 'Date') + days * isAdding);
        }
        if (milliseconds) {
            mom._d.setTime(mom._d.valueOf() + milliseconds * isAdding);
        }
        if (updateOffset) {
            hooks.updateOffset(mom, days || months);
        }
    }

    var add = createAdder(1, 'add'),
        subtract = createAdder(-1, 'subtract');

    function isString(input) {
        return typeof input === 'string' || input instanceof String;
    }

    // type MomentInput = Moment | Date | string | number | (number | string)[] | MomentInputObject | void; // null | undefined
    function isMomentInput(input) {
        return (
            isMoment(input) ||
            isDate(input) ||
            isString(input) ||
            isNumber(input) ||
            isNumberOrStringArray(input) ||
            isMomentInputObject(input) ||
            input === null ||
            input === undefined
        );
    }

    function isMomentInputObject(input) {
        var objectTest = isObject(input) && !isObjectEmpty(input),
            propertyTest = false,
            properties = [
                'years',
                'year',
                'y',
                'months',
                'month',
                'M',
                'days',
                'day',
                'd',
                'dates',
                'date',
                'D',
                'hours',
                'hour',
                'h',
                'minutes',
                'minute',
                'm',
                'seconds',
                'second',
                's',
                'milliseconds',
                'millisecond',
                'ms',
            ],
            i,
            property,
            propertyLen = properties.length;

        for (i = 0; i < propertyLen; i += 1) {
            property = properties[i];
            propertyTest = propertyTest || hasOwnProp(input, property);
        }

        return objectTest && propertyTest;
    }

    function isNumberOrStringArray(input) {
        var arrayTest = isArray(input),
            dataTypeTest = false;
        if (arrayTest) {
            dataTypeTest =
                input.filter(function (item) {
                    return !isNumber(item) && isString(input);
                }).length === 0;
        }
        return arrayTest && dataTypeTest;
    }

    function isCalendarSpec(input) {
        var objectTest = isObject(input) && !isObjectEmpty(input),
            propertyTest = false,
            properties = [
                'sameDay',
                'nextDay',
                'lastDay',
                'nextWeek',
                'lastWeek',
                'sameElse',
            ],
            i,
            property;

        for (i = 0; i < properties.length; i += 1) {
            property = properties[i];
            propertyTest = propertyTest || hasOwnProp(input, property);
        }

        return objectTest && propertyTest;
    }

    function getCalendarFormat(myMoment, now) {
        var diff = myMoment.diff(now, 'days', true);
        return diff < -6
            ? 'sameElse'
            : diff < -1
            ? 'lastWeek'
            : diff < 0
            ? 'lastDay'
            : diff < 1
            ? 'sameDay'
            : diff < 2
            ? 'nextDay'
            : diff < 7
            ? 'nextWeek'
            : 'sameElse';
    }

    function calendar$1(time, formats) {
        // Support for single parameter, formats only overload to the calendar function
        if (arguments.length === 1) {
            if (!arguments[0]) {
                time = undefined;
                formats = undefined;
            } else if (isMomentInput(arguments[0])) {
                time = arguments[0];
                formats = undefined;
            } else if (isCalendarSpec(arguments[0])) {
                formats = arguments[0];
                time = undefined;
            }
        }
        // We want to compare the start of today, vs this.
        // Getting start-of-today depends on whether we're local/utc/offset or not.
        var now = time || createLocal(),
            sod = cloneWithOffset(now, this).startOf('day'),
            format = hooks.calendarFormat(this, sod) || 'sameElse',
            output =
                formats &&
                (isFunction(formats[format])
                    ? formats[format].call(this, now)
                    : formats[format]);

        return this.format(
            output || this.localeData().calendar(format, this, createLocal(now))
        );
    }

    function clone() {
        return new Moment(this);
    }

    function isAfter(input, units) {
        var localInput = isMoment(input) ? input : createLocal(input);
        if (!(this.isValid() && localInput.isValid())) {
            return false;
        }
        units = normalizeUnits(units) || 'millisecond';
        if (units === 'millisecond') {
            return this.valueOf() > localInput.valueOf();
        } else {
            return localInput.valueOf() < this.clone().startOf(units).valueOf();
        }
    }

    function isBefore(input, units) {
        var localInput = isMoment(input) ? input : createLocal(input);
        if (!(this.isValid() && localInput.isValid())) {
            return false;
        }
        units = normalizeUnits(units) || 'millisecond';
        if (units === 'millisecond') {
            return this.valueOf() < localInput.valueOf();
        } else {
            return this.clone().endOf(units).valueOf() < localInput.valueOf();
        }
    }

    function isBetween(from, to, units, inclusivity) {
        var localFrom = isMoment(from) ? from : createLocal(from),
            localTo = isMoment(to) ? to : createLocal(to);
        if (!(this.isValid() && localFrom.isValid() && localTo.isValid())) {
            return false;
        }
        inclusivity = inclusivity || '()';
        return (
            (inclusivity[0] === '('
                ? this.isAfter(localFrom, units)
                : !this.isBefore(localFrom, units)) &&
            (inclusivity[1] === ')'
                ? this.isBefore(localTo, units)
                : !this.isAfter(localTo, units))
        );
    }

    function isSame(input, units) {
        var localInput = isMoment(input) ? input : createLocal(input),
            inputMs;
        if (!(this.isValid() && localInput.isValid())) {
            return false;
        }
        units = normalizeUnits(units) || 'millisecond';
        if (units === 'millisecond') {
            return this.valueOf() === localInput.valueOf();
        } else {
            inputMs = localInput.valueOf();
            return (
                this.clone().startOf(units).valueOf() <= inputMs &&
                inputMs <= this.clone().endOf(units).valueOf()
            );
        }
    }

    function isSameOrAfter(input, units) {
        return this.isSame(input, units) || this.isAfter(input, units);
    }

    function isSameOrBefore(input, units) {
        return this.isSame(input, units) || this.isBefore(input, units);
    }

    function diff(input, units, asFloat) {
        var that, zoneDelta, output;

        if (!this.isValid()) {
            return NaN;
        }

        that = cloneWithOffset(input, this);

        if (!that.isValid()) {
            return NaN;
        }

        zoneDelta = (that.utcOffset() - this.utcOffset()) * 6e4;

        units = normalizeUnits(units);

        switch (units) {
            case 'year':
                output = monthDiff(this, that) / 12;
                break;
            case 'month':
                output = monthDiff(this, that);
                break;
            case 'quarter':
                output = monthDiff(this, that) / 3;
                break;
            case 'second':
                output = (this - that) / 1e3;
                break; // 1000
            case 'minute':
                output = (this - that) / 6e4;
                break; // 1000 * 60
            case 'hour':
                output = (this - that) / 36e5;
                break; // 1000 * 60 * 60
            case 'day':
                output = (this - that - zoneDelta) / 864e5;
                break; // 1000 * 60 * 60 * 24, negate dst
            case 'week':
                output = (this - that - zoneDelta) / 6048e5;
                break; // 1000 * 60 * 60 * 24 * 7, negate dst
            default:
                output = this - that;
        }

        return asFloat ? output : absFloor(output);
    }

    function monthDiff(a, b) {
        if (a.date() < b.date()) {
            // end-of-month calculations work correct when the start month has more
            // days than the end month.
            return -monthDiff(b, a);
        }
        // difference in months
        var wholeMonthDiff = (b.year() - a.year()) * 12 + (b.month() - a.month()),
            // b is in (anchor - 1 month, anchor + 1 month)
            anchor = a.clone().add(wholeMonthDiff, 'months'),
            anchor2,
            adjust;

        if (b - anchor < 0) {
            anchor2 = a.clone().add(wholeMonthDiff - 1, 'months');
            // linear across the month
            adjust = (b - anchor) / (anchor - anchor2);
        } else {
            anchor2 = a.clone().add(wholeMonthDiff + 1, 'months');
            // linear across the month
            adjust = (b - anchor) / (anchor2 - anchor);
        }

        //check for negative zero, return zero if negative zero
        return -(wholeMonthDiff + adjust) || 0;
    }

    hooks.defaultFormat = 'YYYY-MM-DDTHH:mm:ssZ';
    hooks.defaultFormatUtc = 'YYYY-MM-DDTHH:mm:ss[Z]';

    function toString() {
        return this.clone().locale('en').format('ddd MMM DD YYYY HH:mm:ss [GMT]ZZ');
    }

    function toISOString(keepOffset) {
        if (!this.isValid()) {
            return null;
        }
        var utc = keepOffset !== true,
            m = utc ? this.clone().utc() : this;
        if (m.year() < 0 || m.year() > 9999) {
            return formatMoment(
                m,
                utc
                    ? 'YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]'
                    : 'YYYYYY-MM-DD[T]HH:mm:ss.SSSZ'
            );
        }
        if (isFunction(Date.prototype.toISOString)) {
            // native implementation is ~50x faster, use it when we can
            if (utc) {
                return this.toDate().toISOString();
            } else {
                return new Date(this.valueOf() + this.utcOffset() * 60 * 1000)
                    .toISOString()
                    .replace('Z', formatMoment(m, 'Z'));
            }
        }
        return formatMoment(
            m,
            utc ? 'YYYY-MM-DD[T]HH:mm:ss.SSS[Z]' : 'YYYY-MM-DD[T]HH:mm:ss.SSSZ'
        );
    }

    /**
     * Return a human readable representation of a moment that can
     * also be evaluated to get a new moment which is the same
     *
     * @link https://nodejs.org/dist/latest/docs/api/util.html#util_custom_inspect_function_on_objects
     */
    function inspect() {
        if (!this.isValid()) {
            return 'moment.invalid(/* ' + this._i + ' */)';
        }
        var func = 'moment',
            zone = '',
            prefix,
            year,
            datetime,
            suffix;
        if (!this.isLocal()) {
            func = this.utcOffset() === 0 ? 'moment.utc' : 'moment.parseZone';
            zone = 'Z';
        }
        prefix = '[' + func + '("]';
        year = 0 <= this.year() && this.year() <= 9999 ? 'YYYY' : 'YYYYYY';
        datetime = '-MM-DD[T]HH:mm:ss.SSS';
        suffix = zone + '[")]';

        return this.format(prefix + year + datetime + suffix);
    }

    function format(inputString) {
        if (!inputString) {
            inputString = this.isUtc()
                ? hooks.defaultFormatUtc
                : hooks.defaultFormat;
        }
        var output = formatMoment(this, inputString);
        return this.localeData().postformat(output);
    }

    function from(time, withoutSuffix) {
        if (
            this.isValid() &&
            ((isMoment(time) && time.isValid()) || createLocal(time).isValid())
        ) {
            return createDuration({ to: this, from: time })
                .locale(this.locale())
                .humanize(!withoutSuffix);
        } else {
            return this.localeData().invalidDate();
        }
    }

    function fromNow(withoutSuffix) {
        return this.from(createLocal(), withoutSuffix);
    }

    function to(time, withoutSuffix) {
        if (
            this.isValid() &&
            ((isMoment(time) && time.isValid()) || createLocal(time).isValid())
        ) {
            return createDuration({ from: this, to: time })
                .locale(this.locale())
                .humanize(!withoutSuffix);
        } else {
            return this.localeData().invalidDate();
        }
    }

    function toNow(withoutSuffix) {
        return this.to(createLocal(), withoutSuffix);
    }

    // If passed a locale key, it will set the locale for this
    // instance.  Otherwise, it will return the locale configuration
    // variables for this instance.
    function locale(key) {
        var newLocaleData;

        if (key === undefined) {
            return this._locale._abbr;
        } else {
            newLocaleData = getLocale(key);
            if (newLocaleData != null) {
                this._locale = newLocaleData;
            }
            return this;
        }
    }

    var lang = deprecate(
        'moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.',
        function (key) {
            if (key === undefined) {
                return this.localeData();
            } else {
                return this.locale(key);
            }
        }
    );

    function localeData() {
        return this._locale;
    }

    var MS_PER_SECOND = 1000,
        MS_PER_MINUTE = 60 * MS_PER_SECOND,
        MS_PER_HOUR = 60 * MS_PER_MINUTE,
        MS_PER_400_YEARS = (365 * 400 + 97) * 24 * MS_PER_HOUR;

    // actual modulo - handles negative numbers (for dates before 1970):
    function mod$1(dividend, divisor) {
        return ((dividend % divisor) + divisor) % divisor;
    }

    function localStartOfDate(y, m, d) {
        // the date constructor remaps years 0-99 to 1900-1999
        if (y < 100 && y >= 0) {
            // preserve leap years using a full 400 year cycle, then reset
            return new Date(y + 400, m, d) - MS_PER_400_YEARS;
        } else {
            return new Date(y, m, d).valueOf();
        }
    }

    function utcStartOfDate(y, m, d) {
        // Date.UTC remaps years 0-99 to 1900-1999
        if (y < 100 && y >= 0) {
            // preserve leap years using a full 400 year cycle, then reset
            return Date.UTC(y + 400, m, d) - MS_PER_400_YEARS;
        } else {
            return Date.UTC(y, m, d);
        }
    }

    function startOf(units) {
        var time, startOfDate;
        units = normalizeUnits(units);
        if (units === undefined || units === 'millisecond' || !this.isValid()) {
            return this;
        }

        startOfDate = this._isUTC ? utcStartOfDate : localStartOfDate;

        switch (units) {
            case 'year':
                time = startOfDate(this.year(), 0, 1);
                break;
            case 'quarter':
                time = startOfDate(
                    this.year(),
                    this.month() - (this.month() % 3),
                    1
                );
                break;
            case 'month':
                time = startOfDate(this.year(), this.month(), 1);
                break;
            case 'week':
                time = startOfDate(
                    this.year(),
                    this.month(),
                    this.date() - this.weekday()
                );
                break;
            case 'isoWeek':
                time = startOfDate(
                    this.year(),
                    this.month(),
                    this.date() - (this.isoWeekday() - 1)
                );
                break;
            case 'day':
            case 'date':
                time = startOfDate(this.year(), this.month(), this.date());
                break;
            case 'hour':
                time = this._d.valueOf();
                time -= mod$1(
                    time + (this._isUTC ? 0 : this.utcOffset() * MS_PER_MINUTE),
                    MS_PER_HOUR
                );
                break;
            case 'minute':
                time = this._d.valueOf();
                time -= mod$1(time, MS_PER_MINUTE);
                break;
            case 'second':
                time = this._d.valueOf();
                time -= mod$1(time, MS_PER_SECOND);
                break;
        }

        this._d.setTime(time);
        hooks.updateOffset(this, true);
        return this;
    }

    function endOf(units) {
        var time, startOfDate;
        units = normalizeUnits(units);
        if (units === undefined || units === 'millisecond' || !this.isValid()) {
            return this;
        }

        startOfDate = this._isUTC ? utcStartOfDate : localStartOfDate;

        switch (units) {
            case 'year':
                time = startOfDate(this.year() + 1, 0, 1) - 1;
                break;
            case 'quarter':
                time =
                    startOfDate(
                        this.year(),
                        this.month() - (this.month() % 3) + 3,
                        1
                    ) - 1;
                break;
            case 'month':
                time = startOfDate(this.year(), this.month() + 1, 1) - 1;
                break;
            case 'week':
                time =
                    startOfDate(
                        this.year(),
                        this.month(),
                        this.date() - this.weekday() + 7
                    ) - 1;
                break;
            case 'isoWeek':
                time =
                    startOfDate(
                        this.year(),
                        this.month(),
                        this.date() - (this.isoWeekday() - 1) + 7
                    ) - 1;
                break;
            case 'day':
            case 'date':
                time = startOfDate(this.year(), this.month(), this.date() + 1) - 1;
                break;
            case 'hour':
                time = this._d.valueOf();
                time +=
                    MS_PER_HOUR -
                    mod$1(
                        time + (this._isUTC ? 0 : this.utcOffset() * MS_PER_MINUTE),
                        MS_PER_HOUR
                    ) -
                    1;
                break;
            case 'minute':
                time = this._d.valueOf();
                time += MS_PER_MINUTE - mod$1(time, MS_PER_MINUTE) - 1;
                break;
            case 'second':
                time = this._d.valueOf();
                time += MS_PER_SECOND - mod$1(time, MS_PER_SECOND) - 1;
                break;
        }

        this._d.setTime(time);
        hooks.updateOffset(this, true);
        return this;
    }

    function valueOf() {
        return this._d.valueOf() - (this._offset || 0) * 60000;
    }

    function unix() {
        return Math.floor(this.valueOf() / 1000);
    }

    function toDate() {
        return new Date(this.valueOf());
    }

    function toArray() {
        var m = this;
        return [
            m.year(),
            m.month(),
            m.date(),
            m.hour(),
            m.minute(),
            m.second(),
            m.millisecond(),
        ];
    }

    function toObject() {
        var m = this;
        return {
            years: m.year(),
            months: m.month(),
            date: m.date(),
            hours: m.hours(),
            minutes: m.minutes(),
            seconds: m.seconds(),
            milliseconds: m.milliseconds(),
        };
    }

    function toJSON() {
        // new Date(NaN).toJSON() === null
        return this.isValid() ? this.toISOString() : null;
    }

    function isValid$2() {
        return isValid(this);
    }

    function parsingFlags() {
        return extend({}, getParsingFlags(this));
    }

    function invalidAt() {
        return getParsingFlags(this).overflow;
    }

    function creationData() {
        return {
            input: this._i,
            format: this._f,
            locale: this._locale,
            isUTC: this._isUTC,
            strict: this._strict,
        };
    }

    addFormatToken('N', 0, 0, 'eraAbbr');
    addFormatToken('NN', 0, 0, 'eraAbbr');
    addFormatToken('NNN', 0, 0, 'eraAbbr');
    addFormatToken('NNNN', 0, 0, 'eraName');
    addFormatToken('NNNNN', 0, 0, 'eraNarrow');

    addFormatToken('y', ['y', 1], 'yo', 'eraYear');
    addFormatToken('y', ['yy', 2], 0, 'eraYear');
    addFormatToken('y', ['yyy', 3], 0, 'eraYear');
    addFormatToken('y', ['yyyy', 4], 0, 'eraYear');

    addRegexToken('N', matchEraAbbr);
    addRegexToken('NN', matchEraAbbr);
    addRegexToken('NNN', matchEraAbbr);
    addRegexToken('NNNN', matchEraName);
    addRegexToken('NNNNN', matchEraNarrow);

    addParseToken(
        ['N', 'NN', 'NNN', 'NNNN', 'NNNNN'],
        function (input, array, config, token) {
            var era = config._locale.erasParse(input, token, config._strict);
            if (era) {
                getParsingFlags(config).era = era;
            } else {
                getParsingFlags(config).invalidEra = input;
            }
        }
    );

    addRegexToken('y', matchUnsigned);
    addRegexToken('yy', matchUnsigned);
    addRegexToken('yyy', matchUnsigned);
    addRegexToken('yyyy', matchUnsigned);
    addRegexToken('yo', matchEraYearOrdinal);

    addParseToken(['y', 'yy', 'yyy', 'yyyy'], YEAR);
    addParseToken(['yo'], function (input, array, config, token) {
        var match;
        if (config._locale._eraYearOrdinalRegex) {
            match = input.match(config._locale._eraYearOrdinalRegex);
        }

        if (config._locale.eraYearOrdinalParse) {
            array[YEAR] = config._locale.eraYearOrdinalParse(input, match);
        } else {
            array[YEAR] = parseInt(input, 10);
        }
    });

    function localeEras(m, format) {
        var i,
            l,
            date,
            eras = this._eras || getLocale('en')._eras;
        for (i = 0, l = eras.length; i < l; ++i) {
            switch (typeof eras[i].since) {
                case 'string':
                    // truncate time
                    date = hooks(eras[i].since).startOf('day');
                    eras[i].since = date.valueOf();
                    break;
            }

            switch (typeof eras[i].until) {
                case 'undefined':
                    eras[i].until = +Infinity;
                    break;
                case 'string':
                    // truncate time
                    date = hooks(eras[i].until).startOf('day').valueOf();
                    eras[i].until = date.valueOf();
                    break;
            }
        }
        return eras;
    }

    function localeErasParse(eraName, format, strict) {
        var i,
            l,
            eras = this.eras(),
            name,
            abbr,
            narrow;
        eraName = eraName.toUpperCase();

        for (i = 0, l = eras.length; i < l; ++i) {
            name = eras[i].name.toUpperCase();
            abbr = eras[i].abbr.toUpperCase();
            narrow = eras[i].narrow.toUpperCase();

            if (strict) {
                switch (format) {
                    case 'N':
                    case 'NN':
                    case 'NNN':
                        if (abbr === eraName) {
                            return eras[i];
                        }
                        break;

                    case 'NNNN':
                        if (name === eraName) {
                            return eras[i];
                        }
                        break;

                    case 'NNNNN':
                        if (narrow === eraName) {
                            return eras[i];
                        }
                        break;
                }
            } else if ([name, abbr, narrow].indexOf(eraName) >= 0) {
                return eras[i];
            }
        }
    }

    function localeErasConvertYear(era, year) {
        var dir = era.since <= era.until ? +1 : -1;
        if (year === undefined) {
            return hooks(era.since).year();
        } else {
            return hooks(era.since).year() + (year - era.offset) * dir;
        }
    }

    function getEraName() {
        var i,
            l,
            val,
            eras = this.localeData().eras();
        for (i = 0, l = eras.length; i < l; ++i) {
            // truncate time
            val = this.clone().startOf('day').valueOf();

            if (eras[i].since <= val && val <= eras[i].until) {
                return eras[i].name;
            }
            if (eras[i].until <= val && val <= eras[i].since) {
                return eras[i].name;
            }
        }

        return '';
    }

    function getEraNarrow() {
        var i,
            l,
            val,
            eras = this.localeData().eras();
        for (i = 0, l = eras.length; i < l; ++i) {
            // truncate time
            val = this.clone().startOf('day').valueOf();

            if (eras[i].since <= val && val <= eras[i].until) {
                return eras[i].narrow;
            }
            if (eras[i].until <= val && val <= eras[i].since) {
                return eras[i].narrow;
            }
        }

        return '';
    }

    function getEraAbbr() {
        var i,
            l,
            val,
            eras = this.localeData().eras();
        for (i = 0, l = eras.length; i < l; ++i) {
            // truncate time
            val = this.clone().startOf('day').valueOf();

            if (eras[i].since <= val && val <= eras[i].until) {
                return eras[i].abbr;
            }
            if (eras[i].until <= val && val <= eras[i].since) {
                return eras[i].abbr;
            }
        }

        return '';
    }

    function getEraYear() {
        var i,
            l,
            dir,
            val,
            eras = this.localeData().eras();
        for (i = 0, l = eras.length; i < l; ++i) {
            dir = eras[i].since <= eras[i].until ? +1 : -1;

            // truncate time
            val = this.clone().startOf('day').valueOf();

            if (
                (eras[i].since <= val && val <= eras[i].until) ||
                (eras[i].until <= val && val <= eras[i].since)
            ) {
                return (
                    (this.year() - hooks(eras[i].since).year()) * dir +
                    eras[i].offset
                );
            }
        }

        return this.year();
    }

    function erasNameRegex(isStrict) {
        if (!hasOwnProp(this, '_erasNameRegex')) {
            computeErasParse.call(this);
        }
        return isStrict ? this._erasNameRegex : this._erasRegex;
    }

    function erasAbbrRegex(isStrict) {
        if (!hasOwnProp(this, '_erasAbbrRegex')) {
            computeErasParse.call(this);
        }
        return isStrict ? this._erasAbbrRegex : this._erasRegex;
    }

    function erasNarrowRegex(isStrict) {
        if (!hasOwnProp(this, '_erasNarrowRegex')) {
            computeErasParse.call(this);
        }
        return isStrict ? this._erasNarrowRegex : this._erasRegex;
    }

    function matchEraAbbr(isStrict, locale) {
        return locale.erasAbbrRegex(isStrict);
    }

    function matchEraName(isStrict, locale) {
        return locale.erasNameRegex(isStrict);
    }

    function matchEraNarrow(isStrict, locale) {
        return locale.erasNarrowRegex(isStrict);
    }

    function matchEraYearOrdinal(isStrict, locale) {
        return locale._eraYearOrdinalRegex || matchUnsigned;
    }

    function computeErasParse() {
        var abbrPieces = [],
            namePieces = [],
            narrowPieces = [],
            mixedPieces = [],
            i,
            l,
            eras = this.eras();

        for (i = 0, l = eras.length; i < l; ++i) {
            namePieces.push(regexEscape(eras[i].name));
            abbrPieces.push(regexEscape(eras[i].abbr));
            narrowPieces.push(regexEscape(eras[i].narrow));

            mixedPieces.push(regexEscape(eras[i].name));
            mixedPieces.push(regexEscape(eras[i].abbr));
            mixedPieces.push(regexEscape(eras[i].narrow));
        }

        this._erasRegex = new RegExp('^(' + mixedPieces.join('|') + ')', 'i');
        this._erasNameRegex = new RegExp('^(' + namePieces.join('|') + ')', 'i');
        this._erasAbbrRegex = new RegExp('^(' + abbrPieces.join('|') + ')', 'i');
        this._erasNarrowRegex = new RegExp(
            '^(' + narrowPieces.join('|') + ')',
            'i'
        );
    }

    // FORMATTING

    addFormatToken(0, ['gg', 2], 0, function () {
        return this.weekYear() % 100;
    });

    addFormatToken(0, ['GG', 2], 0, function () {
        return this.isoWeekYear() % 100;
    });

    function addWeekYearFormatToken(token, getter) {
        addFormatToken(0, [token, token.length], 0, getter);
    }

    addWeekYearFormatToken('gggg', 'weekYear');
    addWeekYearFormatToken('ggggg', 'weekYear');
    addWeekYearFormatToken('GGGG', 'isoWeekYear');
    addWeekYearFormatToken('GGGGG', 'isoWeekYear');

    // ALIASES

    addUnitAlias('weekYear', 'gg');
    addUnitAlias('isoWeekYear', 'GG');

    // PRIORITY

    addUnitPriority('weekYear', 1);
    addUnitPriority('isoWeekYear', 1);

    // PARSING

    addRegexToken('G', matchSigned);
    addRegexToken('g', matchSigned);
    addRegexToken('GG', match1to2, match2);
    addRegexToken('gg', match1to2, match2);
    addRegexToken('GGGG', match1to4, match4);
    addRegexToken('gggg', match1to4, match4);
    addRegexToken('GGGGG', match1to6, match6);
    addRegexToken('ggggg', match1to6, match6);

    addWeekParseToken(
        ['gggg', 'ggggg', 'GGGG', 'GGGGG'],
        function (input, week, config, token) {
            week[token.substr(0, 2)] = toInt(input);
        }
    );

    addWeekParseToken(['gg', 'GG'], function (input, week, config, token) {
        week[token] = hooks.parseTwoDigitYear(input);
    });

    // MOMENTS

    function getSetWeekYear(input) {
        return getSetWeekYearHelper.call(
            this,
            input,
            this.week(),
            this.weekday(),
            this.localeData()._week.dow,
            this.localeData()._week.doy
        );
    }

    function getSetISOWeekYear(input) {
        return getSetWeekYearHelper.call(
            this,
            input,
            this.isoWeek(),
            this.isoWeekday(),
            1,
            4
        );
    }

    function getISOWeeksInYear() {
        return weeksInYear(this.year(), 1, 4);
    }

    function getISOWeeksInISOWeekYear() {
        return weeksInYear(this.isoWeekYear(), 1, 4);
    }

    function getWeeksInYear() {
        var weekInfo = this.localeData()._week;
        return weeksInYear(this.year(), weekInfo.dow, weekInfo.doy);
    }

    function getWeeksInWeekYear() {
        var weekInfo = this.localeData()._week;
        return weeksInYear(this.weekYear(), weekInfo.dow, weekInfo.doy);
    }

    function getSetWeekYearHelper(input, week, weekday, dow, doy) {
        var weeksTarget;
        if (input == null) {
            return weekOfYear(this, dow, doy).year;
        } else {
            weeksTarget = weeksInYear(input, dow, doy);
            if (week > weeksTarget) {
                week = weeksTarget;
            }
            return setWeekAll.call(this, input, week, weekday, dow, doy);
        }
    }

    function setWeekAll(weekYear, week, weekday, dow, doy) {
        var dayOfYearData = dayOfYearFromWeeks(weekYear, week, weekday, dow, doy),
            date = createUTCDate(dayOfYearData.year, 0, dayOfYearData.dayOfYear);

        this.year(date.getUTCFullYear());
        this.month(date.getUTCMonth());
        this.date(date.getUTCDate());
        return this;
    }

    // FORMATTING

    addFormatToken('Q', 0, 'Qo', 'quarter');

    // ALIASES

    addUnitAlias('quarter', 'Q');

    // PRIORITY

    addUnitPriority('quarter', 7);

    // PARSING

    addRegexToken('Q', match1);
    addParseToken('Q', function (input, array) {
        array[MONTH] = (toInt(input) - 1) * 3;
    });

    // MOMENTS

    function getSetQuarter(input) {
        return input == null
            ? Math.ceil((this.month() + 1) / 3)
            : this.month((input - 1) * 3 + (this.month() % 3));
    }

    // FORMATTING

    addFormatToken('D', ['DD', 2], 'Do', 'date');

    // ALIASES

    addUnitAlias('date', 'D');

    // PRIORITY
    addUnitPriority('date', 9);

    // PARSING

    addRegexToken('D', match1to2);
    addRegexToken('DD', match1to2, match2);
    addRegexToken('Do', function (isStrict, locale) {
        // TODO: Remove "ordinalParse" fallback in next major release.
        return isStrict
            ? locale._dayOfMonthOrdinalParse || locale._ordinalParse
            : locale._dayOfMonthOrdinalParseLenient;
    });

    addParseToken(['D', 'DD'], DATE);
    addParseToken('Do', function (input, array) {
        array[DATE] = toInt(input.match(match1to2)[0]);
    });

    // MOMENTS

    var getSetDayOfMonth = makeGetSet('Date', true);

    // FORMATTING

    addFormatToken('DDD', ['DDDD', 3], 'DDDo', 'dayOfYear');

    // ALIASES

    addUnitAlias('dayOfYear', 'DDD');

    // PRIORITY
    addUnitPriority('dayOfYear', 4);

    // PARSING

    addRegexToken('DDD', match1to3);
    addRegexToken('DDDD', match3);
    addParseToken(['DDD', 'DDDD'], function (input, array, config) {
        config._dayOfYear = toInt(input);
    });

    // HELPERS

    // MOMENTS

    function getSetDayOfYear(input) {
        var dayOfYear =
            Math.round(
                (this.clone().startOf('day') - this.clone().startOf('year')) / 864e5
            ) + 1;
        return input == null ? dayOfYear : this.add(input - dayOfYear, 'd');
    }

    // FORMATTING

    addFormatToken('m', ['mm', 2], 0, 'minute');

    // ALIASES

    addUnitAlias('minute', 'm');

    // PRIORITY

    addUnitPriority('minute', 14);

    // PARSING

    addRegexToken('m', match1to2);
    addRegexToken('mm', match1to2, match2);
    addParseToken(['m', 'mm'], MINUTE);

    // MOMENTS

    var getSetMinute = makeGetSet('Minutes', false);

    // FORMATTING

    addFormatToken('s', ['ss', 2], 0, 'second');

    // ALIASES

    addUnitAlias('second', 's');

    // PRIORITY

    addUnitPriority('second', 15);

    // PARSING

    addRegexToken('s', match1to2);
    addRegexToken('ss', match1to2, match2);
    addParseToken(['s', 'ss'], SECOND);

    // MOMENTS

    var getSetSecond = makeGetSet('Seconds', false);

    // FORMATTING

    addFormatToken('S', 0, 0, function () {
        return ~~(this.millisecond() / 100);
    });

    addFormatToken(0, ['SS', 2], 0, function () {
        return ~~(this.millisecond() / 10);
    });

    addFormatToken(0, ['SSS', 3], 0, 'millisecond');
    addFormatToken(0, ['SSSS', 4], 0, function () {
        return this.millisecond() * 10;
    });
    addFormatToken(0, ['SSSSS', 5], 0, function () {
        return this.millisecond() * 100;
    });
    addFormatToken(0, ['SSSSSS', 6], 0, function () {
        return this.millisecond() * 1000;
    });
    addFormatToken(0, ['SSSSSSS', 7], 0, function () {
        return this.millisecond() * 10000;
    });
    addFormatToken(0, ['SSSSSSSS', 8], 0, function () {
        return this.millisecond() * 100000;
    });
    addFormatToken(0, ['SSSSSSSSS', 9], 0, function () {
        return this.millisecond() * 1000000;
    });

    // ALIASES

    addUnitAlias('millisecond', 'ms');

    // PRIORITY

    addUnitPriority('millisecond', 16);

    // PARSING

    addRegexToken('S', match1to3, match1);
    addRegexToken('SS', match1to3, match2);
    addRegexToken('SSS', match1to3, match3);

    var token, getSetMillisecond;
    for (token = 'SSSS'; token.length <= 9; token += 'S') {
        addRegexToken(token, matchUnsigned);
    }

    function parseMs(input, array) {
        array[MILLISECOND] = toInt(('0.' + input) * 1000);
    }

    for (token = 'S'; token.length <= 9; token += 'S') {
        addParseToken(token, parseMs);
    }

    getSetMillisecond = makeGetSet('Milliseconds', false);

    // FORMATTING

    addFormatToken('z', 0, 0, 'zoneAbbr');
    addFormatToken('zz', 0, 0, 'zoneName');

    // MOMENTS

    function getZoneAbbr() {
        return this._isUTC ? 'UTC' : '';
    }

    function getZoneName() {
        return this._isUTC ? 'Coordinated Universal Time' : '';
    }

    var proto = Moment.prototype;

    proto.add = add;
    proto.calendar = calendar$1;
    proto.clone = clone;
    proto.diff = diff;
    proto.endOf = endOf;
    proto.format = format;
    proto.from = from;
    proto.fromNow = fromNow;
    proto.to = to;
    proto.toNow = toNow;
    proto.get = stringGet;
    proto.invalidAt = invalidAt;
    proto.isAfter = isAfter;
    proto.isBefore = isBefore;
    proto.isBetween = isBetween;
    proto.isSame = isSame;
    proto.isSameOrAfter = isSameOrAfter;
    proto.isSameOrBefore = isSameOrBefore;
    proto.isValid = isValid$2;
    proto.lang = lang;
    proto.locale = locale;
    proto.localeData = localeData;
    proto.max = prototypeMax;
    proto.min = prototypeMin;
    proto.parsingFlags = parsingFlags;
    proto.set = stringSet;
    proto.startOf = startOf;
    proto.subtract = subtract;
    proto.toArray = toArray;
    proto.toObject = toObject;
    proto.toDate = toDate;
    proto.toISOString = toISOString;
    proto.inspect = inspect;
    if (typeof Symbol !== 'undefined' && Symbol.for != null) {
        proto[Symbol.for('nodejs.util.inspect.custom')] = function () {
            return 'Moment<' + this.format() + '>';
        };
    }
    proto.toJSON = toJSON;
    proto.toString = toString;
    proto.unix = unix;
    proto.valueOf = valueOf;
    proto.creationData = creationData;
    proto.eraName = getEraName;
    proto.eraNarrow = getEraNarrow;
    proto.eraAbbr = getEraAbbr;
    proto.eraYear = getEraYear;
    proto.year = getSetYear;
    proto.isLeapYear = getIsLeapYear;
    proto.weekYear = getSetWeekYear;
    proto.isoWeekYear = getSetISOWeekYear;
    proto.quarter = proto.quarters = getSetQuarter;
    proto.month = getSetMonth;
    proto.daysInMonth = getDaysInMonth;
    proto.week = proto.weeks = getSetWeek;
    proto.isoWeek = proto.isoWeeks = getSetISOWeek;
    proto.weeksInYear = getWeeksInYear;
    proto.weeksInWeekYear = getWeeksInWeekYear;
    proto.isoWeeksInYear = getISOWeeksInYear;
    proto.isoWeeksInISOWeekYear = getISOWeeksInISOWeekYear;
    proto.date = getSetDayOfMonth;
    proto.day = proto.days = getSetDayOfWeek;
    proto.weekday = getSetLocaleDayOfWeek;
    proto.isoWeekday = getSetISODayOfWeek;
    proto.dayOfYear = getSetDayOfYear;
    proto.hour = proto.hours = getSetHour;
    proto.minute = proto.minutes = getSetMinute;
    proto.second = proto.seconds = getSetSecond;
    proto.millisecond = proto.milliseconds = getSetMillisecond;
    proto.utcOffset = getSetOffset;
    proto.utc = setOffsetToUTC;
    proto.local = setOffsetToLocal;
    proto.parseZone = setOffsetToParsedOffset;
    proto.hasAlignedHourOffset = hasAlignedHourOffset;
    proto.isDST = isDaylightSavingTime;
    proto.isLocal = isLocal;
    proto.isUtcOffset = isUtcOffset;
    proto.isUtc = isUtc;
    proto.isUTC = isUtc;
    proto.zoneAbbr = getZoneAbbr;
    proto.zoneName = getZoneName;
    proto.dates = deprecate(
        'dates accessor is deprecated. Use date instead.',
        getSetDayOfMonth
    );
    proto.months = deprecate(
        'months accessor is deprecated. Use month instead',
        getSetMonth
    );
    proto.years = deprecate(
        'years accessor is deprecated. Use year instead',
        getSetYear
    );
    proto.zone = deprecate(
        'moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/',
        getSetZone
    );
    proto.isDSTShifted = deprecate(
        'isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information',
        isDaylightSavingTimeShifted
    );

    function createUnix(input) {
        return createLocal(input * 1000);
    }

    function createInZone() {
        return createLocal.apply(null, arguments).parseZone();
    }

    function preParsePostFormat(string) {
        return string;
    }

    var proto$1 = Locale.prototype;

    proto$1.calendar = calendar;
    proto$1.longDateFormat = longDateFormat;
    proto$1.invalidDate = invalidDate;
    proto$1.ordinal = ordinal;
    proto$1.preparse = preParsePostFormat;
    proto$1.postformat = preParsePostFormat;
    proto$1.relativeTime = relativeTime;
    proto$1.pastFuture = pastFuture;
    proto$1.set = set;
    proto$1.eras = localeEras;
    proto$1.erasParse = localeErasParse;
    proto$1.erasConvertYear = localeErasConvertYear;
    proto$1.erasAbbrRegex = erasAbbrRegex;
    proto$1.erasNameRegex = erasNameRegex;
    proto$1.erasNarrowRegex = erasNarrowRegex;

    proto$1.months = localeMonths;
    proto$1.monthsShort = localeMonthsShort;
    proto$1.monthsParse = localeMonthsParse;
    proto$1.monthsRegex = monthsRegex;
    proto$1.monthsShortRegex = monthsShortRegex;
    proto$1.week = localeWeek;
    proto$1.firstDayOfYear = localeFirstDayOfYear;
    proto$1.firstDayOfWeek = localeFirstDayOfWeek;

    proto$1.weekdays = localeWeekdays;
    proto$1.weekdaysMin = localeWeekdaysMin;
    proto$1.weekdaysShort = localeWeekdaysShort;
    proto$1.weekdaysParse = localeWeekdaysParse;

    proto$1.weekdaysRegex = weekdaysRegex;
    proto$1.weekdaysShortRegex = weekdaysShortRegex;
    proto$1.weekdaysMinRegex = weekdaysMinRegex;

    proto$1.isPM = localeIsPM;
    proto$1.meridiem = localeMeridiem;

    function get$1(format, index, field, setter) {
        var locale = getLocale(),
            utc = createUTC().set(setter, index);
        return locale[field](utc, format);
    }

    function listMonthsImpl(format, index, field) {
        if (isNumber(format)) {
            index = format;
            format = undefined;
        }

        format = format || '';

        if (index != null) {
            return get$1(format, index, field, 'month');
        }

        var i,
            out = [];
        for (i = 0; i < 12; i++) {
            out[i] = get$1(format, i, field, 'month');
        }
        return out;
    }

    // ()
    // (5)
    // (fmt, 5)
    // (fmt)
    // (true)
    // (true, 5)
    // (true, fmt, 5)
    // (true, fmt)
    function listWeekdaysImpl(localeSorted, format, index, field) {
        if (typeof localeSorted === 'boolean') {
            if (isNumber(format)) {
                index = format;
                format = undefined;
            }

            format = format || '';
        } else {
            format = localeSorted;
            index = format;
            localeSorted = false;

            if (isNumber(format)) {
                index = format;
                format = undefined;
            }

            format = format || '';
        }

        var locale = getLocale(),
            shift = localeSorted ? locale._week.dow : 0,
            i,
            out = [];

        if (index != null) {
            return get$1(format, (index + shift) % 7, field, 'day');
        }

        for (i = 0; i < 7; i++) {
            out[i] = get$1(format, (i + shift) % 7, field, 'day');
        }
        return out;
    }

    function listMonths(format, index) {
        return listMonthsImpl(format, index, 'months');
    }

    function listMonthsShort(format, index) {
        return listMonthsImpl(format, index, 'monthsShort');
    }

    function listWeekdays(localeSorted, format, index) {
        return listWeekdaysImpl(localeSorted, format, index, 'weekdays');
    }

    function listWeekdaysShort(localeSorted, format, index) {
        return listWeekdaysImpl(localeSorted, format, index, 'weekdaysShort');
    }

    function listWeekdaysMin(localeSorted, format, index) {
        return listWeekdaysImpl(localeSorted, format, index, 'weekdaysMin');
    }

    getSetGlobalLocale('en', {
        eras: [
            {
                since: '0001-01-01',
                until: +Infinity,
                offset: 1,
                name: 'Anno Domini',
                narrow: 'AD',
                abbr: 'AD',
            },
            {
                since: '0000-12-31',
                until: -Infinity,
                offset: 1,
                name: 'Before Christ',
                narrow: 'BC',
                abbr: 'BC',
            },
        ],
        dayOfMonthOrdinalParse: /\d{1,2}(th|st|nd|rd)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    toInt((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
    });

    // Side effect imports

    hooks.lang = deprecate(
        'moment.lang is deprecated. Use moment.locale instead.',
        getSetGlobalLocale
    );
    hooks.langData = deprecate(
        'moment.langData is deprecated. Use moment.localeData instead.',
        getLocale
    );

    var mathAbs = Math.abs;

    function abs() {
        var data = this._data;

        this._milliseconds = mathAbs(this._milliseconds);
        this._days = mathAbs(this._days);
        this._months = mathAbs(this._months);

        data.milliseconds = mathAbs(data.milliseconds);
        data.seconds = mathAbs(data.seconds);
        data.minutes = mathAbs(data.minutes);
        data.hours = mathAbs(data.hours);
        data.months = mathAbs(data.months);
        data.years = mathAbs(data.years);

        return this;
    }

    function addSubtract$1(duration, input, value, direction) {
        var other = createDuration(input, value);

        duration._milliseconds += direction * other._milliseconds;
        duration._days += direction * other._days;
        duration._months += direction * other._months;

        return duration._bubble();
    }

    // supports only 2.0-style add(1, 's') or add(duration)
    function add$1(input, value) {
        return addSubtract$1(this, input, value, 1);
    }

    // supports only 2.0-style subtract(1, 's') or subtract(duration)
    function subtract$1(input, value) {
        return addSubtract$1(this, input, value, -1);
    }

    function absCeil(number) {
        if (number < 0) {
            return Math.floor(number);
        } else {
            return Math.ceil(number);
        }
    }

    function bubble() {
        var milliseconds = this._milliseconds,
            days = this._days,
            months = this._months,
            data = this._data,
            seconds,
            minutes,
            hours,
            years,
            monthsFromDays;

        // if we have a mix of positive and negative values, bubble down first
        // check: https://github.com/moment/moment/issues/2166
        if (
            !(
                (milliseconds >= 0 && days >= 0 && months >= 0) ||
                (milliseconds <= 0 && days <= 0 && months <= 0)
            )
        ) {
            milliseconds += absCeil(monthsToDays(months) + days) * 864e5;
            days = 0;
            months = 0;
        }

        // The following code bubbles up values, see the tests for
        // examples of what that means.
        data.milliseconds = milliseconds % 1000;

        seconds = absFloor(milliseconds / 1000);
        data.seconds = seconds % 60;

        minutes = absFloor(seconds / 60);
        data.minutes = minutes % 60;

        hours = absFloor(minutes / 60);
        data.hours = hours % 24;

        days += absFloor(hours / 24);

        // convert days to months
        monthsFromDays = absFloor(daysToMonths(days));
        months += monthsFromDays;
        days -= absCeil(monthsToDays(monthsFromDays));

        // 12 months -> 1 year
        years = absFloor(months / 12);
        months %= 12;

        data.days = days;
        data.months = months;
        data.years = years;

        return this;
    }

    function daysToMonths(days) {
        // 400 years have 146097 days (taking into account leap year rules)
        // 400 years have 12 months === 4800
        return (days * 4800) / 146097;
    }

    function monthsToDays(months) {
        // the reverse of daysToMonths
        return (months * 146097) / 4800;
    }

    function as(units) {
        if (!this.isValid()) {
            return NaN;
        }
        var days,
            months,
            milliseconds = this._milliseconds;

        units = normalizeUnits(units);

        if (units === 'month' || units === 'quarter' || units === 'year') {
            days = this._days + milliseconds / 864e5;
            months = this._months + daysToMonths(days);
            switch (units) {
                case 'month':
                    return months;
                case 'quarter':
                    return months / 3;
                case 'year':
                    return months / 12;
            }
        } else {
            // handle milliseconds separately because of floating point math errors (issue #1867)
            days = this._days + Math.round(monthsToDays(this._months));
            switch (units) {
                case 'week':
                    return days / 7 + milliseconds / 6048e5;
                case 'day':
                    return days + milliseconds / 864e5;
                case 'hour':
                    return days * 24 + milliseconds / 36e5;
                case 'minute':
                    return days * 1440 + milliseconds / 6e4;
                case 'second':
                    return days * 86400 + milliseconds / 1000;
                // Math.floor prevents floating point math errors here
                case 'millisecond':
                    return Math.floor(days * 864e5) + milliseconds;
                default:
                    throw new Error('Unknown unit ' + units);
            }
        }
    }

    // TODO: Use this.as('ms')?
    function valueOf$1() {
        if (!this.isValid()) {
            return NaN;
        }
        return (
            this._milliseconds +
            this._days * 864e5 +
            (this._months % 12) * 2592e6 +
            toInt(this._months / 12) * 31536e6
        );
    }

    function makeAs(alias) {
        return function () {
            return this.as(alias);
        };
    }

    var asMilliseconds = makeAs('ms'),
        asSeconds = makeAs('s'),
        asMinutes = makeAs('m'),
        asHours = makeAs('h'),
        asDays = makeAs('d'),
        asWeeks = makeAs('w'),
        asMonths = makeAs('M'),
        asQuarters = makeAs('Q'),
        asYears = makeAs('y');

    function clone$1() {
        return createDuration(this);
    }

    function get$2(units) {
        units = normalizeUnits(units);
        return this.isValid() ? this[units + 's']() : NaN;
    }

    function makeGetter(name) {
        return function () {
            return this.isValid() ? this._data[name] : NaN;
        };
    }

    var milliseconds = makeGetter('milliseconds'),
        seconds = makeGetter('seconds'),
        minutes = makeGetter('minutes'),
        hours = makeGetter('hours'),
        days = makeGetter('days'),
        months = makeGetter('months'),
        years = makeGetter('years');

    function weeks() {
        return absFloor(this.days() / 7);
    }

    var round = Math.round,
        thresholds = {
            ss: 44, // a few seconds to seconds
            s: 45, // seconds to minute
            m: 45, // minutes to hour
            h: 22, // hours to day
            d: 26, // days to month/week
            w: null, // weeks to month
            M: 11, // months to year
        };

    // helper function for moment.fn.from, moment.fn.fromNow, and moment.duration.fn.humanize
    function substituteTimeAgo(string, number, withoutSuffix, isFuture, locale) {
        return locale.relativeTime(number || 1, !!withoutSuffix, string, isFuture);
    }

    function relativeTime$1(posNegDuration, withoutSuffix, thresholds, locale) {
        var duration = createDuration(posNegDuration).abs(),
            seconds = round(duration.as('s')),
            minutes = round(duration.as('m')),
            hours = round(duration.as('h')),
            days = round(duration.as('d')),
            months = round(duration.as('M')),
            weeks = round(duration.as('w')),
            years = round(duration.as('y')),
            a =
                (seconds <= thresholds.ss && ['s', seconds]) ||
                (seconds < thresholds.s && ['ss', seconds]) ||
                (minutes <= 1 && ['m']) ||
                (minutes < thresholds.m && ['mm', minutes]) ||
                (hours <= 1 && ['h']) ||
                (hours < thresholds.h && ['hh', hours]) ||
                (days <= 1 && ['d']) ||
                (days < thresholds.d && ['dd', days]);

        if (thresholds.w != null) {
            a =
                a ||
                (weeks <= 1 && ['w']) ||
                (weeks < thresholds.w && ['ww', weeks]);
        }
        a = a ||
            (months <= 1 && ['M']) ||
            (months < thresholds.M && ['MM', months]) ||
            (years <= 1 && ['y']) || ['yy', years];

        a[2] = withoutSuffix;
        a[3] = +posNegDuration > 0;
        a[4] = locale;
        return substituteTimeAgo.apply(null, a);
    }

    // This function allows you to set the rounding function for relative time strings
    function getSetRelativeTimeRounding(roundingFunction) {
        if (roundingFunction === undefined) {
            return round;
        }
        if (typeof roundingFunction === 'function') {
            round = roundingFunction;
            return true;
        }
        return false;
    }

    // This function allows you to set a threshold for relative time strings
    function getSetRelativeTimeThreshold(threshold, limit) {
        if (thresholds[threshold] === undefined) {
            return false;
        }
        if (limit === undefined) {
            return thresholds[threshold];
        }
        thresholds[threshold] = limit;
        if (threshold === 's') {
            thresholds.ss = limit - 1;
        }
        return true;
    }

    function humanize(argWithSuffix, argThresholds) {
        if (!this.isValid()) {
            return this.localeData().invalidDate();
        }

        var withSuffix = false,
            th = thresholds,
            locale,
            output;

        if (typeof argWithSuffix === 'object') {
            argThresholds = argWithSuffix;
            argWithSuffix = false;
        }
        if (typeof argWithSuffix === 'boolean') {
            withSuffix = argWithSuffix;
        }
        if (typeof argThresholds === 'object') {
            th = Object.assign({}, thresholds, argThresholds);
            if (argThresholds.s != null && argThresholds.ss == null) {
                th.ss = argThresholds.s - 1;
            }
        }

        locale = this.localeData();
        output = relativeTime$1(this, !withSuffix, th, locale);

        if (withSuffix) {
            output = locale.pastFuture(+this, output);
        }

        return locale.postformat(output);
    }

    var abs$1 = Math.abs;

    function sign(x) {
        return (x > 0) - (x < 0) || +x;
    }

    function toISOString$1() {
        // for ISO strings we do not use the normal bubbling rules:
        //  * milliseconds bubble up until they become hours
        //  * days do not bubble at all
        //  * months bubble up until they become years
        // This is because there is no context-free conversion between hours and days
        // (think of clock changes)
        // and also not between days and months (28-31 days per month)
        if (!this.isValid()) {
            return this.localeData().invalidDate();
        }

        var seconds = abs$1(this._milliseconds) / 1000,
            days = abs$1(this._days),
            months = abs$1(this._months),
            minutes,
            hours,
            years,
            s,
            total = this.asSeconds(),
            totalSign,
            ymSign,
            daysSign,
            hmsSign;

        if (!total) {
            // this is the same as C#'s (Noda) and python (isodate)...
            // but not other JS (goog.date)
            return 'P0D';
        }

        // 3600 seconds -> 60 minutes -> 1 hour
        minutes = absFloor(seconds / 60);
        hours = absFloor(minutes / 60);
        seconds %= 60;
        minutes %= 60;

        // 12 months -> 1 year
        years = absFloor(months / 12);
        months %= 12;

        // inspired by https://github.com/dordille/moment-isoduration/blob/master/moment.isoduration.js
        s = seconds ? seconds.toFixed(3).replace(/\.?0+$/, '') : '';

        totalSign = total < 0 ? '-' : '';
        ymSign = sign(this._months) !== sign(total) ? '-' : '';
        daysSign = sign(this._days) !== sign(total) ? '-' : '';
        hmsSign = sign(this._milliseconds) !== sign(total) ? '-' : '';

        return (
            totalSign +
            'P' +
            (years ? ymSign + years + 'Y' : '') +
            (months ? ymSign + months + 'M' : '') +
            (days ? daysSign + days + 'D' : '') +
            (hours || minutes || seconds ? 'T' : '') +
            (hours ? hmsSign + hours + 'H' : '') +
            (minutes ? hmsSign + minutes + 'M' : '') +
            (seconds ? hmsSign + s + 'S' : '')
        );
    }

    var proto$2 = Duration.prototype;

    proto$2.isValid = isValid$1;
    proto$2.abs = abs;
    proto$2.add = add$1;
    proto$2.subtract = subtract$1;
    proto$2.as = as;
    proto$2.asMilliseconds = asMilliseconds;
    proto$2.asSeconds = asSeconds;
    proto$2.asMinutes = asMinutes;
    proto$2.asHours = asHours;
    proto$2.asDays = asDays;
    proto$2.asWeeks = asWeeks;
    proto$2.asMonths = asMonths;
    proto$2.asQuarters = asQuarters;
    proto$2.asYears = asYears;
    proto$2.valueOf = valueOf$1;
    proto$2._bubble = bubble;
    proto$2.clone = clone$1;
    proto$2.get = get$2;
    proto$2.milliseconds = milliseconds;
    proto$2.seconds = seconds;
    proto$2.minutes = minutes;
    proto$2.hours = hours;
    proto$2.days = days;
    proto$2.weeks = weeks;
    proto$2.months = months;
    proto$2.years = years;
    proto$2.humanize = humanize;
    proto$2.toISOString = toISOString$1;
    proto$2.toString = toISOString$1;
    proto$2.toJSON = toISOString$1;
    proto$2.locale = locale;
    proto$2.localeData = localeData;

    proto$2.toIsoString = deprecate(
        'toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)',
        toISOString$1
    );
    proto$2.lang = lang;

    // FORMATTING

    addFormatToken('X', 0, 0, 'unix');
    addFormatToken('x', 0, 0, 'valueOf');

    // PARSING

    addRegexToken('x', matchSigned);
    addRegexToken('X', matchTimestamp);
    addParseToken('X', function (input, array, config) {
        config._d = new Date(parseFloat(input) * 1000);
    });
    addParseToken('x', function (input, array, config) {
        config._d = new Date(toInt(input));
    });

    //! moment.js

    hooks.version = '2.29.4';

    setHookCallback(createLocal);

    hooks.fn = proto;
    hooks.min = min;
    hooks.max = max;
    hooks.now = now;
    hooks.utc = createUTC;
    hooks.unix = createUnix;
    hooks.months = listMonths;
    hooks.isDate = isDate;
    hooks.locale = getSetGlobalLocale;
    hooks.invalid = createInvalid;
    hooks.duration = createDuration;
    hooks.isMoment = isMoment;
    hooks.weekdays = listWeekdays;
    hooks.parseZone = createInZone;
    hooks.localeData = getLocale;
    hooks.isDuration = isDuration;
    hooks.monthsShort = listMonthsShort;
    hooks.weekdaysMin = listWeekdaysMin;
    hooks.defineLocale = defineLocale;
    hooks.updateLocale = updateLocale;
    hooks.locales = listLocales;
    hooks.weekdaysShort = listWeekdaysShort;
    hooks.normalizeUnits = normalizeUnits;
    hooks.relativeTimeRounding = getSetRelativeTimeRounding;
    hooks.relativeTimeThreshold = getSetRelativeTimeThreshold;
    hooks.calendarFormat = getCalendarFormat;
    hooks.prototype = proto;

    // currently HTML5 input type only supports 24-hour formats
    hooks.HTML5_FMT = {
        DATETIME_LOCAL: 'YYYY-MM-DDTHH:mm', // <input type="datetime-local" />
        DATETIME_LOCAL_SECONDS: 'YYYY-MM-DDTHH:mm:ss', // <input type="datetime-local" step="1" />
        DATETIME_LOCAL_MS: 'YYYY-MM-DDTHH:mm:ss.SSS', // <input type="datetime-local" step="0.001" />
        DATE: 'YYYY-MM-DD', // <input type="date" />
        TIME: 'HH:mm', // <input type="time" />
        TIME_SECONDS: 'HH:mm:ss', // <input type="time" step="1" />
        TIME_MS: 'HH:mm:ss.SSS', // <input type="time" step="0.001" />
        WEEK: 'GGGG-[W]WW', // <input type="week" />
        MONTH: 'YYYY-MM', // <input type="month" />
    };

    return hooks;

})));
react-jsx-runtime.js000064400000134254151334462320010477 0ustar00/*
 * ATTENTION: The "eval" devtool has been used (maybe by default in mode: "development").
 * This devtool is neither made for production nor for readable output files.
 * It uses "eval()" calls to create a separate source file in the browser devtools.
 * If you are trying to read the output file, select a different devtool (https://webpack.js.org/configuration/devtool/)
 * or disable the default devtool with "devtool: false".
 * If you are looking for production-ready output files, see mode: "production" (https://webpack.js.org/configuration/mode/).
 */
/******/ (() => { // webpackBootstrap
/******/ 	"use strict";
/******/ 	var __webpack_modules__ = ({

/***/ "./node_modules/react/cjs/react-jsx-runtime.development.js":
/*!*****************************************************************!*\
  !*** ./node_modules/react/cjs/react-jsx-runtime.development.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {

eval("/**\n * @license React\n * react-jsx-runtime.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n\n\nif (true) {\n  (function() {\n'use strict';\n\nvar React = __webpack_require__(/*! react */ \"react\");\n\n// ATTENTION\n// When adding new symbols to this file,\n// Please consider also adding to 'react-devtools-shared/src/backend/ReactSymbols'\n// The Symbol used to tag the ReactElement-like types.\nvar REACT_ELEMENT_TYPE = Symbol.for('react.element');\nvar REACT_PORTAL_TYPE = Symbol.for('react.portal');\nvar REACT_FRAGMENT_TYPE = Symbol.for('react.fragment');\nvar REACT_STRICT_MODE_TYPE = Symbol.for('react.strict_mode');\nvar REACT_PROFILER_TYPE = Symbol.for('react.profiler');\nvar REACT_PROVIDER_TYPE = Symbol.for('react.provider');\nvar REACT_CONTEXT_TYPE = Symbol.for('react.context');\nvar REACT_FORWARD_REF_TYPE = Symbol.for('react.forward_ref');\nvar REACT_SUSPENSE_TYPE = Symbol.for('react.suspense');\nvar REACT_SUSPENSE_LIST_TYPE = Symbol.for('react.suspense_list');\nvar REACT_MEMO_TYPE = Symbol.for('react.memo');\nvar REACT_LAZY_TYPE = Symbol.for('react.lazy');\nvar REACT_OFFSCREEN_TYPE = Symbol.for('react.offscreen');\nvar MAYBE_ITERATOR_SYMBOL = Symbol.iterator;\nvar FAUX_ITERATOR_SYMBOL = '@@iterator';\nfunction getIteratorFn(maybeIterable) {\n  if (maybeIterable === null || typeof maybeIterable !== 'object') {\n    return null;\n  }\n\n  var maybeIterator = MAYBE_ITERATOR_SYMBOL && maybeIterable[MAYBE_ITERATOR_SYMBOL] || maybeIterable[FAUX_ITERATOR_SYMBOL];\n\n  if (typeof maybeIterator === 'function') {\n    return maybeIterator;\n  }\n\n  return null;\n}\n\nvar ReactSharedInternals = React.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;\n\nfunction error(format) {\n  {\n    {\n      for (var _len2 = arguments.length, args = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) {\n        args[_key2 - 1] = arguments[_key2];\n      }\n\n      printWarning('error', format, args);\n    }\n  }\n}\n\nfunction printWarning(level, format, args) {\n  // When changing this logic, you might want to also\n  // update consoleWithStackDev.www.js as well.\n  {\n    var ReactDebugCurrentFrame = ReactSharedInternals.ReactDebugCurrentFrame;\n    var stack = ReactDebugCurrentFrame.getStackAddendum();\n\n    if (stack !== '') {\n      format += '%s';\n      args = args.concat([stack]);\n    } // eslint-disable-next-line react-internal/safe-string-coercion\n\n\n    var argsWithFormat = args.map(function (item) {\n      return String(item);\n    }); // Careful: RN currently depends on this prefix\n\n    argsWithFormat.unshift('Warning: ' + format); // We intentionally don't use spread (or .apply) directly because it\n    // breaks IE9: https://github.com/facebook/react/issues/13610\n    // eslint-disable-next-line react-internal/no-production-logging\n\n    Function.prototype.apply.call(console[level], console, argsWithFormat);\n  }\n}\n\n// -----------------------------------------------------------------------------\n\nvar enableScopeAPI = false; // Experimental Create Event Handle API.\nvar enableCacheElement = false;\nvar enableTransitionTracing = false; // No known bugs, but needs performance testing\n\nvar enableLegacyHidden = false; // Enables unstable_avoidThisFallback feature in Fiber\n// stuff. Intended to enable React core members to more easily debug scheduling\n// issues in DEV builds.\n\nvar enableDebugTracing = false; // Track which Fiber(s) schedule render work.\n\nvar REACT_MODULE_REFERENCE;\n\n{\n  REACT_MODULE_REFERENCE = Symbol.for('react.module.reference');\n}\n\nfunction isValidElementType(type) {\n  if (typeof type === 'string' || typeof type === 'function') {\n    return true;\n  } // Note: typeof might be other than 'symbol' or 'number' (e.g. if it's a polyfill).\n\n\n  if (type === REACT_FRAGMENT_TYPE || type === REACT_PROFILER_TYPE || enableDebugTracing  || type === REACT_STRICT_MODE_TYPE || type === REACT_SUSPENSE_TYPE || type === REACT_SUSPENSE_LIST_TYPE || enableLegacyHidden  || type === REACT_OFFSCREEN_TYPE || enableScopeAPI  || enableCacheElement  || enableTransitionTracing ) {\n    return true;\n  }\n\n  if (typeof type === 'object' && type !== null) {\n    if (type.$$typeof === REACT_LAZY_TYPE || type.$$typeof === REACT_MEMO_TYPE || type.$$typeof === REACT_PROVIDER_TYPE || type.$$typeof === REACT_CONTEXT_TYPE || type.$$typeof === REACT_FORWARD_REF_TYPE || // This needs to include all possible module reference object\n    // types supported by any Flight configuration anywhere since\n    // we don't know which Flight build this will end up being used\n    // with.\n    type.$$typeof === REACT_MODULE_REFERENCE || type.getModuleId !== undefined) {\n      return true;\n    }\n  }\n\n  return false;\n}\n\nfunction getWrappedName(outerType, innerType, wrapperName) {\n  var displayName = outerType.displayName;\n\n  if (displayName) {\n    return displayName;\n  }\n\n  var functionName = innerType.displayName || innerType.name || '';\n  return functionName !== '' ? wrapperName + \"(\" + functionName + \")\" : wrapperName;\n} // Keep in sync with react-reconciler/getComponentNameFromFiber\n\n\nfunction getContextName(type) {\n  return type.displayName || 'Context';\n} // Note that the reconciler package should generally prefer to use getComponentNameFromFiber() instead.\n\n\nfunction getComponentNameFromType(type) {\n  if (type == null) {\n    // Host root, text node or just invalid type.\n    return null;\n  }\n\n  {\n    if (typeof type.tag === 'number') {\n      error('Received an unexpected object in getComponentNameFromType(). ' + 'This is likely a bug in React. Please file an issue.');\n    }\n  }\n\n  if (typeof type === 'function') {\n    return type.displayName || type.name || null;\n  }\n\n  if (typeof type === 'string') {\n    return type;\n  }\n\n  switch (type) {\n    case REACT_FRAGMENT_TYPE:\n      return 'Fragment';\n\n    case REACT_PORTAL_TYPE:\n      return 'Portal';\n\n    case REACT_PROFILER_TYPE:\n      return 'Profiler';\n\n    case REACT_STRICT_MODE_TYPE:\n      return 'StrictMode';\n\n    case REACT_SUSPENSE_TYPE:\n      return 'Suspense';\n\n    case REACT_SUSPENSE_LIST_TYPE:\n      return 'SuspenseList';\n\n  }\n\n  if (typeof type === 'object') {\n    switch (type.$$typeof) {\n      case REACT_CONTEXT_TYPE:\n        var context = type;\n        return getContextName(context) + '.Consumer';\n\n      case REACT_PROVIDER_TYPE:\n        var provider = type;\n        return getContextName(provider._context) + '.Provider';\n\n      case REACT_FORWARD_REF_TYPE:\n        return getWrappedName(type, type.render, 'ForwardRef');\n\n      case REACT_MEMO_TYPE:\n        var outerName = type.displayName || null;\n\n        if (outerName !== null) {\n          return outerName;\n        }\n\n        return getComponentNameFromType(type.type) || 'Memo';\n\n      case REACT_LAZY_TYPE:\n        {\n          var lazyComponent = type;\n          var payload = lazyComponent._payload;\n          var init = lazyComponent._init;\n\n          try {\n            return getComponentNameFromType(init(payload));\n          } catch (x) {\n            return null;\n          }\n        }\n\n      // eslint-disable-next-line no-fallthrough\n    }\n  }\n\n  return null;\n}\n\nvar assign = Object.assign;\n\n// Helpers to patch console.logs to avoid logging during side-effect free\n// replaying on render function. This currently only patches the object\n// lazily which won't cover if the log function was extracted eagerly.\n// We could also eagerly patch the method.\nvar disabledDepth = 0;\nvar prevLog;\nvar prevInfo;\nvar prevWarn;\nvar prevError;\nvar prevGroup;\nvar prevGroupCollapsed;\nvar prevGroupEnd;\n\nfunction disabledLog() {}\n\ndisabledLog.__reactDisabledLog = true;\nfunction disableLogs() {\n  {\n    if (disabledDepth === 0) {\n      /* eslint-disable react-internal/no-production-logging */\n      prevLog = console.log;\n      prevInfo = console.info;\n      prevWarn = console.warn;\n      prevError = console.error;\n      prevGroup = console.group;\n      prevGroupCollapsed = console.groupCollapsed;\n      prevGroupEnd = console.groupEnd; // https://github.com/facebook/react/issues/19099\n\n      var props = {\n        configurable: true,\n        enumerable: true,\n        value: disabledLog,\n        writable: true\n      }; // $FlowFixMe Flow thinks console is immutable.\n\n      Object.defineProperties(console, {\n        info: props,\n        log: props,\n        warn: props,\n        error: props,\n        group: props,\n        groupCollapsed: props,\n        groupEnd: props\n      });\n      /* eslint-enable react-internal/no-production-logging */\n    }\n\n    disabledDepth++;\n  }\n}\nfunction reenableLogs() {\n  {\n    disabledDepth--;\n\n    if (disabledDepth === 0) {\n      /* eslint-disable react-internal/no-production-logging */\n      var props = {\n        configurable: true,\n        enumerable: true,\n        writable: true\n      }; // $FlowFixMe Flow thinks console is immutable.\n\n      Object.defineProperties(console, {\n        log: assign({}, props, {\n          value: prevLog\n        }),\n        info: assign({}, props, {\n          value: prevInfo\n        }),\n        warn: assign({}, props, {\n          value: prevWarn\n        }),\n        error: assign({}, props, {\n          value: prevError\n        }),\n        group: assign({}, props, {\n          value: prevGroup\n        }),\n        groupCollapsed: assign({}, props, {\n          value: prevGroupCollapsed\n        }),\n        groupEnd: assign({}, props, {\n          value: prevGroupEnd\n        })\n      });\n      /* eslint-enable react-internal/no-production-logging */\n    }\n\n    if (disabledDepth < 0) {\n      error('disabledDepth fell below zero. ' + 'This is a bug in React. Please file an issue.');\n    }\n  }\n}\n\nvar ReactCurrentDispatcher = ReactSharedInternals.ReactCurrentDispatcher;\nvar prefix;\nfunction describeBuiltInComponentFrame(name, source, ownerFn) {\n  {\n    if (prefix === undefined) {\n      // Extract the VM specific prefix used by each line.\n      try {\n        throw Error();\n      } catch (x) {\n        var match = x.stack.trim().match(/\\n( *(at )?)/);\n        prefix = match && match[1] || '';\n      }\n    } // We use the prefix to ensure our stacks line up with native stack frames.\n\n\n    return '\\n' + prefix + name;\n  }\n}\nvar reentry = false;\nvar componentFrameCache;\n\n{\n  var PossiblyWeakMap = typeof WeakMap === 'function' ? WeakMap : Map;\n  componentFrameCache = new PossiblyWeakMap();\n}\n\nfunction describeNativeComponentFrame(fn, construct) {\n  // If something asked for a stack inside a fake render, it should get ignored.\n  if ( !fn || reentry) {\n    return '';\n  }\n\n  {\n    var frame = componentFrameCache.get(fn);\n\n    if (frame !== undefined) {\n      return frame;\n    }\n  }\n\n  var control;\n  reentry = true;\n  var previousPrepareStackTrace = Error.prepareStackTrace; // $FlowFixMe It does accept undefined.\n\n  Error.prepareStackTrace = undefined;\n  var previousDispatcher;\n\n  {\n    previousDispatcher = ReactCurrentDispatcher.current; // Set the dispatcher in DEV because this might be call in the render function\n    // for warnings.\n\n    ReactCurrentDispatcher.current = null;\n    disableLogs();\n  }\n\n  try {\n    // This should throw.\n    if (construct) {\n      // Something should be setting the props in the constructor.\n      var Fake = function () {\n        throw Error();\n      }; // $FlowFixMe\n\n\n      Object.defineProperty(Fake.prototype, 'props', {\n        set: function () {\n          // We use a throwing setter instead of frozen or non-writable props\n          // because that won't throw in a non-strict mode function.\n          throw Error();\n        }\n      });\n\n      if (typeof Reflect === 'object' && Reflect.construct) {\n        // We construct a different control for this case to include any extra\n        // frames added by the construct call.\n        try {\n          Reflect.construct(Fake, []);\n        } catch (x) {\n          control = x;\n        }\n\n        Reflect.construct(fn, [], Fake);\n      } else {\n        try {\n          Fake.call();\n        } catch (x) {\n          control = x;\n        }\n\n        fn.call(Fake.prototype);\n      }\n    } else {\n      try {\n        throw Error();\n      } catch (x) {\n        control = x;\n      }\n\n      fn();\n    }\n  } catch (sample) {\n    // This is inlined manually because closure doesn't do it for us.\n    if (sample && control && typeof sample.stack === 'string') {\n      // This extracts the first frame from the sample that isn't also in the control.\n      // Skipping one frame that we assume is the frame that calls the two.\n      var sampleLines = sample.stack.split('\\n');\n      var controlLines = control.stack.split('\\n');\n      var s = sampleLines.length - 1;\n      var c = controlLines.length - 1;\n\n      while (s >= 1 && c >= 0 && sampleLines[s] !== controlLines[c]) {\n        // We expect at least one stack frame to be shared.\n        // Typically this will be the root most one. However, stack frames may be\n        // cut off due to maximum stack limits. In this case, one maybe cut off\n        // earlier than the other. We assume that the sample is longer or the same\n        // and there for cut off earlier. So we should find the root most frame in\n        // the sample somewhere in the control.\n        c--;\n      }\n\n      for (; s >= 1 && c >= 0; s--, c--) {\n        // Next we find the first one that isn't the same which should be the\n        // frame that called our sample function and the control.\n        if (sampleLines[s] !== controlLines[c]) {\n          // In V8, the first line is describing the message but other VMs don't.\n          // If we're about to return the first line, and the control is also on the same\n          // line, that's a pretty good indicator that our sample threw at same line as\n          // the control. I.e. before we entered the sample frame. So we ignore this result.\n          // This can happen if you passed a class to function component, or non-function.\n          if (s !== 1 || c !== 1) {\n            do {\n              s--;\n              c--; // We may still have similar intermediate frames from the construct call.\n              // The next one that isn't the same should be our match though.\n\n              if (c < 0 || sampleLines[s] !== controlLines[c]) {\n                // V8 adds a \"new\" prefix for native classes. Let's remove it to make it prettier.\n                var _frame = '\\n' + sampleLines[s].replace(' at new ', ' at '); // If our component frame is labeled \"<anonymous>\"\n                // but we have a user-provided \"displayName\"\n                // splice it in to make the stack more readable.\n\n\n                if (fn.displayName && _frame.includes('<anonymous>')) {\n                  _frame = _frame.replace('<anonymous>', fn.displayName);\n                }\n\n                {\n                  if (typeof fn === 'function') {\n                    componentFrameCache.set(fn, _frame);\n                  }\n                } // Return the line we found.\n\n\n                return _frame;\n              }\n            } while (s >= 1 && c >= 0);\n          }\n\n          break;\n        }\n      }\n    }\n  } finally {\n    reentry = false;\n\n    {\n      ReactCurrentDispatcher.current = previousDispatcher;\n      reenableLogs();\n    }\n\n    Error.prepareStackTrace = previousPrepareStackTrace;\n  } // Fallback to just using the name if we couldn't make it throw.\n\n\n  var name = fn ? fn.displayName || fn.name : '';\n  var syntheticFrame = name ? describeBuiltInComponentFrame(name) : '';\n\n  {\n    if (typeof fn === 'function') {\n      componentFrameCache.set(fn, syntheticFrame);\n    }\n  }\n\n  return syntheticFrame;\n}\nfunction describeFunctionComponentFrame(fn, source, ownerFn) {\n  {\n    return describeNativeComponentFrame(fn, false);\n  }\n}\n\nfunction shouldConstruct(Component) {\n  var prototype = Component.prototype;\n  return !!(prototype && prototype.isReactComponent);\n}\n\nfunction describeUnknownElementTypeFrameInDEV(type, source, ownerFn) {\n\n  if (type == null) {\n    return '';\n  }\n\n  if (typeof type === 'function') {\n    {\n      return describeNativeComponentFrame(type, shouldConstruct(type));\n    }\n  }\n\n  if (typeof type === 'string') {\n    return describeBuiltInComponentFrame(type);\n  }\n\n  switch (type) {\n    case REACT_SUSPENSE_TYPE:\n      return describeBuiltInComponentFrame('Suspense');\n\n    case REACT_SUSPENSE_LIST_TYPE:\n      return describeBuiltInComponentFrame('SuspenseList');\n  }\n\n  if (typeof type === 'object') {\n    switch (type.$$typeof) {\n      case REACT_FORWARD_REF_TYPE:\n        return describeFunctionComponentFrame(type.render);\n\n      case REACT_MEMO_TYPE:\n        // Memo may contain any component type so we recursively resolve it.\n        return describeUnknownElementTypeFrameInDEV(type.type, source, ownerFn);\n\n      case REACT_LAZY_TYPE:\n        {\n          var lazyComponent = type;\n          var payload = lazyComponent._payload;\n          var init = lazyComponent._init;\n\n          try {\n            // Lazy may contain any component type so we recursively resolve it.\n            return describeUnknownElementTypeFrameInDEV(init(payload), source, ownerFn);\n          } catch (x) {}\n        }\n    }\n  }\n\n  return '';\n}\n\nvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\nvar loggedTypeFailures = {};\nvar ReactDebugCurrentFrame = ReactSharedInternals.ReactDebugCurrentFrame;\n\nfunction setCurrentlyValidatingElement(element) {\n  {\n    if (element) {\n      var owner = element._owner;\n      var stack = describeUnknownElementTypeFrameInDEV(element.type, element._source, owner ? owner.type : null);\n      ReactDebugCurrentFrame.setExtraStackFrame(stack);\n    } else {\n      ReactDebugCurrentFrame.setExtraStackFrame(null);\n    }\n  }\n}\n\nfunction checkPropTypes(typeSpecs, values, location, componentName, element) {\n  {\n    // $FlowFixMe This is okay but Flow doesn't know it.\n    var has = Function.call.bind(hasOwnProperty);\n\n    for (var typeSpecName in typeSpecs) {\n      if (has(typeSpecs, typeSpecName)) {\n        var error$1 = void 0; // Prop type validation may throw. In case they do, we don't want to\n        // fail the render phase where it didn't fail before. So we log it.\n        // After these have been cleaned up, we'll let them throw.\n\n        try {\n          // This is intentionally an invariant that gets caught. It's the same\n          // behavior as without this statement except with a better message.\n          if (typeof typeSpecs[typeSpecName] !== 'function') {\n            // eslint-disable-next-line react-internal/prod-error-codes\n            var err = Error((componentName || 'React class') + ': ' + location + ' type `' + typeSpecName + '` is invalid; ' + 'it must be a function, usually from the `prop-types` package, but received `' + typeof typeSpecs[typeSpecName] + '`.' + 'This often happens because of typos such as `PropTypes.function` instead of `PropTypes.func`.');\n            err.name = 'Invariant Violation';\n            throw err;\n          }\n\n          error$1 = typeSpecs[typeSpecName](values, typeSpecName, componentName, location, null, 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED');\n        } catch (ex) {\n          error$1 = ex;\n        }\n\n        if (error$1 && !(error$1 instanceof Error)) {\n          setCurrentlyValidatingElement(element);\n\n          error('%s: type specification of %s' + ' `%s` is invalid; the type checker ' + 'function must return `null` or an `Error` but returned a %s. ' + 'You may have forgotten to pass an argument to the type checker ' + 'creator (arrayOf, instanceOf, objectOf, oneOf, oneOfType, and ' + 'shape all require an argument).', componentName || 'React class', location, typeSpecName, typeof error$1);\n\n          setCurrentlyValidatingElement(null);\n        }\n\n        if (error$1 instanceof Error && !(error$1.message in loggedTypeFailures)) {\n          // Only monitor this failure once because there tends to be a lot of the\n          // same error.\n          loggedTypeFailures[error$1.message] = true;\n          setCurrentlyValidatingElement(element);\n\n          error('Failed %s type: %s', location, error$1.message);\n\n          setCurrentlyValidatingElement(null);\n        }\n      }\n    }\n  }\n}\n\nvar isArrayImpl = Array.isArray; // eslint-disable-next-line no-redeclare\n\nfunction isArray(a) {\n  return isArrayImpl(a);\n}\n\n/*\n * The `'' + value` pattern (used in in perf-sensitive code) throws for Symbol\n * and Temporal.* types. See https://github.com/facebook/react/pull/22064.\n *\n * The functions in this module will throw an easier-to-understand,\n * easier-to-debug exception with a clear errors message message explaining the\n * problem. (Instead of a confusing exception thrown inside the implementation\n * of the `value` object).\n */\n// $FlowFixMe only called in DEV, so void return is not possible.\nfunction typeName(value) {\n  {\n    // toStringTag is needed for namespaced types like Temporal.Instant\n    var hasToStringTag = typeof Symbol === 'function' && Symbol.toStringTag;\n    var type = hasToStringTag && value[Symbol.toStringTag] || value.constructor.name || 'Object';\n    return type;\n  }\n} // $FlowFixMe only called in DEV, so void return is not possible.\n\n\nfunction willCoercionThrow(value) {\n  {\n    try {\n      testStringCoercion(value);\n      return false;\n    } catch (e) {\n      return true;\n    }\n  }\n}\n\nfunction testStringCoercion(value) {\n  // If you ended up here by following an exception call stack, here's what's\n  // happened: you supplied an object or symbol value to React (as a prop, key,\n  // DOM attribute, CSS property, string ref, etc.) and when React tried to\n  // coerce it to a string using `'' + value`, an exception was thrown.\n  //\n  // The most common types that will cause this exception are `Symbol` instances\n  // and Temporal objects like `Temporal.Instant`. But any object that has a\n  // `valueOf` or `[Symbol.toPrimitive]` method that throws will also cause this\n  // exception. (Library authors do this to prevent users from using built-in\n  // numeric operators like `+` or comparison operators like `>=` because custom\n  // methods are needed to perform accurate arithmetic or comparison.)\n  //\n  // To fix the problem, coerce this object or symbol value to a string before\n  // passing it to React. The most reliable way is usually `String(value)`.\n  //\n  // To find which value is throwing, check the browser or debugger console.\n  // Before this exception was thrown, there should be `console.error` output\n  // that shows the type (Symbol, Temporal.PlainDate, etc.) that caused the\n  // problem and how that type was used: key, atrribute, input value prop, etc.\n  // In most cases, this console output also shows the component and its\n  // ancestor components where the exception happened.\n  //\n  // eslint-disable-next-line react-internal/safe-string-coercion\n  return '' + value;\n}\nfunction checkKeyStringCoercion(value) {\n  {\n    if (willCoercionThrow(value)) {\n      error('The provided key is an unsupported type %s.' + ' This value must be coerced to a string before before using it here.', typeName(value));\n\n      return testStringCoercion(value); // throw (to help callers find troubleshooting comments)\n    }\n  }\n}\n\nvar ReactCurrentOwner = ReactSharedInternals.ReactCurrentOwner;\nvar RESERVED_PROPS = {\n  key: true,\n  ref: true,\n  __self: true,\n  __source: true\n};\nvar specialPropKeyWarningShown;\nvar specialPropRefWarningShown;\nvar didWarnAboutStringRefs;\n\n{\n  didWarnAboutStringRefs = {};\n}\n\nfunction hasValidRef(config) {\n  {\n    if (hasOwnProperty.call(config, 'ref')) {\n      var getter = Object.getOwnPropertyDescriptor(config, 'ref').get;\n\n      if (getter && getter.isReactWarning) {\n        return false;\n      }\n    }\n  }\n\n  return config.ref !== undefined;\n}\n\nfunction hasValidKey(config) {\n  {\n    if (hasOwnProperty.call(config, 'key')) {\n      var getter = Object.getOwnPropertyDescriptor(config, 'key').get;\n\n      if (getter && getter.isReactWarning) {\n        return false;\n      }\n    }\n  }\n\n  return config.key !== undefined;\n}\n\nfunction warnIfStringRefCannotBeAutoConverted(config, self) {\n  {\n    if (typeof config.ref === 'string' && ReactCurrentOwner.current && self && ReactCurrentOwner.current.stateNode !== self) {\n      var componentName = getComponentNameFromType(ReactCurrentOwner.current.type);\n\n      if (!didWarnAboutStringRefs[componentName]) {\n        error('Component \"%s\" contains the string ref \"%s\". ' + 'Support for string refs will be removed in a future major release. ' + 'This case cannot be automatically converted to an arrow function. ' + 'We ask you to manually fix this case by using useRef() or createRef() instead. ' + 'Learn more about using refs safely here: ' + 'https://reactjs.org/link/strict-mode-string-ref', getComponentNameFromType(ReactCurrentOwner.current.type), config.ref);\n\n        didWarnAboutStringRefs[componentName] = true;\n      }\n    }\n  }\n}\n\nfunction defineKeyPropWarningGetter(props, displayName) {\n  {\n    var warnAboutAccessingKey = function () {\n      if (!specialPropKeyWarningShown) {\n        specialPropKeyWarningShown = true;\n\n        error('%s: `key` is not a prop. Trying to access it will result ' + 'in `undefined` being returned. If you need to access the same ' + 'value within the child component, you should pass it as a different ' + 'prop. (https://reactjs.org/link/special-props)', displayName);\n      }\n    };\n\n    warnAboutAccessingKey.isReactWarning = true;\n    Object.defineProperty(props, 'key', {\n      get: warnAboutAccessingKey,\n      configurable: true\n    });\n  }\n}\n\nfunction defineRefPropWarningGetter(props, displayName) {\n  {\n    var warnAboutAccessingRef = function () {\n      if (!specialPropRefWarningShown) {\n        specialPropRefWarningShown = true;\n\n        error('%s: `ref` is not a prop. Trying to access it will result ' + 'in `undefined` being returned. If you need to access the same ' + 'value within the child component, you should pass it as a different ' + 'prop. (https://reactjs.org/link/special-props)', displayName);\n      }\n    };\n\n    warnAboutAccessingRef.isReactWarning = true;\n    Object.defineProperty(props, 'ref', {\n      get: warnAboutAccessingRef,\n      configurable: true\n    });\n  }\n}\n/**\n * Factory method to create a new React element. This no longer adheres to\n * the class pattern, so do not use new to call it. Also, instanceof check\n * will not work. Instead test $$typeof field against Symbol.for('react.element') to check\n * if something is a React Element.\n *\n * @param {*} type\n * @param {*} props\n * @param {*} key\n * @param {string|object} ref\n * @param {*} owner\n * @param {*} self A *temporary* helper to detect places where `this` is\n * different from the `owner` when React.createElement is called, so that we\n * can warn. We want to get rid of owner and replace string `ref`s with arrow\n * functions, and as long as `this` and owner are the same, there will be no\n * change in behavior.\n * @param {*} source An annotation object (added by a transpiler or otherwise)\n * indicating filename, line number, and/or other information.\n * @internal\n */\n\n\nvar ReactElement = function (type, key, ref, self, source, owner, props) {\n  var element = {\n    // This tag allows us to uniquely identify this as a React Element\n    $$typeof: REACT_ELEMENT_TYPE,\n    // Built-in properties that belong on the element\n    type: type,\n    key: key,\n    ref: ref,\n    props: props,\n    // Record the component responsible for creating this element.\n    _owner: owner\n  };\n\n  {\n    // The validation flag is currently mutative. We put it on\n    // an external backing store so that we can freeze the whole object.\n    // This can be replaced with a WeakMap once they are implemented in\n    // commonly used development environments.\n    element._store = {}; // To make comparing ReactElements easier for testing purposes, we make\n    // the validation flag non-enumerable (where possible, which should\n    // include every environment we run tests in), so the test framework\n    // ignores it.\n\n    Object.defineProperty(element._store, 'validated', {\n      configurable: false,\n      enumerable: false,\n      writable: true,\n      value: false\n    }); // self and source are DEV only properties.\n\n    Object.defineProperty(element, '_self', {\n      configurable: false,\n      enumerable: false,\n      writable: false,\n      value: self\n    }); // Two elements created in two different places should be considered\n    // equal for testing purposes and therefore we hide it from enumeration.\n\n    Object.defineProperty(element, '_source', {\n      configurable: false,\n      enumerable: false,\n      writable: false,\n      value: source\n    });\n\n    if (Object.freeze) {\n      Object.freeze(element.props);\n      Object.freeze(element);\n    }\n  }\n\n  return element;\n};\n/**\n * https://github.com/reactjs/rfcs/pull/107\n * @param {*} type\n * @param {object} props\n * @param {string} key\n */\n\nfunction jsxDEV(type, config, maybeKey, source, self) {\n  {\n    var propName; // Reserved names are extracted\n\n    var props = {};\n    var key = null;\n    var ref = null; // Currently, key can be spread in as a prop. This causes a potential\n    // issue if key is also explicitly declared (ie. <div {...props} key=\"Hi\" />\n    // or <div key=\"Hi\" {...props} /> ). We want to deprecate key spread,\n    // but as an intermediary step, we will use jsxDEV for everything except\n    // <div {...props} key=\"Hi\" />, because we aren't currently able to tell if\n    // key is explicitly declared to be undefined or not.\n\n    if (maybeKey !== undefined) {\n      {\n        checkKeyStringCoercion(maybeKey);\n      }\n\n      key = '' + maybeKey;\n    }\n\n    if (hasValidKey(config)) {\n      {\n        checkKeyStringCoercion(config.key);\n      }\n\n      key = '' + config.key;\n    }\n\n    if (hasValidRef(config)) {\n      ref = config.ref;\n      warnIfStringRefCannotBeAutoConverted(config, self);\n    } // Remaining properties are added to a new props object\n\n\n    for (propName in config) {\n      if (hasOwnProperty.call(config, propName) && !RESERVED_PROPS.hasOwnProperty(propName)) {\n        props[propName] = config[propName];\n      }\n    } // Resolve default props\n\n\n    if (type && type.defaultProps) {\n      var defaultProps = type.defaultProps;\n\n      for (propName in defaultProps) {\n        if (props[propName] === undefined) {\n          props[propName] = defaultProps[propName];\n        }\n      }\n    }\n\n    if (key || ref) {\n      var displayName = typeof type === 'function' ? type.displayName || type.name || 'Unknown' : type;\n\n      if (key) {\n        defineKeyPropWarningGetter(props, displayName);\n      }\n\n      if (ref) {\n        defineRefPropWarningGetter(props, displayName);\n      }\n    }\n\n    return ReactElement(type, key, ref, self, source, ReactCurrentOwner.current, props);\n  }\n}\n\nvar ReactCurrentOwner$1 = ReactSharedInternals.ReactCurrentOwner;\nvar ReactDebugCurrentFrame$1 = ReactSharedInternals.ReactDebugCurrentFrame;\n\nfunction setCurrentlyValidatingElement$1(element) {\n  {\n    if (element) {\n      var owner = element._owner;\n      var stack = describeUnknownElementTypeFrameInDEV(element.type, element._source, owner ? owner.type : null);\n      ReactDebugCurrentFrame$1.setExtraStackFrame(stack);\n    } else {\n      ReactDebugCurrentFrame$1.setExtraStackFrame(null);\n    }\n  }\n}\n\nvar propTypesMisspellWarningShown;\n\n{\n  propTypesMisspellWarningShown = false;\n}\n/**\n * Verifies the object is a ReactElement.\n * See https://reactjs.org/docs/react-api.html#isvalidelement\n * @param {?object} object\n * @return {boolean} True if `object` is a ReactElement.\n * @final\n */\n\n\nfunction isValidElement(object) {\n  {\n    return typeof object === 'object' && object !== null && object.$$typeof === REACT_ELEMENT_TYPE;\n  }\n}\n\nfunction getDeclarationErrorAddendum() {\n  {\n    if (ReactCurrentOwner$1.current) {\n      var name = getComponentNameFromType(ReactCurrentOwner$1.current.type);\n\n      if (name) {\n        return '\\n\\nCheck the render method of `' + name + '`.';\n      }\n    }\n\n    return '';\n  }\n}\n\nfunction getSourceInfoErrorAddendum(source) {\n  {\n    if (source !== undefined) {\n      var fileName = source.fileName.replace(/^.*[\\\\\\/]/, '');\n      var lineNumber = source.lineNumber;\n      return '\\n\\nCheck your code at ' + fileName + ':' + lineNumber + '.';\n    }\n\n    return '';\n  }\n}\n/**\n * Warn if there's no key explicitly set on dynamic arrays of children or\n * object keys are not valid. This allows us to keep track of children between\n * updates.\n */\n\n\nvar ownerHasKeyUseWarning = {};\n\nfunction getCurrentComponentErrorInfo(parentType) {\n  {\n    var info = getDeclarationErrorAddendum();\n\n    if (!info) {\n      var parentName = typeof parentType === 'string' ? parentType : parentType.displayName || parentType.name;\n\n      if (parentName) {\n        info = \"\\n\\nCheck the top-level render call using <\" + parentName + \">.\";\n      }\n    }\n\n    return info;\n  }\n}\n/**\n * Warn if the element doesn't have an explicit key assigned to it.\n * This element is in an array. The array could grow and shrink or be\n * reordered. All children that haven't already been validated are required to\n * have a \"key\" property assigned to it. Error statuses are cached so a warning\n * will only be shown once.\n *\n * @internal\n * @param {ReactElement} element Element that requires a key.\n * @param {*} parentType element's parent's type.\n */\n\n\nfunction validateExplicitKey(element, parentType) {\n  {\n    if (!element._store || element._store.validated || element.key != null) {\n      return;\n    }\n\n    element._store.validated = true;\n    var currentComponentErrorInfo = getCurrentComponentErrorInfo(parentType);\n\n    if (ownerHasKeyUseWarning[currentComponentErrorInfo]) {\n      return;\n    }\n\n    ownerHasKeyUseWarning[currentComponentErrorInfo] = true; // Usually the current owner is the offender, but if it accepts children as a\n    // property, it may be the creator of the child that's responsible for\n    // assigning it a key.\n\n    var childOwner = '';\n\n    if (element && element._owner && element._owner !== ReactCurrentOwner$1.current) {\n      // Give the component that originally created this child.\n      childOwner = \" It was passed a child from \" + getComponentNameFromType(element._owner.type) + \".\";\n    }\n\n    setCurrentlyValidatingElement$1(element);\n\n    error('Each child in a list should have a unique \"key\" prop.' + '%s%s See https://reactjs.org/link/warning-keys for more information.', currentComponentErrorInfo, childOwner);\n\n    setCurrentlyValidatingElement$1(null);\n  }\n}\n/**\n * Ensure that every element either is passed in a static location, in an\n * array with an explicit keys property defined, or in an object literal\n * with valid key property.\n *\n * @internal\n * @param {ReactNode} node Statically passed child of any type.\n * @param {*} parentType node's parent's type.\n */\n\n\nfunction validateChildKeys(node, parentType) {\n  {\n    if (typeof node !== 'object') {\n      return;\n    }\n\n    if (isArray(node)) {\n      for (var i = 0; i < node.length; i++) {\n        var child = node[i];\n\n        if (isValidElement(child)) {\n          validateExplicitKey(child, parentType);\n        }\n      }\n    } else if (isValidElement(node)) {\n      // This element was passed in a valid location.\n      if (node._store) {\n        node._store.validated = true;\n      }\n    } else if (node) {\n      var iteratorFn = getIteratorFn(node);\n\n      if (typeof iteratorFn === 'function') {\n        // Entry iterators used to provide implicit keys,\n        // but now we print a separate warning for them later.\n        if (iteratorFn !== node.entries) {\n          var iterator = iteratorFn.call(node);\n          var step;\n\n          while (!(step = iterator.next()).done) {\n            if (isValidElement(step.value)) {\n              validateExplicitKey(step.value, parentType);\n            }\n          }\n        }\n      }\n    }\n  }\n}\n/**\n * Given an element, validate that its props follow the propTypes definition,\n * provided by the type.\n *\n * @param {ReactElement} element\n */\n\n\nfunction validatePropTypes(element) {\n  {\n    var type = element.type;\n\n    if (type === null || type === undefined || typeof type === 'string') {\n      return;\n    }\n\n    var propTypes;\n\n    if (typeof type === 'function') {\n      propTypes = type.propTypes;\n    } else if (typeof type === 'object' && (type.$$typeof === REACT_FORWARD_REF_TYPE || // Note: Memo only checks outer props here.\n    // Inner props are checked in the reconciler.\n    type.$$typeof === REACT_MEMO_TYPE)) {\n      propTypes = type.propTypes;\n    } else {\n      return;\n    }\n\n    if (propTypes) {\n      // Intentionally inside to avoid triggering lazy initializers:\n      var name = getComponentNameFromType(type);\n      checkPropTypes(propTypes, element.props, 'prop', name, element);\n    } else if (type.PropTypes !== undefined && !propTypesMisspellWarningShown) {\n      propTypesMisspellWarningShown = true; // Intentionally inside to avoid triggering lazy initializers:\n\n      var _name = getComponentNameFromType(type);\n\n      error('Component %s declared `PropTypes` instead of `propTypes`. Did you misspell the property assignment?', _name || 'Unknown');\n    }\n\n    if (typeof type.getDefaultProps === 'function' && !type.getDefaultProps.isReactClassApproved) {\n      error('getDefaultProps is only used on classic React.createClass ' + 'definitions. Use a static property named `defaultProps` instead.');\n    }\n  }\n}\n/**\n * Given a fragment, validate that it can only be provided with fragment props\n * @param {ReactElement} fragment\n */\n\n\nfunction validateFragmentProps(fragment) {\n  {\n    var keys = Object.keys(fragment.props);\n\n    for (var i = 0; i < keys.length; i++) {\n      var key = keys[i];\n\n      if (key !== 'children' && key !== 'key') {\n        setCurrentlyValidatingElement$1(fragment);\n\n        error('Invalid prop `%s` supplied to `React.Fragment`. ' + 'React.Fragment can only have `key` and `children` props.', key);\n\n        setCurrentlyValidatingElement$1(null);\n        break;\n      }\n    }\n\n    if (fragment.ref !== null) {\n      setCurrentlyValidatingElement$1(fragment);\n\n      error('Invalid attribute `ref` supplied to `React.Fragment`.');\n\n      setCurrentlyValidatingElement$1(null);\n    }\n  }\n}\n\nvar didWarnAboutKeySpread = {};\nfunction jsxWithValidation(type, props, key, isStaticChildren, source, self) {\n  {\n    var validType = isValidElementType(type); // We warn in this case but don't throw. We expect the element creation to\n    // succeed and there will likely be errors in render.\n\n    if (!validType) {\n      var info = '';\n\n      if (type === undefined || typeof type === 'object' && type !== null && Object.keys(type).length === 0) {\n        info += ' You likely forgot to export your component from the file ' + \"it's defined in, or you might have mixed up default and named imports.\";\n      }\n\n      var sourceInfo = getSourceInfoErrorAddendum(source);\n\n      if (sourceInfo) {\n        info += sourceInfo;\n      } else {\n        info += getDeclarationErrorAddendum();\n      }\n\n      var typeString;\n\n      if (type === null) {\n        typeString = 'null';\n      } else if (isArray(type)) {\n        typeString = 'array';\n      } else if (type !== undefined && type.$$typeof === REACT_ELEMENT_TYPE) {\n        typeString = \"<\" + (getComponentNameFromType(type.type) || 'Unknown') + \" />\";\n        info = ' Did you accidentally export a JSX literal instead of a component?';\n      } else {\n        typeString = typeof type;\n      }\n\n      error('React.jsx: type is invalid -- expected a string (for ' + 'built-in components) or a class/function (for composite ' + 'components) but got: %s.%s', typeString, info);\n    }\n\n    var element = jsxDEV(type, props, key, source, self); // The result can be nullish if a mock or a custom function is used.\n    // TODO: Drop this when these are no longer allowed as the type argument.\n\n    if (element == null) {\n      return element;\n    } // Skip key warning if the type isn't valid since our key validation logic\n    // doesn't expect a non-string/function type and can throw confusing errors.\n    // We don't want exception behavior to differ between dev and prod.\n    // (Rendering will throw with a helpful message and as soon as the type is\n    // fixed, the key warnings will appear.)\n\n\n    if (validType) {\n      var children = props.children;\n\n      if (children !== undefined) {\n        if (isStaticChildren) {\n          if (isArray(children)) {\n            for (var i = 0; i < children.length; i++) {\n              validateChildKeys(children[i], type);\n            }\n\n            if (Object.freeze) {\n              Object.freeze(children);\n            }\n          } else {\n            error('React.jsx: Static children should always be an array. ' + 'You are likely explicitly calling React.jsxs or React.jsxDEV. ' + 'Use the Babel transform instead.');\n          }\n        } else {\n          validateChildKeys(children, type);\n        }\n      }\n    }\n\n    {\n      if (hasOwnProperty.call(props, 'key')) {\n        var componentName = getComponentNameFromType(type);\n        var keys = Object.keys(props).filter(function (k) {\n          return k !== 'key';\n        });\n        var beforeExample = keys.length > 0 ? '{key: someKey, ' + keys.join(': ..., ') + ': ...}' : '{key: someKey}';\n\n        if (!didWarnAboutKeySpread[componentName + beforeExample]) {\n          var afterExample = keys.length > 0 ? '{' + keys.join(': ..., ') + ': ...}' : '{}';\n\n          error('A props object containing a \"key\" prop is being spread into JSX:\\n' + '  let props = %s;\\n' + '  <%s {...props} />\\n' + 'React keys must be passed directly to JSX without using spread:\\n' + '  let props = %s;\\n' + '  <%s key={someKey} {...props} />', beforeExample, componentName, afterExample, componentName);\n\n          didWarnAboutKeySpread[componentName + beforeExample] = true;\n        }\n      }\n    }\n\n    if (type === REACT_FRAGMENT_TYPE) {\n      validateFragmentProps(element);\n    } else {\n      validatePropTypes(element);\n    }\n\n    return element;\n  }\n} // These two functions exist to still get child warnings in dev\n// even with the prod transform. This means that jsxDEV is purely\n// opt-in behavior for better messages but that we won't stop\n// giving you warnings if you use production apis.\n\nfunction jsxWithValidationStatic(type, props, key) {\n  {\n    return jsxWithValidation(type, props, key, true);\n  }\n}\nfunction jsxWithValidationDynamic(type, props, key) {\n  {\n    return jsxWithValidation(type, props, key, false);\n  }\n}\n\nvar jsx =  jsxWithValidationDynamic ; // we may want to special case jsxs internally to take advantage of static children.\n// for now we can ship identical prod functions\n\nvar jsxs =  jsxWithValidationStatic ;\n\nexports.Fragment = REACT_FRAGMENT_TYPE;\nexports.jsx = jsx;\nexports.jsxs = jsxs;\n  })();\n}\n\n\n//# sourceURL=webpack://WordPress/./node_modules/react/cjs/react-jsx-runtime.development.js?");

/***/ }),

/***/ "./node_modules/react/jsx-runtime.js":
/*!*******************************************!*\
  !*** ./node_modules/react/jsx-runtime.js ***!
  \*******************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {

eval("\n\nif (false) {} else {\n  module.exports = __webpack_require__(/*! ./cjs/react-jsx-runtime.development.js */ \"./node_modules/react/cjs/react-jsx-runtime.development.js\");\n}\n\n\n//# sourceURL=webpack://WordPress/./node_modules/react/jsx-runtime.js?");

/***/ }),

/***/ "react":
/*!************************!*\
  !*** external "React" ***!
  \************************/
/***/ ((module) => {

module.exports = React;

/***/ })

/******/ 	});
/************************************************************************/
/******/ 	// The module cache
/******/ 	var __webpack_module_cache__ = {};
/******/ 	
/******/ 	// The require function
/******/ 	function __webpack_require__(moduleId) {
/******/ 		// Check if module is in cache
/******/ 		var cachedModule = __webpack_module_cache__[moduleId];
/******/ 		if (cachedModule !== undefined) {
/******/ 			return cachedModule.exports;
/******/ 		}
/******/ 		// Create a new module (and put it into the cache)
/******/ 		var module = __webpack_module_cache__[moduleId] = {
/******/ 			// no module.id needed
/******/ 			// no module.loaded needed
/******/ 			exports: {}
/******/ 		};
/******/ 	
/******/ 		// Execute the module function
/******/ 		__webpack_modules__[moduleId](module, module.exports, __webpack_require__);
/******/ 	
/******/ 		// Return the exports of the module
/******/ 		return module.exports;
/******/ 	}
/******/ 	
/************************************************************************/
/******/ 	
/******/ 	// startup
/******/ 	// Load entry module and return exports
/******/ 	// This entry module can't be inlined because the eval devtool is used.
/******/ 	var __webpack_exports__ = __webpack_require__("./node_modules/react/jsx-runtime.js");
/******/ 	window.ReactJSXRuntime = __webpack_exports__;
/******/ 	
/******/ })()
;wp-polyfill-url.min.js000064400000133743151334462320010760 0ustar00!function e(t,n,r){function i(o,s){if(!n[o]){if(!t[o]){var l="function"==typeof require&&require;if(!s&&l)return l(o,!0);if(a)return a(o,!0);var c=new Error("Cannot find module '"+o+"'");throw c.code="MODULE_NOT_FOUND",c}var u=n[o]={exports:{}};t[o][0].call(u.exports,(function(e){return i(t[o][1][e]||e)}),u,u.exports,e,t,n,r)}return n[o].exports}for(var a="function"==typeof require&&require,o=0;o<r.length;o++)i(r[o]);return i}({1:[function(e,t,n){t.exports=function(e){if("function"!=typeof e)throw TypeError(String(e)+" is not a function");return e}},{}],2:[function(e,t,n){var r=e("../internals/is-object");t.exports=function(e){if(!r(e)&&null!==e)throw TypeError("Can't set "+String(e)+" as a prototype");return e}},{"../internals/is-object":37}],3:[function(e,t,n){var r=e("../internals/well-known-symbol"),i=e("../internals/object-create"),a=e("../internals/object-define-property"),o=r("unscopables"),s=Array.prototype;null==s[o]&&a.f(s,o,{configurable:!0,value:i(null)}),t.exports=function(e){s[o][e]=!0}},{"../internals/object-create":45,"../internals/object-define-property":47,"../internals/well-known-symbol":77}],4:[function(e,t,n){t.exports=function(e,t,n){if(!(e instanceof t))throw TypeError("Incorrect "+(n?n+" ":"")+"invocation");return e}},{}],5:[function(e,t,n){var r=e("../internals/is-object");t.exports=function(e){if(!r(e))throw TypeError(String(e)+" is not an object");return e}},{"../internals/is-object":37}],6:[function(e,t,n){"use strict";var r=e("../internals/function-bind-context"),i=e("../internals/to-object"),a=e("../internals/call-with-safe-iteration-closing"),o=e("../internals/is-array-iterator-method"),s=e("../internals/to-length"),l=e("../internals/create-property"),c=e("../internals/get-iterator-method");t.exports=function(e){var t,n,u,f,p,h,b=i(e),d="function"==typeof this?this:Array,y=arguments.length,g=y>1?arguments[1]:void 0,v=void 0!==g,m=c(b),w=0;if(v&&(g=r(g,y>2?arguments[2]:void 0,2)),null==m||d==Array&&o(m))for(n=new d(t=s(b.length));t>w;w++)h=v?g(b[w],w):b[w],l(n,w,h);else for(p=(f=m.call(b)).next,n=new d;!(u=p.call(f)).done;w++)h=v?a(f,g,[u.value,w],!0):u.value,l(n,w,h);return n.length=w,n}},{"../internals/call-with-safe-iteration-closing":8,"../internals/create-property":16,"../internals/function-bind-context":23,"../internals/get-iterator-method":25,"../internals/is-array-iterator-method":35,"../internals/to-length":71,"../internals/to-object":72}],7:[function(e,t,n){var r=e("../internals/to-indexed-object"),i=e("../internals/to-length"),a=e("../internals/to-absolute-index"),o=function(e){return function(t,n,o){var s,l=r(t),c=i(l.length),u=a(o,c);if(e&&n!=n){for(;c>u;)if((s=l[u++])!=s)return!0}else for(;c>u;u++)if((e||u in l)&&l[u]===n)return e||u||0;return!e&&-1}};t.exports={includes:o(!0),indexOf:o(!1)}},{"../internals/to-absolute-index":68,"../internals/to-indexed-object":69,"../internals/to-length":71}],8:[function(e,t,n){var r=e("../internals/an-object");t.exports=function(e,t,n,i){try{return i?t(r(n)[0],n[1]):t(n)}catch(t){var a=e.return;throw void 0!==a&&r(a.call(e)),t}}},{"../internals/an-object":5}],9:[function(e,t,n){var r={}.toString;t.exports=function(e){return r.call(e).slice(8,-1)}},{}],10:[function(e,t,n){var r=e("../internals/to-string-tag-support"),i=e("../internals/classof-raw"),a=e("../internals/well-known-symbol")("toStringTag"),o="Arguments"==i(function(){return arguments}());t.exports=r?i:function(e){var t,n,r;return void 0===e?"Undefined":null===e?"Null":"string"==typeof(n=function(e,t){try{return e[t]}catch(e){}}(t=Object(e),a))?n:o?i(t):"Object"==(r=i(t))&&"function"==typeof t.callee?"Arguments":r}},{"../internals/classof-raw":9,"../internals/to-string-tag-support":74,"../internals/well-known-symbol":77}],11:[function(e,t,n){var r=e("../internals/has"),i=e("../internals/own-keys"),a=e("../internals/object-get-own-property-descriptor"),o=e("../internals/object-define-property");t.exports=function(e,t){for(var n=i(t),s=o.f,l=a.f,c=0;c<n.length;c++){var u=n[c];r(e,u)||s(e,u,l(t,u))}}},{"../internals/has":28,"../internals/object-define-property":47,"../internals/object-get-own-property-descriptor":48,"../internals/own-keys":56}],12:[function(e,t,n){var r=e("../internals/fails");t.exports=!r((function(){function e(){}return e.prototype.constructor=null,Object.getPrototypeOf(new e)!==e.prototype}))},{"../internals/fails":22}],13:[function(e,t,n){"use strict";var r=e("../internals/iterators-core").IteratorPrototype,i=e("../internals/object-create"),a=e("../internals/create-property-descriptor"),o=e("../internals/set-to-string-tag"),s=e("../internals/iterators"),l=function(){return this};t.exports=function(e,t,n){var c=t+" Iterator";return e.prototype=i(r,{next:a(1,n)}),o(e,c,!1,!0),s[c]=l,e}},{"../internals/create-property-descriptor":15,"../internals/iterators":40,"../internals/iterators-core":39,"../internals/object-create":45,"../internals/set-to-string-tag":62}],14:[function(e,t,n){var r=e("../internals/descriptors"),i=e("../internals/object-define-property"),a=e("../internals/create-property-descriptor");t.exports=r?function(e,t,n){return i.f(e,t,a(1,n))}:function(e,t,n){return e[t]=n,e}},{"../internals/create-property-descriptor":15,"../internals/descriptors":18,"../internals/object-define-property":47}],15:[function(e,t,n){t.exports=function(e,t){return{enumerable:!(1&e),configurable:!(2&e),writable:!(4&e),value:t}}},{}],16:[function(e,t,n){"use strict";var r=e("../internals/to-primitive"),i=e("../internals/object-define-property"),a=e("../internals/create-property-descriptor");t.exports=function(e,t,n){var o=r(t);o in e?i.f(e,o,a(0,n)):e[o]=n}},{"../internals/create-property-descriptor":15,"../internals/object-define-property":47,"../internals/to-primitive":73}],17:[function(e,t,n){"use strict";var r=e("../internals/export"),i=e("../internals/create-iterator-constructor"),a=e("../internals/object-get-prototype-of"),o=e("../internals/object-set-prototype-of"),s=e("../internals/set-to-string-tag"),l=e("../internals/create-non-enumerable-property"),c=e("../internals/redefine"),u=e("../internals/well-known-symbol"),f=e("../internals/is-pure"),p=e("../internals/iterators"),h=e("../internals/iterators-core"),b=h.IteratorPrototype,d=h.BUGGY_SAFARI_ITERATORS,y=u("iterator"),g=function(){return this};t.exports=function(e,t,n,u,h,v,m){i(n,t,u);var w,j,x,k=function(e){if(e===h&&L)return L;if(!d&&e in O)return O[e];switch(e){case"keys":case"values":case"entries":return function(){return new n(this,e)}}return function(){return new n(this)}},S=t+" Iterator",A=!1,O=e.prototype,R=O[y]||O["@@iterator"]||h&&O[h],L=!d&&R||k(h),U="Array"==t&&O.entries||R;if(U&&(w=a(U.call(new e)),b!==Object.prototype&&w.next&&(f||a(w)===b||(o?o(w,b):"function"!=typeof w[y]&&l(w,y,g)),s(w,S,!0,!0),f&&(p[S]=g))),"values"==h&&R&&"values"!==R.name&&(A=!0,L=function(){return R.call(this)}),f&&!m||O[y]===L||l(O,y,L),p[t]=L,h)if(j={values:k("values"),keys:v?L:k("keys"),entries:k("entries")},m)for(x in j)!d&&!A&&x in O||c(O,x,j[x]);else r({target:t,proto:!0,forced:d||A},j);return j}},{"../internals/create-iterator-constructor":13,"../internals/create-non-enumerable-property":14,"../internals/export":21,"../internals/is-pure":38,"../internals/iterators":40,"../internals/iterators-core":39,"../internals/object-get-prototype-of":51,"../internals/object-set-prototype-of":55,"../internals/redefine":59,"../internals/set-to-string-tag":62,"../internals/well-known-symbol":77}],18:[function(e,t,n){var r=e("../internals/fails");t.exports=!r((function(){return 7!=Object.defineProperty({},1,{get:function(){return 7}})[1]}))},{"../internals/fails":22}],19:[function(e,t,n){var r=e("../internals/global"),i=e("../internals/is-object"),a=r.document,o=i(a)&&i(a.createElement);t.exports=function(e){return o?a.createElement(e):{}}},{"../internals/global":27,"../internals/is-object":37}],20:[function(e,t,n){t.exports=["constructor","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","toLocaleString","toString","valueOf"]},{}],21:[function(e,t,n){var r=e("../internals/global"),i=e("../internals/object-get-own-property-descriptor").f,a=e("../internals/create-non-enumerable-property"),o=e("../internals/redefine"),s=e("../internals/set-global"),l=e("../internals/copy-constructor-properties"),c=e("../internals/is-forced");t.exports=function(e,t){var n,u,f,p,h,b=e.target,d=e.global,y=e.stat;if(n=d?r:y?r[b]||s(b,{}):(r[b]||{}).prototype)for(u in t){if(p=t[u],f=e.noTargetGet?(h=i(n,u))&&h.value:n[u],!c(d?u:b+(y?".":"#")+u,e.forced)&&void 0!==f){if(typeof p==typeof f)continue;l(p,f)}(e.sham||f&&f.sham)&&a(p,"sham",!0),o(n,u,p,e)}}},{"../internals/copy-constructor-properties":11,"../internals/create-non-enumerable-property":14,"../internals/global":27,"../internals/is-forced":36,"../internals/object-get-own-property-descriptor":48,"../internals/redefine":59,"../internals/set-global":61}],22:[function(e,t,n){t.exports=function(e){try{return!!e()}catch(e){return!0}}},{}],23:[function(e,t,n){var r=e("../internals/a-function");t.exports=function(e,t,n){if(r(e),void 0===t)return e;switch(n){case 0:return function(){return e.call(t)};case 1:return function(n){return e.call(t,n)};case 2:return function(n,r){return e.call(t,n,r)};case 3:return function(n,r,i){return e.call(t,n,r,i)}}return function(){return e.apply(t,arguments)}}},{"../internals/a-function":1}],24:[function(e,t,n){var r=e("../internals/path"),i=e("../internals/global"),a=function(e){return"function"==typeof e?e:void 0};t.exports=function(e,t){return arguments.length<2?a(r[e])||a(i[e]):r[e]&&r[e][t]||i[e]&&i[e][t]}},{"../internals/global":27,"../internals/path":57}],25:[function(e,t,n){var r=e("../internals/classof"),i=e("../internals/iterators"),a=e("../internals/well-known-symbol")("iterator");t.exports=function(e){if(null!=e)return e[a]||e["@@iterator"]||i[r(e)]}},{"../internals/classof":10,"../internals/iterators":40,"../internals/well-known-symbol":77}],26:[function(e,t,n){var r=e("../internals/an-object"),i=e("../internals/get-iterator-method");t.exports=function(e){var t=i(e);if("function"!=typeof t)throw TypeError(String(e)+" is not iterable");return r(t.call(e))}},{"../internals/an-object":5,"../internals/get-iterator-method":25}],27:[function(e,t,n){(function(e){var n=function(e){return e&&e.Math==Math&&e};t.exports=n("object"==typeof globalThis&&globalThis)||n("object"==typeof window&&window)||n("object"==typeof self&&self)||n("object"==typeof e&&e)||Function("return this")()}).call(this,"undefined"!=typeof global?global:"undefined"!=typeof self?self:"undefined"!=typeof window?window:{})},{}],28:[function(e,t,n){var r={}.hasOwnProperty;t.exports=function(e,t){return r.call(e,t)}},{}],29:[function(e,t,n){t.exports={}},{}],30:[function(e,t,n){var r=e("../internals/get-built-in");t.exports=r("document","documentElement")},{"../internals/get-built-in":24}],31:[function(e,t,n){var r=e("../internals/descriptors"),i=e("../internals/fails"),a=e("../internals/document-create-element");t.exports=!r&&!i((function(){return 7!=Object.defineProperty(a("div"),"a",{get:function(){return 7}}).a}))},{"../internals/descriptors":18,"../internals/document-create-element":19,"../internals/fails":22}],32:[function(e,t,n){var r=e("../internals/fails"),i=e("../internals/classof-raw"),a="".split;t.exports=r((function(){return!Object("z").propertyIsEnumerable(0)}))?function(e){return"String"==i(e)?a.call(e,""):Object(e)}:Object},{"../internals/classof-raw":9,"../internals/fails":22}],33:[function(e,t,n){var r=e("../internals/shared-store"),i=Function.toString;"function"!=typeof r.inspectSource&&(r.inspectSource=function(e){return i.call(e)}),t.exports=r.inspectSource},{"../internals/shared-store":64}],34:[function(e,t,n){var r,i,a,o=e("../internals/native-weak-map"),s=e("../internals/global"),l=e("../internals/is-object"),c=e("../internals/create-non-enumerable-property"),u=e("../internals/has"),f=e("../internals/shared-key"),p=e("../internals/hidden-keys"),h=s.WeakMap;if(o){var b=new h,d=b.get,y=b.has,g=b.set;r=function(e,t){return g.call(b,e,t),t},i=function(e){return d.call(b,e)||{}},a=function(e){return y.call(b,e)}}else{var v=f("state");p[v]=!0,r=function(e,t){return c(e,v,t),t},i=function(e){return u(e,v)?e[v]:{}},a=function(e){return u(e,v)}}t.exports={set:r,get:i,has:a,enforce:function(e){return a(e)?i(e):r(e,{})},getterFor:function(e){return function(t){var n;if(!l(t)||(n=i(t)).type!==e)throw TypeError("Incompatible receiver, "+e+" required");return n}}}},{"../internals/create-non-enumerable-property":14,"../internals/global":27,"../internals/has":28,"../internals/hidden-keys":29,"../internals/is-object":37,"../internals/native-weak-map":43,"../internals/shared-key":63}],35:[function(e,t,n){var r=e("../internals/well-known-symbol"),i=e("../internals/iterators"),a=r("iterator"),o=Array.prototype;t.exports=function(e){return void 0!==e&&(i.Array===e||o[a]===e)}},{"../internals/iterators":40,"../internals/well-known-symbol":77}],36:[function(e,t,n){var r=e("../internals/fails"),i=/#|\.prototype\./,a=function(e,t){var n=s[o(e)];return n==c||n!=l&&("function"==typeof t?r(t):!!t)},o=a.normalize=function(e){return String(e).replace(i,".").toLowerCase()},s=a.data={},l=a.NATIVE="N",c=a.POLYFILL="P";t.exports=a},{"../internals/fails":22}],37:[function(e,t,n){t.exports=function(e){return"object"==typeof e?null!==e:"function"==typeof e}},{}],38:[function(e,t,n){t.exports=!1},{}],39:[function(e,t,n){"use strict";var r,i,a,o=e("../internals/object-get-prototype-of"),s=e("../internals/create-non-enumerable-property"),l=e("../internals/has"),c=e("../internals/well-known-symbol"),u=e("../internals/is-pure"),f=c("iterator"),p=!1;[].keys&&("next"in(a=[].keys())?(i=o(o(a)))!==Object.prototype&&(r=i):p=!0),null==r&&(r={}),u||l(r,f)||s(r,f,(function(){return this})),t.exports={IteratorPrototype:r,BUGGY_SAFARI_ITERATORS:p}},{"../internals/create-non-enumerable-property":14,"../internals/has":28,"../internals/is-pure":38,"../internals/object-get-prototype-of":51,"../internals/well-known-symbol":77}],40:[function(e,t,n){arguments[4][29][0].apply(n,arguments)},{dup:29}],41:[function(e,t,n){var r=e("../internals/fails");t.exports=!!Object.getOwnPropertySymbols&&!r((function(){return!String(Symbol())}))},{"../internals/fails":22}],42:[function(e,t,n){var r=e("../internals/fails"),i=e("../internals/well-known-symbol"),a=e("../internals/is-pure"),o=i("iterator");t.exports=!r((function(){var e=new URL("b?a=1&b=2&c=3","http://a"),t=e.searchParams,n="";return e.pathname="c%20d",t.forEach((function(e,r){t.delete("b"),n+=r+e})),a&&!e.toJSON||!t.sort||"http://a/c%20d?a=1&c=3"!==e.href||"3"!==t.get("c")||"a=1"!==String(new URLSearchParams("?a=1"))||!t[o]||"a"!==new URL("https://a@b").username||"b"!==new URLSearchParams(new URLSearchParams("a=b")).get("a")||"xn--e1aybc"!==new URL("http://тест").host||"#%D0%B1"!==new URL("http://a#б").hash||"a1c3"!==n||"x"!==new URL("http://x",void 0).host}))},{"../internals/fails":22,"../internals/is-pure":38,"../internals/well-known-symbol":77}],43:[function(e,t,n){var r=e("../internals/global"),i=e("../internals/inspect-source"),a=r.WeakMap;t.exports="function"==typeof a&&/native code/.test(i(a))},{"../internals/global":27,"../internals/inspect-source":33}],44:[function(e,t,n){"use strict";var r=e("../internals/descriptors"),i=e("../internals/fails"),a=e("../internals/object-keys"),o=e("../internals/object-get-own-property-symbols"),s=e("../internals/object-property-is-enumerable"),l=e("../internals/to-object"),c=e("../internals/indexed-object"),u=Object.assign,f=Object.defineProperty;t.exports=!u||i((function(){if(r&&1!==u({b:1},u(f({},"a",{enumerable:!0,get:function(){f(this,"b",{value:3,enumerable:!1})}}),{b:2})).b)return!0;var e={},t={},n=Symbol();return e[n]=7,"abcdefghijklmnopqrst".split("").forEach((function(e){t[e]=e})),7!=u({},e)[n]||"abcdefghijklmnopqrst"!=a(u({},t)).join("")}))?function(e,t){for(var n=l(e),i=arguments.length,u=1,f=o.f,p=s.f;i>u;)for(var h,b=c(arguments[u++]),d=f?a(b).concat(f(b)):a(b),y=d.length,g=0;y>g;)h=d[g++],r&&!p.call(b,h)||(n[h]=b[h]);return n}:u},{"../internals/descriptors":18,"../internals/fails":22,"../internals/indexed-object":32,"../internals/object-get-own-property-symbols":50,"../internals/object-keys":53,"../internals/object-property-is-enumerable":54,"../internals/to-object":72}],45:[function(e,t,n){var r,i=e("../internals/an-object"),a=e("../internals/object-define-properties"),o=e("../internals/enum-bug-keys"),s=e("../internals/hidden-keys"),l=e("../internals/html"),c=e("../internals/document-create-element"),u=e("../internals/shared-key")("IE_PROTO"),f=function(){},p=function(e){return"<script>"+e+"<\/script>"},h=function(){try{r=document.domain&&new ActiveXObject("htmlfile")}catch(e){}var e,t;h=r?function(e){e.write(p("")),e.close();var t=e.parentWindow.Object;return e=null,t}(r):((t=c("iframe")).style.display="none",l.appendChild(t),t.src=String("javascript:"),(e=t.contentWindow.document).open(),e.write(p("document.F=Object")),e.close(),e.F);for(var n=o.length;n--;)delete h.prototype[o[n]];return h()};s[u]=!0,t.exports=Object.create||function(e,t){var n;return null!==e?(f.prototype=i(e),n=new f,f.prototype=null,n[u]=e):n=h(),void 0===t?n:a(n,t)}},{"../internals/an-object":5,"../internals/document-create-element":19,"../internals/enum-bug-keys":20,"../internals/hidden-keys":29,"../internals/html":30,"../internals/object-define-properties":46,"../internals/shared-key":63}],46:[function(e,t,n){var r=e("../internals/descriptors"),i=e("../internals/object-define-property"),a=e("../internals/an-object"),o=e("../internals/object-keys");t.exports=r?Object.defineProperties:function(e,t){a(e);for(var n,r=o(t),s=r.length,l=0;s>l;)i.f(e,n=r[l++],t[n]);return e}},{"../internals/an-object":5,"../internals/descriptors":18,"../internals/object-define-property":47,"../internals/object-keys":53}],47:[function(e,t,n){var r=e("../internals/descriptors"),i=e("../internals/ie8-dom-define"),a=e("../internals/an-object"),o=e("../internals/to-primitive"),s=Object.defineProperty;n.f=r?s:function(e,t,n){if(a(e),t=o(t,!0),a(n),i)try{return s(e,t,n)}catch(e){}if("get"in n||"set"in n)throw TypeError("Accessors not supported");return"value"in n&&(e[t]=n.value),e}},{"../internals/an-object":5,"../internals/descriptors":18,"../internals/ie8-dom-define":31,"../internals/to-primitive":73}],48:[function(e,t,n){var r=e("../internals/descriptors"),i=e("../internals/object-property-is-enumerable"),a=e("../internals/create-property-descriptor"),o=e("../internals/to-indexed-object"),s=e("../internals/to-primitive"),l=e("../internals/has"),c=e("../internals/ie8-dom-define"),u=Object.getOwnPropertyDescriptor;n.f=r?u:function(e,t){if(e=o(e),t=s(t,!0),c)try{return u(e,t)}catch(e){}if(l(e,t))return a(!i.f.call(e,t),e[t])}},{"../internals/create-property-descriptor":15,"../internals/descriptors":18,"../internals/has":28,"../internals/ie8-dom-define":31,"../internals/object-property-is-enumerable":54,"../internals/to-indexed-object":69,"../internals/to-primitive":73}],49:[function(e,t,n){var r=e("../internals/object-keys-internal"),i=e("../internals/enum-bug-keys").concat("length","prototype");n.f=Object.getOwnPropertyNames||function(e){return r(e,i)}},{"../internals/enum-bug-keys":20,"../internals/object-keys-internal":52}],50:[function(e,t,n){n.f=Object.getOwnPropertySymbols},{}],51:[function(e,t,n){var r=e("../internals/has"),i=e("../internals/to-object"),a=e("../internals/shared-key"),o=e("../internals/correct-prototype-getter"),s=a("IE_PROTO"),l=Object.prototype;t.exports=o?Object.getPrototypeOf:function(e){return e=i(e),r(e,s)?e[s]:"function"==typeof e.constructor&&e instanceof e.constructor?e.constructor.prototype:e instanceof Object?l:null}},{"../internals/correct-prototype-getter":12,"../internals/has":28,"../internals/shared-key":63,"../internals/to-object":72}],52:[function(e,t,n){var r=e("../internals/has"),i=e("../internals/to-indexed-object"),a=e("../internals/array-includes").indexOf,o=e("../internals/hidden-keys");t.exports=function(e,t){var n,s=i(e),l=0,c=[];for(n in s)!r(o,n)&&r(s,n)&&c.push(n);for(;t.length>l;)r(s,n=t[l++])&&(~a(c,n)||c.push(n));return c}},{"../internals/array-includes":7,"../internals/has":28,"../internals/hidden-keys":29,"../internals/to-indexed-object":69}],53:[function(e,t,n){var r=e("../internals/object-keys-internal"),i=e("../internals/enum-bug-keys");t.exports=Object.keys||function(e){return r(e,i)}},{"../internals/enum-bug-keys":20,"../internals/object-keys-internal":52}],54:[function(e,t,n){"use strict";var r={}.propertyIsEnumerable,i=Object.getOwnPropertyDescriptor,a=i&&!r.call({1:2},1);n.f=a?function(e){var t=i(this,e);return!!t&&t.enumerable}:r},{}],55:[function(e,t,n){var r=e("../internals/an-object"),i=e("../internals/a-possible-prototype");t.exports=Object.setPrototypeOf||("__proto__"in{}?function(){var e,t=!1,n={};try{(e=Object.getOwnPropertyDescriptor(Object.prototype,"__proto__").set).call(n,[]),t=n instanceof Array}catch(e){}return function(n,a){return r(n),i(a),t?e.call(n,a):n.__proto__=a,n}}():void 0)},{"../internals/a-possible-prototype":2,"../internals/an-object":5}],56:[function(e,t,n){var r=e("../internals/get-built-in"),i=e("../internals/object-get-own-property-names"),a=e("../internals/object-get-own-property-symbols"),o=e("../internals/an-object");t.exports=r("Reflect","ownKeys")||function(e){var t=i.f(o(e)),n=a.f;return n?t.concat(n(e)):t}},{"../internals/an-object":5,"../internals/get-built-in":24,"../internals/object-get-own-property-names":49,"../internals/object-get-own-property-symbols":50}],57:[function(e,t,n){var r=e("../internals/global");t.exports=r},{"../internals/global":27}],58:[function(e,t,n){var r=e("../internals/redefine");t.exports=function(e,t,n){for(var i in t)r(e,i,t[i],n);return e}},{"../internals/redefine":59}],59:[function(e,t,n){var r=e("../internals/global"),i=e("../internals/create-non-enumerable-property"),a=e("../internals/has"),o=e("../internals/set-global"),s=e("../internals/inspect-source"),l=e("../internals/internal-state"),c=l.get,u=l.enforce,f=String(String).split("String");(t.exports=function(e,t,n,s){var l=!!s&&!!s.unsafe,c=!!s&&!!s.enumerable,p=!!s&&!!s.noTargetGet;"function"==typeof n&&("string"!=typeof t||a(n,"name")||i(n,"name",t),u(n).source=f.join("string"==typeof t?t:"")),e!==r?(l?!p&&e[t]&&(c=!0):delete e[t],c?e[t]=n:i(e,t,n)):c?e[t]=n:o(t,n)})(Function.prototype,"toString",(function(){return"function"==typeof this&&c(this).source||s(this)}))},{"../internals/create-non-enumerable-property":14,"../internals/global":27,"../internals/has":28,"../internals/inspect-source":33,"../internals/internal-state":34,"../internals/set-global":61}],60:[function(e,t,n){t.exports=function(e){if(null==e)throw TypeError("Can't call method on "+e);return e}},{}],61:[function(e,t,n){var r=e("../internals/global"),i=e("../internals/create-non-enumerable-property");t.exports=function(e,t){try{i(r,e,t)}catch(n){r[e]=t}return t}},{"../internals/create-non-enumerable-property":14,"../internals/global":27}],62:[function(e,t,n){var r=e("../internals/object-define-property").f,i=e("../internals/has"),a=e("../internals/well-known-symbol")("toStringTag");t.exports=function(e,t,n){e&&!i(e=n?e:e.prototype,a)&&r(e,a,{configurable:!0,value:t})}},{"../internals/has":28,"../internals/object-define-property":47,"../internals/well-known-symbol":77}],63:[function(e,t,n){var r=e("../internals/shared"),i=e("../internals/uid"),a=r("keys");t.exports=function(e){return a[e]||(a[e]=i(e))}},{"../internals/shared":65,"../internals/uid":75}],64:[function(e,t,n){var r=e("../internals/global"),i=e("../internals/set-global"),a=r["__core-js_shared__"]||i("__core-js_shared__",{});t.exports=a},{"../internals/global":27,"../internals/set-global":61}],65:[function(e,t,n){var r=e("../internals/is-pure"),i=e("../internals/shared-store");(t.exports=function(e,t){return i[e]||(i[e]=void 0!==t?t:{})})("versions",[]).push({version:"3.6.4",mode:r?"pure":"global",copyright:"© 2020 Denis Pushkarev (zloirock.ru)"})},{"../internals/is-pure":38,"../internals/shared-store":64}],66:[function(e,t,n){var r=e("../internals/to-integer"),i=e("../internals/require-object-coercible"),a=function(e){return function(t,n){var a,o,s=String(i(t)),l=r(n),c=s.length;return l<0||l>=c?e?"":void 0:(a=s.charCodeAt(l))<55296||a>56319||l+1===c||(o=s.charCodeAt(l+1))<56320||o>57343?e?s.charAt(l):a:e?s.slice(l,l+2):o-56320+(a-55296<<10)+65536}};t.exports={codeAt:a(!1),charAt:a(!0)}},{"../internals/require-object-coercible":60,"../internals/to-integer":70}],67:[function(e,t,n){"use strict";var r=/[^\0-\u007E]/,i=/[.\u3002\uFF0E\uFF61]/g,a="Overflow: input needs wider integers to process",o=Math.floor,s=String.fromCharCode,l=function(e){return e+22+75*(e<26)},c=function(e,t,n){var r=0;for(e=n?o(e/700):e>>1,e+=o(e/t);e>455;r+=36)e=o(e/35);return o(r+36*e/(e+38))},u=function(e){var t,n,r=[],i=(e=function(e){for(var t=[],n=0,r=e.length;n<r;){var i=e.charCodeAt(n++);if(i>=55296&&i<=56319&&n<r){var a=e.charCodeAt(n++);56320==(64512&a)?t.push(((1023&i)<<10)+(1023&a)+65536):(t.push(i),n--)}else t.push(i)}return t}(e)).length,u=128,f=0,p=72;for(t=0;t<e.length;t++)(n=e[t])<128&&r.push(s(n));var h=r.length,b=h;for(h&&r.push("-");b<i;){var d=2147483647;for(t=0;t<e.length;t++)(n=e[t])>=u&&n<d&&(d=n);var y=b+1;if(d-u>o((2147483647-f)/y))throw RangeError(a);for(f+=(d-u)*y,u=d,t=0;t<e.length;t++){if((n=e[t])<u&&++f>2147483647)throw RangeError(a);if(n==u){for(var g=f,v=36;;v+=36){var m=v<=p?1:v>=p+26?26:v-p;if(g<m)break;var w=g-m,j=36-m;r.push(s(l(m+w%j))),g=o(w/j)}r.push(s(l(g))),p=c(f,y,b==h),f=0,++b}}++f,++u}return r.join("")};t.exports=function(e){var t,n,a=[],o=e.toLowerCase().replace(i,".").split(".");for(t=0;t<o.length;t++)n=o[t],a.push(r.test(n)?"xn--"+u(n):n);return a.join(".")}},{}],68:[function(e,t,n){var r=e("../internals/to-integer"),i=Math.max,a=Math.min;t.exports=function(e,t){var n=r(e);return n<0?i(n+t,0):a(n,t)}},{"../internals/to-integer":70}],69:[function(e,t,n){var r=e("../internals/indexed-object"),i=e("../internals/require-object-coercible");t.exports=function(e){return r(i(e))}},{"../internals/indexed-object":32,"../internals/require-object-coercible":60}],70:[function(e,t,n){var r=Math.ceil,i=Math.floor;t.exports=function(e){return isNaN(e=+e)?0:(e>0?i:r)(e)}},{}],71:[function(e,t,n){var r=e("../internals/to-integer"),i=Math.min;t.exports=function(e){return e>0?i(r(e),9007199254740991):0}},{"../internals/to-integer":70}],72:[function(e,t,n){var r=e("../internals/require-object-coercible");t.exports=function(e){return Object(r(e))}},{"../internals/require-object-coercible":60}],73:[function(e,t,n){var r=e("../internals/is-object");t.exports=function(e,t){if(!r(e))return e;var n,i;if(t&&"function"==typeof(n=e.toString)&&!r(i=n.call(e)))return i;if("function"==typeof(n=e.valueOf)&&!r(i=n.call(e)))return i;if(!t&&"function"==typeof(n=e.toString)&&!r(i=n.call(e)))return i;throw TypeError("Can't convert object to primitive value")}},{"../internals/is-object":37}],74:[function(e,t,n){var r={};r[e("../internals/well-known-symbol")("toStringTag")]="z",t.exports="[object z]"===String(r)},{"../internals/well-known-symbol":77}],75:[function(e,t,n){var r=0,i=Math.random();t.exports=function(e){return"Symbol("+String(void 0===e?"":e)+")_"+(++r+i).toString(36)}},{}],76:[function(e,t,n){var r=e("../internals/native-symbol");t.exports=r&&!Symbol.sham&&"symbol"==typeof Symbol.iterator},{"../internals/native-symbol":41}],77:[function(e,t,n){var r=e("../internals/global"),i=e("../internals/shared"),a=e("../internals/has"),o=e("../internals/uid"),s=e("../internals/native-symbol"),l=e("../internals/use-symbol-as-uid"),c=i("wks"),u=r.Symbol,f=l?u:u&&u.withoutSetter||o;t.exports=function(e){return a(c,e)||(s&&a(u,e)?c[e]=u[e]:c[e]=f("Symbol."+e)),c[e]}},{"../internals/global":27,"../internals/has":28,"../internals/native-symbol":41,"../internals/shared":65,"../internals/uid":75,"../internals/use-symbol-as-uid":76}],78:[function(e,t,n){"use strict";var r=e("../internals/to-indexed-object"),i=e("../internals/add-to-unscopables"),a=e("../internals/iterators"),o=e("../internals/internal-state"),s=e("../internals/define-iterator"),l=o.set,c=o.getterFor("Array Iterator");t.exports=s(Array,"Array",(function(e,t){l(this,{type:"Array Iterator",target:r(e),index:0,kind:t})}),(function(){var e=c(this),t=e.target,n=e.kind,r=e.index++;return!t||r>=t.length?(e.target=void 0,{value:void 0,done:!0}):"keys"==n?{value:r,done:!1}:"values"==n?{value:t[r],done:!1}:{value:[r,t[r]],done:!1}}),"values"),a.Arguments=a.Array,i("keys"),i("values"),i("entries")},{"../internals/add-to-unscopables":3,"../internals/define-iterator":17,"../internals/internal-state":34,"../internals/iterators":40,"../internals/to-indexed-object":69}],79:[function(e,t,n){"use strict";var r=e("../internals/string-multibyte").charAt,i=e("../internals/internal-state"),a=e("../internals/define-iterator"),o=i.set,s=i.getterFor("String Iterator");a(String,"String",(function(e){o(this,{type:"String Iterator",string:String(e),index:0})}),(function(){var e,t=s(this),n=t.string,i=t.index;return i>=n.length?{value:void 0,done:!0}:(e=r(n,i),t.index+=e.length,{value:e,done:!1})}))},{"../internals/define-iterator":17,"../internals/internal-state":34,"../internals/string-multibyte":66}],80:[function(e,t,n){"use strict";e("../modules/es.array.iterator");var r=e("../internals/export"),i=e("../internals/get-built-in"),a=e("../internals/native-url"),o=e("../internals/redefine"),s=e("../internals/redefine-all"),l=e("../internals/set-to-string-tag"),c=e("../internals/create-iterator-constructor"),u=e("../internals/internal-state"),f=e("../internals/an-instance"),p=e("../internals/has"),h=e("../internals/function-bind-context"),b=e("../internals/classof"),d=e("../internals/an-object"),y=e("../internals/is-object"),g=e("../internals/object-create"),v=e("../internals/create-property-descriptor"),m=e("../internals/get-iterator"),w=e("../internals/get-iterator-method"),j=e("../internals/well-known-symbol"),x=i("fetch"),k=i("Headers"),S=j("iterator"),A=u.set,O=u.getterFor("URLSearchParams"),R=u.getterFor("URLSearchParamsIterator"),L=/\+/g,U=Array(4),P=function(e){return U[e-1]||(U[e-1]=RegExp("((?:%[\\da-f]{2}){"+e+"})","gi"))},I=function(e){try{return decodeURIComponent(e)}catch(t){return e}},q=function(e){var t=e.replace(L," "),n=4;try{return decodeURIComponent(t)}catch(e){for(;n;)t=t.replace(P(n--),I);return t}},E=/[!'()~]|%20/g,_={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+"},T=function(e){return _[e]},B=function(e){return encodeURIComponent(e).replace(E,T)},F=function(e,t){if(t)for(var n,r,i=t.split("&"),a=0;a<i.length;)(n=i[a++]).length&&(r=n.split("="),e.push({key:q(r.shift()),value:q(r.join("="))}))},C=function(e){this.entries.length=0,F(this.entries,e)},M=function(e,t){if(e<t)throw TypeError("Not enough arguments")},N=c((function(e,t){A(this,{type:"URLSearchParamsIterator",iterator:m(O(e).entries),kind:t})}),"Iterator",(function(){var e=R(this),t=e.kind,n=e.iterator.next(),r=n.value;return n.done||(n.value="keys"===t?r.key:"values"===t?r.value:[r.key,r.value]),n})),D=function(){f(this,D,"URLSearchParams");var e,t,n,r,i,a,o,s,l,c=arguments.length>0?arguments[0]:void 0,u=[];if(A(this,{type:"URLSearchParams",entries:u,updateURL:function(){},updateSearchParams:C}),void 0!==c)if(y(c))if("function"==typeof(e=w(c)))for(n=(t=e.call(c)).next;!(r=n.call(t)).done;){if((o=(a=(i=m(d(r.value))).next).call(i)).done||(s=a.call(i)).done||!a.call(i).done)throw TypeError("Expected sequence with length 2");u.push({key:o.value+"",value:s.value+""})}else for(l in c)p(c,l)&&u.push({key:l,value:c[l]+""});else F(u,"string"==typeof c?"?"===c.charAt(0)?c.slice(1):c:c+"")},z=D.prototype;s(z,{append:function(e,t){M(arguments.length,2);var n=O(this);n.entries.push({key:e+"",value:t+""}),n.updateURL()},delete:function(e){M(arguments.length,1);for(var t=O(this),n=t.entries,r=e+"",i=0;i<n.length;)n[i].key===r?n.splice(i,1):i++;t.updateURL()},get:function(e){M(arguments.length,1);for(var t=O(this).entries,n=e+"",r=0;r<t.length;r++)if(t[r].key===n)return t[r].value;return null},getAll:function(e){M(arguments.length,1);for(var t=O(this).entries,n=e+"",r=[],i=0;i<t.length;i++)t[i].key===n&&r.push(t[i].value);return r},has:function(e){M(arguments.length,1);for(var t=O(this).entries,n=e+"",r=0;r<t.length;)if(t[r++].key===n)return!0;return!1},set:function(e,t){M(arguments.length,1);for(var n,r=O(this),i=r.entries,a=!1,o=e+"",s=t+"",l=0;l<i.length;l++)(n=i[l]).key===o&&(a?i.splice(l--,1):(a=!0,n.value=s));a||i.push({key:o,value:s}),r.updateURL()},sort:function(){var e,t,n,r=O(this),i=r.entries,a=i.slice();for(i.length=0,n=0;n<a.length;n++){for(e=a[n],t=0;t<n;t++)if(i[t].key>e.key){i.splice(t,0,e);break}t===n&&i.push(e)}r.updateURL()},forEach:function(e){for(var t,n=O(this).entries,r=h(e,arguments.length>1?arguments[1]:void 0,3),i=0;i<n.length;)r((t=n[i++]).value,t.key,this)},keys:function(){return new N(this,"keys")},values:function(){return new N(this,"values")},entries:function(){return new N(this,"entries")}},{enumerable:!0}),o(z,S,z.entries),o(z,"toString",(function(){for(var e,t=O(this).entries,n=[],r=0;r<t.length;)e=t[r++],n.push(B(e.key)+"="+B(e.value));return n.join("&")}),{enumerable:!0}),l(D,"URLSearchParams"),r({global:!0,forced:!a},{URLSearchParams:D}),a||"function"!=typeof x||"function"!=typeof k||r({global:!0,enumerable:!0,forced:!0},{fetch:function(e){var t,n,r,i=[e];return arguments.length>1&&(y(t=arguments[1])&&(n=t.body,"URLSearchParams"===b(n)&&((r=t.headers?new k(t.headers):new k).has("content-type")||r.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"),t=g(t,{body:v(0,String(n)),headers:v(0,r)}))),i.push(t)),x.apply(this,i)}}),t.exports={URLSearchParams:D,getState:O}},{"../internals/an-instance":4,"../internals/an-object":5,"../internals/classof":10,"../internals/create-iterator-constructor":13,"../internals/create-property-descriptor":15,"../internals/export":21,"../internals/function-bind-context":23,"../internals/get-built-in":24,"../internals/get-iterator":26,"../internals/get-iterator-method":25,"../internals/has":28,"../internals/internal-state":34,"../internals/is-object":37,"../internals/native-url":42,"../internals/object-create":45,"../internals/redefine":59,"../internals/redefine-all":58,"../internals/set-to-string-tag":62,"../internals/well-known-symbol":77,"../modules/es.array.iterator":78}],81:[function(e,t,n){"use strict";e("../modules/es.string.iterator");var r,i=e("../internals/export"),a=e("../internals/descriptors"),o=e("../internals/native-url"),s=e("../internals/global"),l=e("../internals/object-define-properties"),c=e("../internals/redefine"),u=e("../internals/an-instance"),f=e("../internals/has"),p=e("../internals/object-assign"),h=e("../internals/array-from"),b=e("../internals/string-multibyte").codeAt,d=e("../internals/string-punycode-to-ascii"),y=e("../internals/set-to-string-tag"),g=e("../modules/web.url-search-params"),v=e("../internals/internal-state"),m=s.URL,w=g.URLSearchParams,j=g.getState,x=v.set,k=v.getterFor("URL"),S=Math.floor,A=Math.pow,O=/[A-Za-z]/,R=/[\d+\-.A-Za-z]/,L=/\d/,U=/^(0x|0X)/,P=/^[0-7]+$/,I=/^\d+$/,q=/^[\dA-Fa-f]+$/,E=/[\u0000\u0009\u000A\u000D #%/:?@[\\]]/,_=/[\u0000\u0009\u000A\u000D #/:?@[\\]]/,T=/^[\u0000-\u001F ]+|[\u0000-\u001F ]+$/g,B=/[\u0009\u000A\u000D]/g,F=function(e,t){var n,r,i;if("["==t.charAt(0)){if("]"!=t.charAt(t.length-1))return"Invalid host";if(!(n=M(t.slice(1,-1))))return"Invalid host";e.host=n}else if(Y(e)){if(t=d(t),E.test(t))return"Invalid host";if(null===(n=C(t)))return"Invalid host";e.host=n}else{if(_.test(t))return"Invalid host";for(n="",r=h(t),i=0;i<r.length;i++)n+=$(r[i],D);e.host=n}},C=function(e){var t,n,r,i,a,o,s,l=e.split(".");if(l.length&&""==l[l.length-1]&&l.pop(),(t=l.length)>4)return e;for(n=[],r=0;r<t;r++){if(""==(i=l[r]))return e;if(a=10,i.length>1&&"0"==i.charAt(0)&&(a=U.test(i)?16:8,i=i.slice(8==a?1:2)),""===i)o=0;else{if(!(10==a?I:8==a?P:q).test(i))return e;o=parseInt(i,a)}n.push(o)}for(r=0;r<t;r++)if(o=n[r],r==t-1){if(o>=A(256,5-t))return null}else if(o>255)return null;for(s=n.pop(),r=0;r<n.length;r++)s+=n[r]*A(256,3-r);return s},M=function(e){var t,n,r,i,a,o,s,l=[0,0,0,0,0,0,0,0],c=0,u=null,f=0,p=function(){return e.charAt(f)};if(":"==p()){if(":"!=e.charAt(1))return;f+=2,u=++c}for(;p();){if(8==c)return;if(":"!=p()){for(t=n=0;n<4&&q.test(p());)t=16*t+parseInt(p(),16),f++,n++;if("."==p()){if(0==n)return;if(f-=n,c>6)return;for(r=0;p();){if(i=null,r>0){if(!("."==p()&&r<4))return;f++}if(!L.test(p()))return;for(;L.test(p());){if(a=parseInt(p(),10),null===i)i=a;else{if(0==i)return;i=10*i+a}if(i>255)return;f++}l[c]=256*l[c]+i,2!=++r&&4!=r||c++}if(4!=r)return;break}if(":"==p()){if(f++,!p())return}else if(p())return;l[c++]=t}else{if(null!==u)return;f++,u=++c}}if(null!==u)for(o=c-u,c=7;0!=c&&o>0;)s=l[c],l[c--]=l[u+o-1],l[u+--o]=s;else if(8!=c)return;return l},N=function(e){var t,n,r,i;if("number"==typeof e){for(t=[],n=0;n<4;n++)t.unshift(e%256),e=S(e/256);return t.join(".")}if("object"==typeof e){for(t="",r=function(e){for(var t=null,n=1,r=null,i=0,a=0;a<8;a++)0!==e[a]?(i>n&&(t=r,n=i),r=null,i=0):(null===r&&(r=a),++i);return i>n&&(t=r,n=i),t}(e),n=0;n<8;n++)i&&0===e[n]||(i&&(i=!1),r===n?(t+=n?":":"::",i=!0):(t+=e[n].toString(16),n<7&&(t+=":")));return"["+t+"]"}return e},D={},z=p({},D,{" ":1,'"':1,"<":1,">":1,"`":1}),G=p({},z,{"#":1,"?":1,"{":1,"}":1}),W=p({},G,{"/":1,":":1,";":1,"=":1,"@":1,"[":1,"\\":1,"]":1,"^":1,"|":1}),$=function(e,t){var n=b(e,0);return n>32&&n<127&&!f(t,e)?e:encodeURIComponent(e)},J={ftp:21,file:null,http:80,https:443,ws:80,wss:443},Y=function(e){return f(J,e.scheme)},X=function(e){return""!=e.username||""!=e.password},Z=function(e){return!e.host||e.cannotBeABaseURL||"file"==e.scheme},H=function(e,t){var n;return 2==e.length&&O.test(e.charAt(0))&&(":"==(n=e.charAt(1))||!t&&"|"==n)},K=function(e){var t;return e.length>1&&H(e.slice(0,2))&&(2==e.length||"/"===(t=e.charAt(2))||"\\"===t||"?"===t||"#"===t)},V=function(e){var t=e.path,n=t.length;!n||"file"==e.scheme&&1==n&&H(t[0],!0)||t.pop()},Q=function(e){return"."===e||"%2e"===e.toLowerCase()},ee={},te={},ne={},re={},ie={},ae={},oe={},se={},le={},ce={},ue={},fe={},pe={},he={},be={},de={},ye={},ge={},ve={},me={},we={},je=function(e,t,n,i){var a,o,s,l,c,u=n||ee,p=0,b="",d=!1,y=!1,g=!1;for(n||(e.scheme="",e.username="",e.password="",e.host=null,e.port=null,e.path=[],e.query=null,e.fragment=null,e.cannotBeABaseURL=!1,t=t.replace(T,"")),t=t.replace(B,""),a=h(t);p<=a.length;){switch(o=a[p],u){case ee:if(!o||!O.test(o)){if(n)return"Invalid scheme";u=ne;continue}b+=o.toLowerCase(),u=te;break;case te:if(o&&(R.test(o)||"+"==o||"-"==o||"."==o))b+=o.toLowerCase();else{if(":"!=o){if(n)return"Invalid scheme";b="",u=ne,p=0;continue}if(n&&(Y(e)!=f(J,b)||"file"==b&&(X(e)||null!==e.port)||"file"==e.scheme&&!e.host))return;if(e.scheme=b,n)return void(Y(e)&&J[e.scheme]==e.port&&(e.port=null));b="","file"==e.scheme?u=he:Y(e)&&i&&i.scheme==e.scheme?u=re:Y(e)?u=se:"/"==a[p+1]?(u=ie,p++):(e.cannotBeABaseURL=!0,e.path.push(""),u=ve)}break;case ne:if(!i||i.cannotBeABaseURL&&"#"!=o)return"Invalid scheme";if(i.cannotBeABaseURL&&"#"==o){e.scheme=i.scheme,e.path=i.path.slice(),e.query=i.query,e.fragment="",e.cannotBeABaseURL=!0,u=we;break}u="file"==i.scheme?he:ae;continue;case re:if("/"!=o||"/"!=a[p+1]){u=ae;continue}u=le,p++;break;case ie:if("/"==o){u=ce;break}u=ge;continue;case ae:if(e.scheme=i.scheme,o==r)e.username=i.username,e.password=i.password,e.host=i.host,e.port=i.port,e.path=i.path.slice(),e.query=i.query;else if("/"==o||"\\"==o&&Y(e))u=oe;else if("?"==o)e.username=i.username,e.password=i.password,e.host=i.host,e.port=i.port,e.path=i.path.slice(),e.query="",u=me;else{if("#"!=o){e.username=i.username,e.password=i.password,e.host=i.host,e.port=i.port,e.path=i.path.slice(),e.path.pop(),u=ge;continue}e.username=i.username,e.password=i.password,e.host=i.host,e.port=i.port,e.path=i.path.slice(),e.query=i.query,e.fragment="",u=we}break;case oe:if(!Y(e)||"/"!=o&&"\\"!=o){if("/"!=o){e.username=i.username,e.password=i.password,e.host=i.host,e.port=i.port,u=ge;continue}u=ce}else u=le;break;case se:if(u=le,"/"!=o||"/"!=b.charAt(p+1))continue;p++;break;case le:if("/"!=o&&"\\"!=o){u=ce;continue}break;case ce:if("@"==o){d&&(b="%40"+b),d=!0,s=h(b);for(var v=0;v<s.length;v++){var m=s[v];if(":"!=m||g){var w=$(m,W);g?e.password+=w:e.username+=w}else g=!0}b=""}else if(o==r||"/"==o||"?"==o||"#"==o||"\\"==o&&Y(e)){if(d&&""==b)return"Invalid authority";p-=h(b).length+1,b="",u=ue}else b+=o;break;case ue:case fe:if(n&&"file"==e.scheme){u=de;continue}if(":"!=o||y){if(o==r||"/"==o||"?"==o||"#"==o||"\\"==o&&Y(e)){if(Y(e)&&""==b)return"Invalid host";if(n&&""==b&&(X(e)||null!==e.port))return;if(l=F(e,b))return l;if(b="",u=ye,n)return;continue}"["==o?y=!0:"]"==o&&(y=!1),b+=o}else{if(""==b)return"Invalid host";if(l=F(e,b))return l;if(b="",u=pe,n==fe)return}break;case pe:if(!L.test(o)){if(o==r||"/"==o||"?"==o||"#"==o||"\\"==o&&Y(e)||n){if(""!=b){var j=parseInt(b,10);if(j>65535)return"Invalid port";e.port=Y(e)&&j===J[e.scheme]?null:j,b=""}if(n)return;u=ye;continue}return"Invalid port"}b+=o;break;case he:if(e.scheme="file","/"==o||"\\"==o)u=be;else{if(!i||"file"!=i.scheme){u=ge;continue}if(o==r)e.host=i.host,e.path=i.path.slice(),e.query=i.query;else if("?"==o)e.host=i.host,e.path=i.path.slice(),e.query="",u=me;else{if("#"!=o){K(a.slice(p).join(""))||(e.host=i.host,e.path=i.path.slice(),V(e)),u=ge;continue}e.host=i.host,e.path=i.path.slice(),e.query=i.query,e.fragment="",u=we}}break;case be:if("/"==o||"\\"==o){u=de;break}i&&"file"==i.scheme&&!K(a.slice(p).join(""))&&(H(i.path[0],!0)?e.path.push(i.path[0]):e.host=i.host),u=ge;continue;case de:if(o==r||"/"==o||"\\"==o||"?"==o||"#"==o){if(!n&&H(b))u=ge;else if(""==b){if(e.host="",n)return;u=ye}else{if(l=F(e,b))return l;if("localhost"==e.host&&(e.host=""),n)return;b="",u=ye}continue}b+=o;break;case ye:if(Y(e)){if(u=ge,"/"!=o&&"\\"!=o)continue}else if(n||"?"!=o)if(n||"#"!=o){if(o!=r&&(u=ge,"/"!=o))continue}else e.fragment="",u=we;else e.query="",u=me;break;case ge:if(o==r||"/"==o||"\\"==o&&Y(e)||!n&&("?"==o||"#"==o)){if(".."===(c=(c=b).toLowerCase())||"%2e."===c||".%2e"===c||"%2e%2e"===c?(V(e),"/"==o||"\\"==o&&Y(e)||e.path.push("")):Q(b)?"/"==o||"\\"==o&&Y(e)||e.path.push(""):("file"==e.scheme&&!e.path.length&&H(b)&&(e.host&&(e.host=""),b=b.charAt(0)+":"),e.path.push(b)),b="","file"==e.scheme&&(o==r||"?"==o||"#"==o))for(;e.path.length>1&&""===e.path[0];)e.path.shift();"?"==o?(e.query="",u=me):"#"==o&&(e.fragment="",u=we)}else b+=$(o,G);break;case ve:"?"==o?(e.query="",u=me):"#"==o?(e.fragment="",u=we):o!=r&&(e.path[0]+=$(o,D));break;case me:n||"#"!=o?o!=r&&("'"==o&&Y(e)?e.query+="%27":e.query+="#"==o?"%23":$(o,D)):(e.fragment="",u=we);break;case we:o!=r&&(e.fragment+=$(o,z))}p++}},xe=function(e){var t,n,r=u(this,xe,"URL"),i=arguments.length>1?arguments[1]:void 0,o=String(e),s=x(r,{type:"URL"});if(void 0!==i)if(i instanceof xe)t=k(i);else if(n=je(t={},String(i)))throw TypeError(n);if(n=je(s,o,null,t))throw TypeError(n);var l=s.searchParams=new w,c=j(l);c.updateSearchParams(s.query),c.updateURL=function(){s.query=String(l)||null},a||(r.href=Se.call(r),r.origin=Ae.call(r),r.protocol=Oe.call(r),r.username=Re.call(r),r.password=Le.call(r),r.host=Ue.call(r),r.hostname=Pe.call(r),r.port=Ie.call(r),r.pathname=qe.call(r),r.search=Ee.call(r),r.searchParams=_e.call(r),r.hash=Te.call(r))},ke=xe.prototype,Se=function(){var e=k(this),t=e.scheme,n=e.username,r=e.password,i=e.host,a=e.port,o=e.path,s=e.query,l=e.fragment,c=t+":";return null!==i?(c+="//",X(e)&&(c+=n+(r?":"+r:"")+"@"),c+=N(i),null!==a&&(c+=":"+a)):"file"==t&&(c+="//"),c+=e.cannotBeABaseURL?o[0]:o.length?"/"+o.join("/"):"",null!==s&&(c+="?"+s),null!==l&&(c+="#"+l),c},Ae=function(){var e=k(this),t=e.scheme,n=e.port;if("blob"==t)try{return new URL(t.path[0]).origin}catch(e){return"null"}return"file"!=t&&Y(e)?t+"://"+N(e.host)+(null!==n?":"+n:""):"null"},Oe=function(){return k(this).scheme+":"},Re=function(){return k(this).username},Le=function(){return k(this).password},Ue=function(){var e=k(this),t=e.host,n=e.port;return null===t?"":null===n?N(t):N(t)+":"+n},Pe=function(){var e=k(this).host;return null===e?"":N(e)},Ie=function(){var e=k(this).port;return null===e?"":String(e)},qe=function(){var e=k(this),t=e.path;return e.cannotBeABaseURL?t[0]:t.length?"/"+t.join("/"):""},Ee=function(){var e=k(this).query;return e?"?"+e:""},_e=function(){return k(this).searchParams},Te=function(){var e=k(this).fragment;return e?"#"+e:""},Be=function(e,t){return{get:e,set:t,configurable:!0,enumerable:!0}};if(a&&l(ke,{href:Be(Se,(function(e){var t=k(this),n=String(e),r=je(t,n);if(r)throw TypeError(r);j(t.searchParams).updateSearchParams(t.query)})),origin:Be(Ae),protocol:Be(Oe,(function(e){var t=k(this);je(t,String(e)+":",ee)})),username:Be(Re,(function(e){var t=k(this),n=h(String(e));if(!Z(t)){t.username="";for(var r=0;r<n.length;r++)t.username+=$(n[r],W)}})),password:Be(Le,(function(e){var t=k(this),n=h(String(e));if(!Z(t)){t.password="";for(var r=0;r<n.length;r++)t.password+=$(n[r],W)}})),host:Be(Ue,(function(e){var t=k(this);t.cannotBeABaseURL||je(t,String(e),ue)})),hostname:Be(Pe,(function(e){var t=k(this);t.cannotBeABaseURL||je(t,String(e),fe)})),port:Be(Ie,(function(e){var t=k(this);Z(t)||(""==(e=String(e))?t.port=null:je(t,e,pe))})),pathname:Be(qe,(function(e){var t=k(this);t.cannotBeABaseURL||(t.path=[],je(t,e+"",ye))})),search:Be(Ee,(function(e){var t=k(this);""==(e=String(e))?t.query=null:("?"==e.charAt(0)&&(e=e.slice(1)),t.query="",je(t,e,me)),j(t.searchParams).updateSearchParams(t.query)})),searchParams:Be(_e),hash:Be(Te,(function(e){var t=k(this);""!=(e=String(e))?("#"==e.charAt(0)&&(e=e.slice(1)),t.fragment="",je(t,e,we)):t.fragment=null}))}),c(ke,"toJSON",(function(){return Se.call(this)}),{enumerable:!0}),c(ke,"toString",(function(){return Se.call(this)}),{enumerable:!0}),m){var Fe=m.createObjectURL,Ce=m.revokeObjectURL;Fe&&c(xe,"createObjectURL",(function(e){return Fe.apply(m,arguments)})),Ce&&c(xe,"revokeObjectURL",(function(e){return Ce.apply(m,arguments)}))}y(xe,"URL"),i({global:!0,forced:!o,sham:!a},{URL:xe})},{"../internals/an-instance":4,"../internals/array-from":6,"../internals/descriptors":18,"../internals/export":21,"../internals/global":27,"../internals/has":28,"../internals/internal-state":34,"../internals/native-url":42,"../internals/object-assign":44,"../internals/object-define-properties":46,"../internals/redefine":59,"../internals/set-to-string-tag":62,"../internals/string-multibyte":66,"../internals/string-punycode-to-ascii":67,"../modules/es.string.iterator":79,"../modules/web.url-search-params":80}],82:[function(e,t,n){"use strict";e("../internals/export")({target:"URL",proto:!0,enumerable:!0},{toJSON:function(){return URL.prototype.toString.call(this)}})},{"../internals/export":21}],83:[function(e,t,n){e("../modules/web.url"),e("../modules/web.url.to-json"),e("../modules/web.url-search-params");var r=e("../internals/path");t.exports=r.URL},{"../internals/path":57,"../modules/web.url":81,"../modules/web.url-search-params":80,"../modules/web.url.to-json":82}]},{},[83]);wp-polyfill-url.js000060400000327374151334462320010177 0ustar00(function(){function r(e,n,t){function o(i,f){if(!n[i]){if(!e[i]){var c="function"==typeof require&&require;if(!f&&c)return c(i,!0);if(u)return u(i,!0);var a=new Error("Cannot find module '"+i+"'");throw a.code="MODULE_NOT_FOUND",a}var p=n[i]={exports:{}};e[i][0].call(p.exports,function(r){var n=e[i][1][r];return o(n||r)},p,p.exports,r,e,n,t)}return n[i].exports}for(var u="function"==typeof require&&require,i=0;i<t.length;i++)o(t[i]);return o}return r})()({1:[function(require,module,exports){
module.exports = function (it) {
  if (typeof it != 'function') {
    throw TypeError(String(it) + ' is not a function');
  } return it;
};

},{}],2:[function(require,module,exports){
var isObject = require('../internals/is-object');

module.exports = function (it) {
  if (!isObject(it) && it !== null) {
    throw TypeError("Can't set " + String(it) + ' as a prototype');
  } return it;
};

},{"../internals/is-object":37}],3:[function(require,module,exports){
var wellKnownSymbol = require('../internals/well-known-symbol');
var create = require('../internals/object-create');
var definePropertyModule = require('../internals/object-define-property');

var UNSCOPABLES = wellKnownSymbol('unscopables');
var ArrayPrototype = Array.prototype;

// Array.prototype[@@unscopables]
// https://tc39.github.io/ecma262/#sec-array.prototype-@@unscopables
if (ArrayPrototype[UNSCOPABLES] == undefined) {
  definePropertyModule.f(ArrayPrototype, UNSCOPABLES, {
    configurable: true,
    value: create(null)
  });
}

// add a key to Array.prototype[@@unscopables]
module.exports = function (key) {
  ArrayPrototype[UNSCOPABLES][key] = true;
};

},{"../internals/object-create":45,"../internals/object-define-property":47,"../internals/well-known-symbol":77}],4:[function(require,module,exports){
module.exports = function (it, Constructor, name) {
  if (!(it instanceof Constructor)) {
    throw TypeError('Incorrect ' + (name ? name + ' ' : '') + 'invocation');
  } return it;
};

},{}],5:[function(require,module,exports){
var isObject = require('../internals/is-object');

module.exports = function (it) {
  if (!isObject(it)) {
    throw TypeError(String(it) + ' is not an object');
  } return it;
};

},{"../internals/is-object":37}],6:[function(require,module,exports){
'use strict';
var bind = require('../internals/function-bind-context');
var toObject = require('../internals/to-object');
var callWithSafeIterationClosing = require('../internals/call-with-safe-iteration-closing');
var isArrayIteratorMethod = require('../internals/is-array-iterator-method');
var toLength = require('../internals/to-length');
var createProperty = require('../internals/create-property');
var getIteratorMethod = require('../internals/get-iterator-method');

// `Array.from` method implementation
// https://tc39.github.io/ecma262/#sec-array.from
module.exports = function from(arrayLike /* , mapfn = undefined, thisArg = undefined */) {
  var O = toObject(arrayLike);
  var C = typeof this == 'function' ? this : Array;
  var argumentsLength = arguments.length;
  var mapfn = argumentsLength > 1 ? arguments[1] : undefined;
  var mapping = mapfn !== undefined;
  var iteratorMethod = getIteratorMethod(O);
  var index = 0;
  var length, result, step, iterator, next, value;
  if (mapping) mapfn = bind(mapfn, argumentsLength > 2 ? arguments[2] : undefined, 2);
  // if the target is not iterable or it's an array with the default iterator - use a simple case
  if (iteratorMethod != undefined && !(C == Array && isArrayIteratorMethod(iteratorMethod))) {
    iterator = iteratorMethod.call(O);
    next = iterator.next;
    result = new C();
    for (;!(step = next.call(iterator)).done; index++) {
      value = mapping ? callWithSafeIterationClosing(iterator, mapfn, [step.value, index], true) : step.value;
      createProperty(result, index, value);
    }
  } else {
    length = toLength(O.length);
    result = new C(length);
    for (;length > index; index++) {
      value = mapping ? mapfn(O[index], index) : O[index];
      createProperty(result, index, value);
    }
  }
  result.length = index;
  return result;
};

},{"../internals/call-with-safe-iteration-closing":8,"../internals/create-property":16,"../internals/function-bind-context":23,"../internals/get-iterator-method":25,"../internals/is-array-iterator-method":35,"../internals/to-length":71,"../internals/to-object":72}],7:[function(require,module,exports){
var toIndexedObject = require('../internals/to-indexed-object');
var toLength = require('../internals/to-length');
var toAbsoluteIndex = require('../internals/to-absolute-index');

// `Array.prototype.{ indexOf, includes }` methods implementation
var createMethod = function (IS_INCLUDES) {
  return function ($this, el, fromIndex) {
    var O = toIndexedObject($this);
    var length = toLength(O.length);
    var index = toAbsoluteIndex(fromIndex, length);
    var value;
    // Array#includes uses SameValueZero equality algorithm
    // eslint-disable-next-line no-self-compare
    if (IS_INCLUDES && el != el) while (length > index) {
      value = O[index++];
      // eslint-disable-next-line no-self-compare
      if (value != value) return true;
    // Array#indexOf ignores holes, Array#includes - not
    } else for (;length > index; index++) {
      if ((IS_INCLUDES || index in O) && O[index] === el) return IS_INCLUDES || index || 0;
    } return !IS_INCLUDES && -1;
  };
};

module.exports = {
  // `Array.prototype.includes` method
  // https://tc39.github.io/ecma262/#sec-array.prototype.includes
  includes: createMethod(true),
  // `Array.prototype.indexOf` method
  // https://tc39.github.io/ecma262/#sec-array.prototype.indexof
  indexOf: createMethod(false)
};

},{"../internals/to-absolute-index":68,"../internals/to-indexed-object":69,"../internals/to-length":71}],8:[function(require,module,exports){
var anObject = require('../internals/an-object');

// call something on iterator step with safe closing on error
module.exports = function (iterator, fn, value, ENTRIES) {
  try {
    return ENTRIES ? fn(anObject(value)[0], value[1]) : fn(value);
  // 7.4.6 IteratorClose(iterator, completion)
  } catch (error) {
    var returnMethod = iterator['return'];
    if (returnMethod !== undefined) anObject(returnMethod.call(iterator));
    throw error;
  }
};

},{"../internals/an-object":5}],9:[function(require,module,exports){
var toString = {}.toString;

module.exports = function (it) {
  return toString.call(it).slice(8, -1);
};

},{}],10:[function(require,module,exports){
var TO_STRING_TAG_SUPPORT = require('../internals/to-string-tag-support');
var classofRaw = require('../internals/classof-raw');
var wellKnownSymbol = require('../internals/well-known-symbol');

var TO_STRING_TAG = wellKnownSymbol('toStringTag');
// ES3 wrong here
var CORRECT_ARGUMENTS = classofRaw(function () { return arguments; }()) == 'Arguments';

// fallback for IE11 Script Access Denied error
var tryGet = function (it, key) {
  try {
    return it[key];
  } catch (error) { /* empty */ }
};

// getting tag from ES6+ `Object.prototype.toString`
module.exports = TO_STRING_TAG_SUPPORT ? classofRaw : function (it) {
  var O, tag, result;
  return it === undefined ? 'Undefined' : it === null ? 'Null'
    // @@toStringTag case
    : typeof (tag = tryGet(O = Object(it), TO_STRING_TAG)) == 'string' ? tag
    // builtinTag case
    : CORRECT_ARGUMENTS ? classofRaw(O)
    // ES3 arguments fallback
    : (result = classofRaw(O)) == 'Object' && typeof O.callee == 'function' ? 'Arguments' : result;
};

},{"../internals/classof-raw":9,"../internals/to-string-tag-support":74,"../internals/well-known-symbol":77}],11:[function(require,module,exports){
var has = require('../internals/has');
var ownKeys = require('../internals/own-keys');
var getOwnPropertyDescriptorModule = require('../internals/object-get-own-property-descriptor');
var definePropertyModule = require('../internals/object-define-property');

module.exports = function (target, source) {
  var keys = ownKeys(source);
  var defineProperty = definePropertyModule.f;
  var getOwnPropertyDescriptor = getOwnPropertyDescriptorModule.f;
  for (var i = 0; i < keys.length; i++) {
    var key = keys[i];
    if (!has(target, key)) defineProperty(target, key, getOwnPropertyDescriptor(source, key));
  }
};

},{"../internals/has":28,"../internals/object-define-property":47,"../internals/object-get-own-property-descriptor":48,"../internals/own-keys":56}],12:[function(require,module,exports){
var fails = require('../internals/fails');

module.exports = !fails(function () {
  function F() { /* empty */ }
  F.prototype.constructor = null;
  return Object.getPrototypeOf(new F()) !== F.prototype;
});

},{"../internals/fails":22}],13:[function(require,module,exports){
'use strict';
var IteratorPrototype = require('../internals/iterators-core').IteratorPrototype;
var create = require('../internals/object-create');
var createPropertyDescriptor = require('../internals/create-property-descriptor');
var setToStringTag = require('../internals/set-to-string-tag');
var Iterators = require('../internals/iterators');

var returnThis = function () { return this; };

module.exports = function (IteratorConstructor, NAME, next) {
  var TO_STRING_TAG = NAME + ' Iterator';
  IteratorConstructor.prototype = create(IteratorPrototype, { next: createPropertyDescriptor(1, next) });
  setToStringTag(IteratorConstructor, TO_STRING_TAG, false, true);
  Iterators[TO_STRING_TAG] = returnThis;
  return IteratorConstructor;
};

},{"../internals/create-property-descriptor":15,"../internals/iterators":40,"../internals/iterators-core":39,"../internals/object-create":45,"../internals/set-to-string-tag":62}],14:[function(require,module,exports){
var DESCRIPTORS = require('../internals/descriptors');
var definePropertyModule = require('../internals/object-define-property');
var createPropertyDescriptor = require('../internals/create-property-descriptor');

module.exports = DESCRIPTORS ? function (object, key, value) {
  return definePropertyModule.f(object, key, createPropertyDescriptor(1, value));
} : function (object, key, value) {
  object[key] = value;
  return object;
};

},{"../internals/create-property-descriptor":15,"../internals/descriptors":18,"../internals/object-define-property":47}],15:[function(require,module,exports){
module.exports = function (bitmap, value) {
  return {
    enumerable: !(bitmap & 1),
    configurable: !(bitmap & 2),
    writable: !(bitmap & 4),
    value: value
  };
};

},{}],16:[function(require,module,exports){
'use strict';
var toPrimitive = require('../internals/to-primitive');
var definePropertyModule = require('../internals/object-define-property');
var createPropertyDescriptor = require('../internals/create-property-descriptor');

module.exports = function (object, key, value) {
  var propertyKey = toPrimitive(key);
  if (propertyKey in object) definePropertyModule.f(object, propertyKey, createPropertyDescriptor(0, value));
  else object[propertyKey] = value;
};

},{"../internals/create-property-descriptor":15,"../internals/object-define-property":47,"../internals/to-primitive":73}],17:[function(require,module,exports){
'use strict';
var $ = require('../internals/export');
var createIteratorConstructor = require('../internals/create-iterator-constructor');
var getPrototypeOf = require('../internals/object-get-prototype-of');
var setPrototypeOf = require('../internals/object-set-prototype-of');
var setToStringTag = require('../internals/set-to-string-tag');
var createNonEnumerableProperty = require('../internals/create-non-enumerable-property');
var redefine = require('../internals/redefine');
var wellKnownSymbol = require('../internals/well-known-symbol');
var IS_PURE = require('../internals/is-pure');
var Iterators = require('../internals/iterators');
var IteratorsCore = require('../internals/iterators-core');

var IteratorPrototype = IteratorsCore.IteratorPrototype;
var BUGGY_SAFARI_ITERATORS = IteratorsCore.BUGGY_SAFARI_ITERATORS;
var ITERATOR = wellKnownSymbol('iterator');
var KEYS = 'keys';
var VALUES = 'values';
var ENTRIES = 'entries';

var returnThis = function () { return this; };

module.exports = function (Iterable, NAME, IteratorConstructor, next, DEFAULT, IS_SET, FORCED) {
  createIteratorConstructor(IteratorConstructor, NAME, next);

  var getIterationMethod = function (KIND) {
    if (KIND === DEFAULT && defaultIterator) return defaultIterator;
    if (!BUGGY_SAFARI_ITERATORS && KIND in IterablePrototype) return IterablePrototype[KIND];
    switch (KIND) {
      case KEYS: return function keys() { return new IteratorConstructor(this, KIND); };
      case VALUES: return function values() { return new IteratorConstructor(this, KIND); };
      case ENTRIES: return function entries() { return new IteratorConstructor(this, KIND); };
    } return function () { return new IteratorConstructor(this); };
  };

  var TO_STRING_TAG = NAME + ' Iterator';
  var INCORRECT_VALUES_NAME = false;
  var IterablePrototype = Iterable.prototype;
  var nativeIterator = IterablePrototype[ITERATOR]
    || IterablePrototype['@@iterator']
    || DEFAULT && IterablePrototype[DEFAULT];
  var defaultIterator = !BUGGY_SAFARI_ITERATORS && nativeIterator || getIterationMethod(DEFAULT);
  var anyNativeIterator = NAME == 'Array' ? IterablePrototype.entries || nativeIterator : nativeIterator;
  var CurrentIteratorPrototype, methods, KEY;

  // fix native
  if (anyNativeIterator) {
    CurrentIteratorPrototype = getPrototypeOf(anyNativeIterator.call(new Iterable()));
    if (IteratorPrototype !== Object.prototype && CurrentIteratorPrototype.next) {
      if (!IS_PURE && getPrototypeOf(CurrentIteratorPrototype) !== IteratorPrototype) {
        if (setPrototypeOf) {
          setPrototypeOf(CurrentIteratorPrototype, IteratorPrototype);
        } else if (typeof CurrentIteratorPrototype[ITERATOR] != 'function') {
          createNonEnumerableProperty(CurrentIteratorPrototype, ITERATOR, returnThis);
        }
      }
      // Set @@toStringTag to native iterators
      setToStringTag(CurrentIteratorPrototype, TO_STRING_TAG, true, true);
      if (IS_PURE) Iterators[TO_STRING_TAG] = returnThis;
    }
  }

  // fix Array#{values, @@iterator}.name in V8 / FF
  if (DEFAULT == VALUES && nativeIterator && nativeIterator.name !== VALUES) {
    INCORRECT_VALUES_NAME = true;
    defaultIterator = function values() { return nativeIterator.call(this); };
  }

  // define iterator
  if ((!IS_PURE || FORCED) && IterablePrototype[ITERATOR] !== defaultIterator) {
    createNonEnumerableProperty(IterablePrototype, ITERATOR, defaultIterator);
  }
  Iterators[NAME] = defaultIterator;

  // export additional methods
  if (DEFAULT) {
    methods = {
      values: getIterationMethod(VALUES),
      keys: IS_SET ? defaultIterator : getIterationMethod(KEYS),
      entries: getIterationMethod(ENTRIES)
    };
    if (FORCED) for (KEY in methods) {
      if (BUGGY_SAFARI_ITERATORS || INCORRECT_VALUES_NAME || !(KEY in IterablePrototype)) {
        redefine(IterablePrototype, KEY, methods[KEY]);
      }
    } else $({ target: NAME, proto: true, forced: BUGGY_SAFARI_ITERATORS || INCORRECT_VALUES_NAME }, methods);
  }

  return methods;
};

},{"../internals/create-iterator-constructor":13,"../internals/create-non-enumerable-property":14,"../internals/export":21,"../internals/is-pure":38,"../internals/iterators":40,"../internals/iterators-core":39,"../internals/object-get-prototype-of":51,"../internals/object-set-prototype-of":55,"../internals/redefine":59,"../internals/set-to-string-tag":62,"../internals/well-known-symbol":77}],18:[function(require,module,exports){
var fails = require('../internals/fails');

// Thank's IE8 for his funny defineProperty
module.exports = !fails(function () {
  return Object.defineProperty({}, 1, { get: function () { return 7; } })[1] != 7;
});

},{"../internals/fails":22}],19:[function(require,module,exports){
var global = require('../internals/global');
var isObject = require('../internals/is-object');

var document = global.document;
// typeof document.createElement is 'object' in old IE
var EXISTS = isObject(document) && isObject(document.createElement);

module.exports = function (it) {
  return EXISTS ? document.createElement(it) : {};
};

},{"../internals/global":27,"../internals/is-object":37}],20:[function(require,module,exports){
// IE8- don't enum bug keys
module.exports = [
  'constructor',
  'hasOwnProperty',
  'isPrototypeOf',
  'propertyIsEnumerable',
  'toLocaleString',
  'toString',
  'valueOf'
];

},{}],21:[function(require,module,exports){
var global = require('../internals/global');
var getOwnPropertyDescriptor = require('../internals/object-get-own-property-descriptor').f;
var createNonEnumerableProperty = require('../internals/create-non-enumerable-property');
var redefine = require('../internals/redefine');
var setGlobal = require('../internals/set-global');
var copyConstructorProperties = require('../internals/copy-constructor-properties');
var isForced = require('../internals/is-forced');

/*
  options.target      - name of the target object
  options.global      - target is the global object
  options.stat        - export as static methods of target
  options.proto       - export as prototype methods of target
  options.real        - real prototype method for the `pure` version
  options.forced      - export even if the native feature is available
  options.bind        - bind methods to the target, required for the `pure` version
  options.wrap        - wrap constructors to preventing global pollution, required for the `pure` version
  options.unsafe      - use the simple assignment of property instead of delete + defineProperty
  options.sham        - add a flag to not completely full polyfills
  options.enumerable  - export as enumerable property
  options.noTargetGet - prevent calling a getter on target
*/
module.exports = function (options, source) {
  var TARGET = options.target;
  var GLOBAL = options.global;
  var STATIC = options.stat;
  var FORCED, target, key, targetProperty, sourceProperty, descriptor;
  if (GLOBAL) {
    target = global;
  } else if (STATIC) {
    target = global[TARGET] || setGlobal(TARGET, {});
  } else {
    target = (global[TARGET] || {}).prototype;
  }
  if (target) for (key in source) {
    sourceProperty = source[key];
    if (options.noTargetGet) {
      descriptor = getOwnPropertyDescriptor(target, key);
      targetProperty = descriptor && descriptor.value;
    } else targetProperty = target[key];
    FORCED = isForced(GLOBAL ? key : TARGET + (STATIC ? '.' : '#') + key, options.forced);
    // contained in target
    if (!FORCED && targetProperty !== undefined) {
      if (typeof sourceProperty === typeof targetProperty) continue;
      copyConstructorProperties(sourceProperty, targetProperty);
    }
    // add a flag to not completely full polyfills
    if (options.sham || (targetProperty && targetProperty.sham)) {
      createNonEnumerableProperty(sourceProperty, 'sham', true);
    }
    // extend global
    redefine(target, key, sourceProperty, options);
  }
};

},{"../internals/copy-constructor-properties":11,"../internals/create-non-enumerable-property":14,"../internals/global":27,"../internals/is-forced":36,"../internals/object-get-own-property-descriptor":48,"../internals/redefine":59,"../internals/set-global":61}],22:[function(require,module,exports){
module.exports = function (exec) {
  try {
    return !!exec();
  } catch (error) {
    return true;
  }
};

},{}],23:[function(require,module,exports){
var aFunction = require('../internals/a-function');

// optional / simple context binding
module.exports = function (fn, that, length) {
  aFunction(fn);
  if (that === undefined) return fn;
  switch (length) {
    case 0: return function () {
      return fn.call(that);
    };
    case 1: return function (a) {
      return fn.call(that, a);
    };
    case 2: return function (a, b) {
      return fn.call(that, a, b);
    };
    case 3: return function (a, b, c) {
      return fn.call(that, a, b, c);
    };
  }
  return function (/* ...args */) {
    return fn.apply(that, arguments);
  };
};

},{"../internals/a-function":1}],24:[function(require,module,exports){
var path = require('../internals/path');
var global = require('../internals/global');

var aFunction = function (variable) {
  return typeof variable == 'function' ? variable : undefined;
};

module.exports = function (namespace, method) {
  return arguments.length < 2 ? aFunction(path[namespace]) || aFunction(global[namespace])
    : path[namespace] && path[namespace][method] || global[namespace] && global[namespace][method];
};

},{"../internals/global":27,"../internals/path":57}],25:[function(require,module,exports){
var classof = require('../internals/classof');
var Iterators = require('../internals/iterators');
var wellKnownSymbol = require('../internals/well-known-symbol');

var ITERATOR = wellKnownSymbol('iterator');

module.exports = function (it) {
  if (it != undefined) return it[ITERATOR]
    || it['@@iterator']
    || Iterators[classof(it)];
};

},{"../internals/classof":10,"../internals/iterators":40,"../internals/well-known-symbol":77}],26:[function(require,module,exports){
var anObject = require('../internals/an-object');
var getIteratorMethod = require('../internals/get-iterator-method');

module.exports = function (it) {
  var iteratorMethod = getIteratorMethod(it);
  if (typeof iteratorMethod != 'function') {
    throw TypeError(String(it) + ' is not iterable');
  } return anObject(iteratorMethod.call(it));
};

},{"../internals/an-object":5,"../internals/get-iterator-method":25}],27:[function(require,module,exports){
(function (global){
var check = function (it) {
  return it && it.Math == Math && it;
};

// https://github.com/zloirock/core-js/issues/86#issuecomment-115759028
module.exports =
  // eslint-disable-next-line no-undef
  check(typeof globalThis == 'object' && globalThis) ||
  check(typeof window == 'object' && window) ||
  check(typeof self == 'object' && self) ||
  check(typeof global == 'object' && global) ||
  // eslint-disable-next-line no-new-func
  Function('return this')();

}).call(this,typeof global !== "undefined" ? global : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : {})
},{}],28:[function(require,module,exports){
var hasOwnProperty = {}.hasOwnProperty;

module.exports = function (it, key) {
  return hasOwnProperty.call(it, key);
};

},{}],29:[function(require,module,exports){
module.exports = {};

},{}],30:[function(require,module,exports){
var getBuiltIn = require('../internals/get-built-in');

module.exports = getBuiltIn('document', 'documentElement');

},{"../internals/get-built-in":24}],31:[function(require,module,exports){
var DESCRIPTORS = require('../internals/descriptors');
var fails = require('../internals/fails');
var createElement = require('../internals/document-create-element');

// Thank's IE8 for his funny defineProperty
module.exports = !DESCRIPTORS && !fails(function () {
  return Object.defineProperty(createElement('div'), 'a', {
    get: function () { return 7; }
  }).a != 7;
});

},{"../internals/descriptors":18,"../internals/document-create-element":19,"../internals/fails":22}],32:[function(require,module,exports){
var fails = require('../internals/fails');
var classof = require('../internals/classof-raw');

var split = ''.split;

// fallback for non-array-like ES3 and non-enumerable old V8 strings
module.exports = fails(function () {
  // throws an error in rhino, see https://github.com/mozilla/rhino/issues/346
  // eslint-disable-next-line no-prototype-builtins
  return !Object('z').propertyIsEnumerable(0);
}) ? function (it) {
  return classof(it) == 'String' ? split.call(it, '') : Object(it);
} : Object;

},{"../internals/classof-raw":9,"../internals/fails":22}],33:[function(require,module,exports){
var store = require('../internals/shared-store');

var functionToString = Function.toString;

// this helper broken in `3.4.1-3.4.4`, so we can't use `shared` helper
if (typeof store.inspectSource != 'function') {
  store.inspectSource = function (it) {
    return functionToString.call(it);
  };
}

module.exports = store.inspectSource;

},{"../internals/shared-store":64}],34:[function(require,module,exports){
var NATIVE_WEAK_MAP = require('../internals/native-weak-map');
var global = require('../internals/global');
var isObject = require('../internals/is-object');
var createNonEnumerableProperty = require('../internals/create-non-enumerable-property');
var objectHas = require('../internals/has');
var sharedKey = require('../internals/shared-key');
var hiddenKeys = require('../internals/hidden-keys');

var WeakMap = global.WeakMap;
var set, get, has;

var enforce = function (it) {
  return has(it) ? get(it) : set(it, {});
};

var getterFor = function (TYPE) {
  return function (it) {
    var state;
    if (!isObject(it) || (state = get(it)).type !== TYPE) {
      throw TypeError('Incompatible receiver, ' + TYPE + ' required');
    } return state;
  };
};

if (NATIVE_WEAK_MAP) {
  var store = new WeakMap();
  var wmget = store.get;
  var wmhas = store.has;
  var wmset = store.set;
  set = function (it, metadata) {
    wmset.call(store, it, metadata);
    return metadata;
  };
  get = function (it) {
    return wmget.call(store, it) || {};
  };
  has = function (it) {
    return wmhas.call(store, it);
  };
} else {
  var STATE = sharedKey('state');
  hiddenKeys[STATE] = true;
  set = function (it, metadata) {
    createNonEnumerableProperty(it, STATE, metadata);
    return metadata;
  };
  get = function (it) {
    return objectHas(it, STATE) ? it[STATE] : {};
  };
  has = function (it) {
    return objectHas(it, STATE);
  };
}

module.exports = {
  set: set,
  get: get,
  has: has,
  enforce: enforce,
  getterFor: getterFor
};

},{"../internals/create-non-enumerable-property":14,"../internals/global":27,"../internals/has":28,"../internals/hidden-keys":29,"../internals/is-object":37,"../internals/native-weak-map":43,"../internals/shared-key":63}],35:[function(require,module,exports){
var wellKnownSymbol = require('../internals/well-known-symbol');
var Iterators = require('../internals/iterators');

var ITERATOR = wellKnownSymbol('iterator');
var ArrayPrototype = Array.prototype;

// check on default Array iterator
module.exports = function (it) {
  return it !== undefined && (Iterators.Array === it || ArrayPrototype[ITERATOR] === it);
};

},{"../internals/iterators":40,"../internals/well-known-symbol":77}],36:[function(require,module,exports){
var fails = require('../internals/fails');

var replacement = /#|\.prototype\./;

var isForced = function (feature, detection) {
  var value = data[normalize(feature)];
  return value == POLYFILL ? true
    : value == NATIVE ? false
    : typeof detection == 'function' ? fails(detection)
    : !!detection;
};

var normalize = isForced.normalize = function (string) {
  return String(string).replace(replacement, '.').toLowerCase();
};

var data = isForced.data = {};
var NATIVE = isForced.NATIVE = 'N';
var POLYFILL = isForced.POLYFILL = 'P';

module.exports = isForced;

},{"../internals/fails":22}],37:[function(require,module,exports){
module.exports = function (it) {
  return typeof it === 'object' ? it !== null : typeof it === 'function';
};

},{}],38:[function(require,module,exports){
module.exports = false;

},{}],39:[function(require,module,exports){
'use strict';
var getPrototypeOf = require('../internals/object-get-prototype-of');
var createNonEnumerableProperty = require('../internals/create-non-enumerable-property');
var has = require('../internals/has');
var wellKnownSymbol = require('../internals/well-known-symbol');
var IS_PURE = require('../internals/is-pure');

var ITERATOR = wellKnownSymbol('iterator');
var BUGGY_SAFARI_ITERATORS = false;

var returnThis = function () { return this; };

// `%IteratorPrototype%` object
// https://tc39.github.io/ecma262/#sec-%iteratorprototype%-object
var IteratorPrototype, PrototypeOfArrayIteratorPrototype, arrayIterator;

if ([].keys) {
  arrayIterator = [].keys();
  // Safari 8 has buggy iterators w/o `next`
  if (!('next' in arrayIterator)) BUGGY_SAFARI_ITERATORS = true;
  else {
    PrototypeOfArrayIteratorPrototype = getPrototypeOf(getPrototypeOf(arrayIterator));
    if (PrototypeOfArrayIteratorPrototype !== Object.prototype) IteratorPrototype = PrototypeOfArrayIteratorPrototype;
  }
}

if (IteratorPrototype == undefined) IteratorPrototype = {};

// 25.1.2.1.1 %IteratorPrototype%[@@iterator]()
if (!IS_PURE && !has(IteratorPrototype, ITERATOR)) {
  createNonEnumerableProperty(IteratorPrototype, ITERATOR, returnThis);
}

module.exports = {
  IteratorPrototype: IteratorPrototype,
  BUGGY_SAFARI_ITERATORS: BUGGY_SAFARI_ITERATORS
};

},{"../internals/create-non-enumerable-property":14,"../internals/has":28,"../internals/is-pure":38,"../internals/object-get-prototype-of":51,"../internals/well-known-symbol":77}],40:[function(require,module,exports){
arguments[4][29][0].apply(exports,arguments)
},{"dup":29}],41:[function(require,module,exports){
var fails = require('../internals/fails');

module.exports = !!Object.getOwnPropertySymbols && !fails(function () {
  // Chrome 38 Symbol has incorrect toString conversion
  // eslint-disable-next-line no-undef
  return !String(Symbol());
});

},{"../internals/fails":22}],42:[function(require,module,exports){
var fails = require('../internals/fails');
var wellKnownSymbol = require('../internals/well-known-symbol');
var IS_PURE = require('../internals/is-pure');

var ITERATOR = wellKnownSymbol('iterator');

module.exports = !fails(function () {
  var url = new URL('b?a=1&b=2&c=3', 'http://a');
  var searchParams = url.searchParams;
  var result = '';
  url.pathname = 'c%20d';
  searchParams.forEach(function (value, key) {
    searchParams['delete']('b');
    result += key + value;
  });
  return (IS_PURE && !url.toJSON)
    || !searchParams.sort
    || url.href !== 'http://a/c%20d?a=1&c=3'
    || searchParams.get('c') !== '3'
    || String(new URLSearchParams('?a=1')) !== 'a=1'
    || !searchParams[ITERATOR]
    // throws in Edge
    || new URL('https://a@b').username !== 'a'
    || new URLSearchParams(new URLSearchParams('a=b')).get('a') !== 'b'
    // not punycoded in Edge
    || new URL('http://тест').host !== 'xn--e1aybc'
    // not escaped in Chrome 62-
    || new URL('http://a#б').hash !== '#%D0%B1'
    // fails in Chrome 66-
    || result !== 'a1c3'
    // throws in Safari
    || new URL('http://x', undefined).host !== 'x';
});

},{"../internals/fails":22,"../internals/is-pure":38,"../internals/well-known-symbol":77}],43:[function(require,module,exports){
var global = require('../internals/global');
var inspectSource = require('../internals/inspect-source');

var WeakMap = global.WeakMap;

module.exports = typeof WeakMap === 'function' && /native code/.test(inspectSource(WeakMap));

},{"../internals/global":27,"../internals/inspect-source":33}],44:[function(require,module,exports){
'use strict';
var DESCRIPTORS = require('../internals/descriptors');
var fails = require('../internals/fails');
var objectKeys = require('../internals/object-keys');
var getOwnPropertySymbolsModule = require('../internals/object-get-own-property-symbols');
var propertyIsEnumerableModule = require('../internals/object-property-is-enumerable');
var toObject = require('../internals/to-object');
var IndexedObject = require('../internals/indexed-object');

var nativeAssign = Object.assign;
var defineProperty = Object.defineProperty;

// `Object.assign` method
// https://tc39.github.io/ecma262/#sec-object.assign
module.exports = !nativeAssign || fails(function () {
  // should have correct order of operations (Edge bug)
  if (DESCRIPTORS && nativeAssign({ b: 1 }, nativeAssign(defineProperty({}, 'a', {
    enumerable: true,
    get: function () {
      defineProperty(this, 'b', {
        value: 3,
        enumerable: false
      });
    }
  }), { b: 2 })).b !== 1) return true;
  // should work with symbols and should have deterministic property order (V8 bug)
  var A = {};
  var B = {};
  // eslint-disable-next-line no-undef
  var symbol = Symbol();
  var alphabet = 'abcdefghijklmnopqrst';
  A[symbol] = 7;
  alphabet.split('').forEach(function (chr) { B[chr] = chr; });
  return nativeAssign({}, A)[symbol] != 7 || objectKeys(nativeAssign({}, B)).join('') != alphabet;
}) ? function assign(target, source) { // eslint-disable-line no-unused-vars
  var T = toObject(target);
  var argumentsLength = arguments.length;
  var index = 1;
  var getOwnPropertySymbols = getOwnPropertySymbolsModule.f;
  var propertyIsEnumerable = propertyIsEnumerableModule.f;
  while (argumentsLength > index) {
    var S = IndexedObject(arguments[index++]);
    var keys = getOwnPropertySymbols ? objectKeys(S).concat(getOwnPropertySymbols(S)) : objectKeys(S);
    var length = keys.length;
    var j = 0;
    var key;
    while (length > j) {
      key = keys[j++];
      if (!DESCRIPTORS || propertyIsEnumerable.call(S, key)) T[key] = S[key];
    }
  } return T;
} : nativeAssign;

},{"../internals/descriptors":18,"../internals/fails":22,"../internals/indexed-object":32,"../internals/object-get-own-property-symbols":50,"../internals/object-keys":53,"../internals/object-property-is-enumerable":54,"../internals/to-object":72}],45:[function(require,module,exports){
var anObject = require('../internals/an-object');
var defineProperties = require('../internals/object-define-properties');
var enumBugKeys = require('../internals/enum-bug-keys');
var hiddenKeys = require('../internals/hidden-keys');
var html = require('../internals/html');
var documentCreateElement = require('../internals/document-create-element');
var sharedKey = require('../internals/shared-key');

var GT = '>';
var LT = '<';
var PROTOTYPE = 'prototype';
var SCRIPT = 'script';
var IE_PROTO = sharedKey('IE_PROTO');

var EmptyConstructor = function () { /* empty */ };

var scriptTag = function (content) {
  return LT + SCRIPT + GT + content + LT + '/' + SCRIPT + GT;
};

// Create object with fake `null` prototype: use ActiveX Object with cleared prototype
var NullProtoObjectViaActiveX = function (activeXDocument) {
  activeXDocument.write(scriptTag(''));
  activeXDocument.close();
  var temp = activeXDocument.parentWindow.Object;
  activeXDocument = null; // avoid memory leak
  return temp;
};

// Create object with fake `null` prototype: use iframe Object with cleared prototype
var NullProtoObjectViaIFrame = function () {
  // Thrash, waste and sodomy: IE GC bug
  var iframe = documentCreateElement('iframe');
  var JS = 'java' + SCRIPT + ':';
  var iframeDocument;
  iframe.style.display = 'none';
  html.appendChild(iframe);
  // https://github.com/zloirock/core-js/issues/475
  iframe.src = String(JS);
  iframeDocument = iframe.contentWindow.document;
  iframeDocument.open();
  iframeDocument.write(scriptTag('document.F=Object'));
  iframeDocument.close();
  return iframeDocument.F;
};

// Check for document.domain and active x support
// No need to use active x approach when document.domain is not set
// see https://github.com/es-shims/es5-shim/issues/150
// variation of https://github.com/kitcambridge/es5-shim/commit/4f738ac066346
// avoid IE GC bug
var activeXDocument;
var NullProtoObject = function () {
  try {
    /* global ActiveXObject */
    activeXDocument = document.domain && new ActiveXObject('htmlfile');
  } catch (error) { /* ignore */ }
  NullProtoObject = activeXDocument ? NullProtoObjectViaActiveX(activeXDocument) : NullProtoObjectViaIFrame();
  var length = enumBugKeys.length;
  while (length--) delete NullProtoObject[PROTOTYPE][enumBugKeys[length]];
  return NullProtoObject();
};

hiddenKeys[IE_PROTO] = true;

// `Object.create` method
// https://tc39.github.io/ecma262/#sec-object.create
module.exports = Object.create || function create(O, Properties) {
  var result;
  if (O !== null) {
    EmptyConstructor[PROTOTYPE] = anObject(O);
    result = new EmptyConstructor();
    EmptyConstructor[PROTOTYPE] = null;
    // add "__proto__" for Object.getPrototypeOf polyfill
    result[IE_PROTO] = O;
  } else result = NullProtoObject();
  return Properties === undefined ? result : defineProperties(result, Properties);
};

},{"../internals/an-object":5,"../internals/document-create-element":19,"../internals/enum-bug-keys":20,"../internals/hidden-keys":29,"../internals/html":30,"../internals/object-define-properties":46,"../internals/shared-key":63}],46:[function(require,module,exports){
var DESCRIPTORS = require('../internals/descriptors');
var definePropertyModule = require('../internals/object-define-property');
var anObject = require('../internals/an-object');
var objectKeys = require('../internals/object-keys');

// `Object.defineProperties` method
// https://tc39.github.io/ecma262/#sec-object.defineproperties
module.exports = DESCRIPTORS ? Object.defineProperties : function defineProperties(O, Properties) {
  anObject(O);
  var keys = objectKeys(Properties);
  var length = keys.length;
  var index = 0;
  var key;
  while (length > index) definePropertyModule.f(O, key = keys[index++], Properties[key]);
  return O;
};

},{"../internals/an-object":5,"../internals/descriptors":18,"../internals/object-define-property":47,"../internals/object-keys":53}],47:[function(require,module,exports){
var DESCRIPTORS = require('../internals/descriptors');
var IE8_DOM_DEFINE = require('../internals/ie8-dom-define');
var anObject = require('../internals/an-object');
var toPrimitive = require('../internals/to-primitive');

var nativeDefineProperty = Object.defineProperty;

// `Object.defineProperty` method
// https://tc39.github.io/ecma262/#sec-object.defineproperty
exports.f = DESCRIPTORS ? nativeDefineProperty : function defineProperty(O, P, Attributes) {
  anObject(O);
  P = toPrimitive(P, true);
  anObject(Attributes);
  if (IE8_DOM_DEFINE) try {
    return nativeDefineProperty(O, P, Attributes);
  } catch (error) { /* empty */ }
  if ('get' in Attributes || 'set' in Attributes) throw TypeError('Accessors not supported');
  if ('value' in Attributes) O[P] = Attributes.value;
  return O;
};

},{"../internals/an-object":5,"../internals/descriptors":18,"../internals/ie8-dom-define":31,"../internals/to-primitive":73}],48:[function(require,module,exports){
var DESCRIPTORS = require('../internals/descriptors');
var propertyIsEnumerableModule = require('../internals/object-property-is-enumerable');
var createPropertyDescriptor = require('../internals/create-property-descriptor');
var toIndexedObject = require('../internals/to-indexed-object');
var toPrimitive = require('../internals/to-primitive');
var has = require('../internals/has');
var IE8_DOM_DEFINE = require('../internals/ie8-dom-define');

var nativeGetOwnPropertyDescriptor = Object.getOwnPropertyDescriptor;

// `Object.getOwnPropertyDescriptor` method
// https://tc39.github.io/ecma262/#sec-object.getownpropertydescriptor
exports.f = DESCRIPTORS ? nativeGetOwnPropertyDescriptor : function getOwnPropertyDescriptor(O, P) {
  O = toIndexedObject(O);
  P = toPrimitive(P, true);
  if (IE8_DOM_DEFINE) try {
    return nativeGetOwnPropertyDescriptor(O, P);
  } catch (error) { /* empty */ }
  if (has(O, P)) return createPropertyDescriptor(!propertyIsEnumerableModule.f.call(O, P), O[P]);
};

},{"../internals/create-property-descriptor":15,"../internals/descriptors":18,"../internals/has":28,"../internals/ie8-dom-define":31,"../internals/object-property-is-enumerable":54,"../internals/to-indexed-object":69,"../internals/to-primitive":73}],49:[function(require,module,exports){
var internalObjectKeys = require('../internals/object-keys-internal');
var enumBugKeys = require('../internals/enum-bug-keys');

var hiddenKeys = enumBugKeys.concat('length', 'prototype');

// `Object.getOwnPropertyNames` method
// https://tc39.github.io/ecma262/#sec-object.getownpropertynames
exports.f = Object.getOwnPropertyNames || function getOwnPropertyNames(O) {
  return internalObjectKeys(O, hiddenKeys);
};

},{"../internals/enum-bug-keys":20,"../internals/object-keys-internal":52}],50:[function(require,module,exports){
exports.f = Object.getOwnPropertySymbols;

},{}],51:[function(require,module,exports){
var has = require('../internals/has');
var toObject = require('../internals/to-object');
var sharedKey = require('../internals/shared-key');
var CORRECT_PROTOTYPE_GETTER = require('../internals/correct-prototype-getter');

var IE_PROTO = sharedKey('IE_PROTO');
var ObjectPrototype = Object.prototype;

// `Object.getPrototypeOf` method
// https://tc39.github.io/ecma262/#sec-object.getprototypeof
module.exports = CORRECT_PROTOTYPE_GETTER ? Object.getPrototypeOf : function (O) {
  O = toObject(O);
  if (has(O, IE_PROTO)) return O[IE_PROTO];
  if (typeof O.constructor == 'function' && O instanceof O.constructor) {
    return O.constructor.prototype;
  } return O instanceof Object ? ObjectPrototype : null;
};

},{"../internals/correct-prototype-getter":12,"../internals/has":28,"../internals/shared-key":63,"../internals/to-object":72}],52:[function(require,module,exports){
var has = require('../internals/has');
var toIndexedObject = require('../internals/to-indexed-object');
var indexOf = require('../internals/array-includes').indexOf;
var hiddenKeys = require('../internals/hidden-keys');

module.exports = function (object, names) {
  var O = toIndexedObject(object);
  var i = 0;
  var result = [];
  var key;
  for (key in O) !has(hiddenKeys, key) && has(O, key) && result.push(key);
  // Don't enum bug & hidden keys
  while (names.length > i) if (has(O, key = names[i++])) {
    ~indexOf(result, key) || result.push(key);
  }
  return result;
};

},{"../internals/array-includes":7,"../internals/has":28,"../internals/hidden-keys":29,"../internals/to-indexed-object":69}],53:[function(require,module,exports){
var internalObjectKeys = require('../internals/object-keys-internal');
var enumBugKeys = require('../internals/enum-bug-keys');

// `Object.keys` method
// https://tc39.github.io/ecma262/#sec-object.keys
module.exports = Object.keys || function keys(O) {
  return internalObjectKeys(O, enumBugKeys);
};

},{"../internals/enum-bug-keys":20,"../internals/object-keys-internal":52}],54:[function(require,module,exports){
'use strict';
var nativePropertyIsEnumerable = {}.propertyIsEnumerable;
var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor;

// Nashorn ~ JDK8 bug
var NASHORN_BUG = getOwnPropertyDescriptor && !nativePropertyIsEnumerable.call({ 1: 2 }, 1);

// `Object.prototype.propertyIsEnumerable` method implementation
// https://tc39.github.io/ecma262/#sec-object.prototype.propertyisenumerable
exports.f = NASHORN_BUG ? function propertyIsEnumerable(V) {
  var descriptor = getOwnPropertyDescriptor(this, V);
  return !!descriptor && descriptor.enumerable;
} : nativePropertyIsEnumerable;

},{}],55:[function(require,module,exports){
var anObject = require('../internals/an-object');
var aPossiblePrototype = require('../internals/a-possible-prototype');

// `Object.setPrototypeOf` method
// https://tc39.github.io/ecma262/#sec-object.setprototypeof
// Works with __proto__ only. Old v8 can't work with null proto objects.
/* eslint-disable no-proto */
module.exports = Object.setPrototypeOf || ('__proto__' in {} ? function () {
  var CORRECT_SETTER = false;
  var test = {};
  var setter;
  try {
    setter = Object.getOwnPropertyDescriptor(Object.prototype, '__proto__').set;
    setter.call(test, []);
    CORRECT_SETTER = test instanceof Array;
  } catch (error) { /* empty */ }
  return function setPrototypeOf(O, proto) {
    anObject(O);
    aPossiblePrototype(proto);
    if (CORRECT_SETTER) setter.call(O, proto);
    else O.__proto__ = proto;
    return O;
  };
}() : undefined);

},{"../internals/a-possible-prototype":2,"../internals/an-object":5}],56:[function(require,module,exports){
var getBuiltIn = require('../internals/get-built-in');
var getOwnPropertyNamesModule = require('../internals/object-get-own-property-names');
var getOwnPropertySymbolsModule = require('../internals/object-get-own-property-symbols');
var anObject = require('../internals/an-object');

// all object keys, includes non-enumerable and symbols
module.exports = getBuiltIn('Reflect', 'ownKeys') || function ownKeys(it) {
  var keys = getOwnPropertyNamesModule.f(anObject(it));
  var getOwnPropertySymbols = getOwnPropertySymbolsModule.f;
  return getOwnPropertySymbols ? keys.concat(getOwnPropertySymbols(it)) : keys;
};

},{"../internals/an-object":5,"../internals/get-built-in":24,"../internals/object-get-own-property-names":49,"../internals/object-get-own-property-symbols":50}],57:[function(require,module,exports){
var global = require('../internals/global');

module.exports = global;

},{"../internals/global":27}],58:[function(require,module,exports){
var redefine = require('../internals/redefine');

module.exports = function (target, src, options) {
  for (var key in src) redefine(target, key, src[key], options);
  return target;
};

},{"../internals/redefine":59}],59:[function(require,module,exports){
var global = require('../internals/global');
var createNonEnumerableProperty = require('../internals/create-non-enumerable-property');
var has = require('../internals/has');
var setGlobal = require('../internals/set-global');
var inspectSource = require('../internals/inspect-source');
var InternalStateModule = require('../internals/internal-state');

var getInternalState = InternalStateModule.get;
var enforceInternalState = InternalStateModule.enforce;
var TEMPLATE = String(String).split('String');

(module.exports = function (O, key, value, options) {
  var unsafe = options ? !!options.unsafe : false;
  var simple = options ? !!options.enumerable : false;
  var noTargetGet = options ? !!options.noTargetGet : false;
  if (typeof value == 'function') {
    if (typeof key == 'string' && !has(value, 'name')) createNonEnumerableProperty(value, 'name', key);
    enforceInternalState(value).source = TEMPLATE.join(typeof key == 'string' ? key : '');
  }
  if (O === global) {
    if (simple) O[key] = value;
    else setGlobal(key, value);
    return;
  } else if (!unsafe) {
    delete O[key];
  } else if (!noTargetGet && O[key]) {
    simple = true;
  }
  if (simple) O[key] = value;
  else createNonEnumerableProperty(O, key, value);
// add fake Function#toString for correct work wrapped methods / constructors with methods like LoDash isNative
})(Function.prototype, 'toString', function toString() {
  return typeof this == 'function' && getInternalState(this).source || inspectSource(this);
});

},{"../internals/create-non-enumerable-property":14,"../internals/global":27,"../internals/has":28,"../internals/inspect-source":33,"../internals/internal-state":34,"../internals/set-global":61}],60:[function(require,module,exports){
// `RequireObjectCoercible` abstract operation
// https://tc39.github.io/ecma262/#sec-requireobjectcoercible
module.exports = function (it) {
  if (it == undefined) throw TypeError("Can't call method on " + it);
  return it;
};

},{}],61:[function(require,module,exports){
var global = require('../internals/global');
var createNonEnumerableProperty = require('../internals/create-non-enumerable-property');

module.exports = function (key, value) {
  try {
    createNonEnumerableProperty(global, key, value);
  } catch (error) {
    global[key] = value;
  } return value;
};

},{"../internals/create-non-enumerable-property":14,"../internals/global":27}],62:[function(require,module,exports){
var defineProperty = require('../internals/object-define-property').f;
var has = require('../internals/has');
var wellKnownSymbol = require('../internals/well-known-symbol');

var TO_STRING_TAG = wellKnownSymbol('toStringTag');

module.exports = function (it, TAG, STATIC) {
  if (it && !has(it = STATIC ? it : it.prototype, TO_STRING_TAG)) {
    defineProperty(it, TO_STRING_TAG, { configurable: true, value: TAG });
  }
};

},{"../internals/has":28,"../internals/object-define-property":47,"../internals/well-known-symbol":77}],63:[function(require,module,exports){
var shared = require('../internals/shared');
var uid = require('../internals/uid');

var keys = shared('keys');

module.exports = function (key) {
  return keys[key] || (keys[key] = uid(key));
};

},{"../internals/shared":65,"../internals/uid":75}],64:[function(require,module,exports){
var global = require('../internals/global');
var setGlobal = require('../internals/set-global');

var SHARED = '__core-js_shared__';
var store = global[SHARED] || setGlobal(SHARED, {});

module.exports = store;

},{"../internals/global":27,"../internals/set-global":61}],65:[function(require,module,exports){
var IS_PURE = require('../internals/is-pure');
var store = require('../internals/shared-store');

(module.exports = function (key, value) {
  return store[key] || (store[key] = value !== undefined ? value : {});
})('versions', []).push({
  version: '3.6.4',
  mode: IS_PURE ? 'pure' : 'global',
  copyright: '© 2020 Denis Pushkarev (zloirock.ru)'
});

},{"../internals/is-pure":38,"../internals/shared-store":64}],66:[function(require,module,exports){
var toInteger = require('../internals/to-integer');
var requireObjectCoercible = require('../internals/require-object-coercible');

// `String.prototype.{ codePointAt, at }` methods implementation
var createMethod = function (CONVERT_TO_STRING) {
  return function ($this, pos) {
    var S = String(requireObjectCoercible($this));
    var position = toInteger(pos);
    var size = S.length;
    var first, second;
    if (position < 0 || position >= size) return CONVERT_TO_STRING ? '' : undefined;
    first = S.charCodeAt(position);
    return first < 0xD800 || first > 0xDBFF || position + 1 === size
      || (second = S.charCodeAt(position + 1)) < 0xDC00 || second > 0xDFFF
        ? CONVERT_TO_STRING ? S.charAt(position) : first
        : CONVERT_TO_STRING ? S.slice(position, position + 2) : (first - 0xD800 << 10) + (second - 0xDC00) + 0x10000;
  };
};

module.exports = {
  // `String.prototype.codePointAt` method
  // https://tc39.github.io/ecma262/#sec-string.prototype.codepointat
  codeAt: createMethod(false),
  // `String.prototype.at` method
  // https://github.com/mathiasbynens/String.prototype.at
  charAt: createMethod(true)
};

},{"../internals/require-object-coercible":60,"../internals/to-integer":70}],67:[function(require,module,exports){
'use strict';
// based on https://github.com/bestiejs/punycode.js/blob/master/punycode.js
var maxInt = 2147483647; // aka. 0x7FFFFFFF or 2^31-1
var base = 36;
var tMin = 1;
var tMax = 26;
var skew = 38;
var damp = 700;
var initialBias = 72;
var initialN = 128; // 0x80
var delimiter = '-'; // '\x2D'
var regexNonASCII = /[^\0-\u007E]/; // non-ASCII chars
var regexSeparators = /[.\u3002\uFF0E\uFF61]/g; // RFC 3490 separators
var OVERFLOW_ERROR = 'Overflow: input needs wider integers to process';
var baseMinusTMin = base - tMin;
var floor = Math.floor;
var stringFromCharCode = String.fromCharCode;

/**
 * Creates an array containing the numeric code points of each Unicode
 * character in the string. While JavaScript uses UCS-2 internally,
 * this function will convert a pair of surrogate halves (each of which
 * UCS-2 exposes as separate characters) into a single code point,
 * matching UTF-16.
 */
var ucs2decode = function (string) {
  var output = [];
  var counter = 0;
  var length = string.length;
  while (counter < length) {
    var value = string.charCodeAt(counter++);
    if (value >= 0xD800 && value <= 0xDBFF && counter < length) {
      // It's a high surrogate, and there is a next character.
      var extra = string.charCodeAt(counter++);
      if ((extra & 0xFC00) == 0xDC00) { // Low surrogate.
        output.push(((value & 0x3FF) << 10) + (extra & 0x3FF) + 0x10000);
      } else {
        // It's an unmatched surrogate; only append this code unit, in case the
        // next code unit is the high surrogate of a surrogate pair.
        output.push(value);
        counter--;
      }
    } else {
      output.push(value);
    }
  }
  return output;
};

/**
 * Converts a digit/integer into a basic code point.
 */
var digitToBasic = function (digit) {
  //  0..25 map to ASCII a..z or A..Z
  // 26..35 map to ASCII 0..9
  return digit + 22 + 75 * (digit < 26);
};

/**
 * Bias adaptation function as per section 3.4 of RFC 3492.
 * https://tools.ietf.org/html/rfc3492#section-3.4
 */
var adapt = function (delta, numPoints, firstTime) {
  var k = 0;
  delta = firstTime ? floor(delta / damp) : delta >> 1;
  delta += floor(delta / numPoints);
  for (; delta > baseMinusTMin * tMax >> 1; k += base) {
    delta = floor(delta / baseMinusTMin);
  }
  return floor(k + (baseMinusTMin + 1) * delta / (delta + skew));
};

/**
 * Converts a string of Unicode symbols (e.g. a domain name label) to a
 * Punycode string of ASCII-only symbols.
 */
// eslint-disable-next-line  max-statements
var encode = function (input) {
  var output = [];

  // Convert the input in UCS-2 to an array of Unicode code points.
  input = ucs2decode(input);

  // Cache the length.
  var inputLength = input.length;

  // Initialize the state.
  var n = initialN;
  var delta = 0;
  var bias = initialBias;
  var i, currentValue;

  // Handle the basic code points.
  for (i = 0; i < input.length; i++) {
    currentValue = input[i];
    if (currentValue < 0x80) {
      output.push(stringFromCharCode(currentValue));
    }
  }

  var basicLength = output.length; // number of basic code points.
  var handledCPCount = basicLength; // number of code points that have been handled;

  // Finish the basic string with a delimiter unless it's empty.
  if (basicLength) {
    output.push(delimiter);
  }

  // Main encoding loop:
  while (handledCPCount < inputLength) {
    // All non-basic code points < n have been handled already. Find the next larger one:
    var m = maxInt;
    for (i = 0; i < input.length; i++) {
      currentValue = input[i];
      if (currentValue >= n && currentValue < m) {
        m = currentValue;
      }
    }

    // Increase `delta` enough to advance the decoder's <n,i> state to <m,0>, but guard against overflow.
    var handledCPCountPlusOne = handledCPCount + 1;
    if (m - n > floor((maxInt - delta) / handledCPCountPlusOne)) {
      throw RangeError(OVERFLOW_ERROR);
    }

    delta += (m - n) * handledCPCountPlusOne;
    n = m;

    for (i = 0; i < input.length; i++) {
      currentValue = input[i];
      if (currentValue < n && ++delta > maxInt) {
        throw RangeError(OVERFLOW_ERROR);
      }
      if (currentValue == n) {
        // Represent delta as a generalized variable-length integer.
        var q = delta;
        for (var k = base; /* no condition */; k += base) {
          var t = k <= bias ? tMin : (k >= bias + tMax ? tMax : k - bias);
          if (q < t) break;
          var qMinusT = q - t;
          var baseMinusT = base - t;
          output.push(stringFromCharCode(digitToBasic(t + qMinusT % baseMinusT)));
          q = floor(qMinusT / baseMinusT);
        }

        output.push(stringFromCharCode(digitToBasic(q)));
        bias = adapt(delta, handledCPCountPlusOne, handledCPCount == basicLength);
        delta = 0;
        ++handledCPCount;
      }
    }

    ++delta;
    ++n;
  }
  return output.join('');
};

module.exports = function (input) {
  var encoded = [];
  var labels = input.toLowerCase().replace(regexSeparators, '\u002E').split('.');
  var i, label;
  for (i = 0; i < labels.length; i++) {
    label = labels[i];
    encoded.push(regexNonASCII.test(label) ? 'xn--' + encode(label) : label);
  }
  return encoded.join('.');
};

},{}],68:[function(require,module,exports){
var toInteger = require('../internals/to-integer');

var max = Math.max;
var min = Math.min;

// Helper for a popular repeating case of the spec:
// Let integer be ? ToInteger(index).
// If integer < 0, let result be max((length + integer), 0); else let result be min(integer, length).
module.exports = function (index, length) {
  var integer = toInteger(index);
  return integer < 0 ? max(integer + length, 0) : min(integer, length);
};

},{"../internals/to-integer":70}],69:[function(require,module,exports){
// toObject with fallback for non-array-like ES3 strings
var IndexedObject = require('../internals/indexed-object');
var requireObjectCoercible = require('../internals/require-object-coercible');

module.exports = function (it) {
  return IndexedObject(requireObjectCoercible(it));
};

},{"../internals/indexed-object":32,"../internals/require-object-coercible":60}],70:[function(require,module,exports){
var ceil = Math.ceil;
var floor = Math.floor;

// `ToInteger` abstract operation
// https://tc39.github.io/ecma262/#sec-tointeger
module.exports = function (argument) {
  return isNaN(argument = +argument) ? 0 : (argument > 0 ? floor : ceil)(argument);
};

},{}],71:[function(require,module,exports){
var toInteger = require('../internals/to-integer');

var min = Math.min;

// `ToLength` abstract operation
// https://tc39.github.io/ecma262/#sec-tolength
module.exports = function (argument) {
  return argument > 0 ? min(toInteger(argument), 0x1FFFFFFFFFFFFF) : 0; // 2 ** 53 - 1 == 9007199254740991
};

},{"../internals/to-integer":70}],72:[function(require,module,exports){
var requireObjectCoercible = require('../internals/require-object-coercible');

// `ToObject` abstract operation
// https://tc39.github.io/ecma262/#sec-toobject
module.exports = function (argument) {
  return Object(requireObjectCoercible(argument));
};

},{"../internals/require-object-coercible":60}],73:[function(require,module,exports){
var isObject = require('../internals/is-object');

// `ToPrimitive` abstract operation
// https://tc39.github.io/ecma262/#sec-toprimitive
// instead of the ES6 spec version, we didn't implement @@toPrimitive case
// and the second argument - flag - preferred type is a string
module.exports = function (input, PREFERRED_STRING) {
  if (!isObject(input)) return input;
  var fn, val;
  if (PREFERRED_STRING && typeof (fn = input.toString) == 'function' && !isObject(val = fn.call(input))) return val;
  if (typeof (fn = input.valueOf) == 'function' && !isObject(val = fn.call(input))) return val;
  if (!PREFERRED_STRING && typeof (fn = input.toString) == 'function' && !isObject(val = fn.call(input))) return val;
  throw TypeError("Can't convert object to primitive value");
};

},{"../internals/is-object":37}],74:[function(require,module,exports){
var wellKnownSymbol = require('../internals/well-known-symbol');

var TO_STRING_TAG = wellKnownSymbol('toStringTag');
var test = {};

test[TO_STRING_TAG] = 'z';

module.exports = String(test) === '[object z]';

},{"../internals/well-known-symbol":77}],75:[function(require,module,exports){
var id = 0;
var postfix = Math.random();

module.exports = function (key) {
  return 'Symbol(' + String(key === undefined ? '' : key) + ')_' + (++id + postfix).toString(36);
};

},{}],76:[function(require,module,exports){
var NATIVE_SYMBOL = require('../internals/native-symbol');

module.exports = NATIVE_SYMBOL
  // eslint-disable-next-line no-undef
  && !Symbol.sham
  // eslint-disable-next-line no-undef
  && typeof Symbol.iterator == 'symbol';

},{"../internals/native-symbol":41}],77:[function(require,module,exports){
var global = require('../internals/global');
var shared = require('../internals/shared');
var has = require('../internals/has');
var uid = require('../internals/uid');
var NATIVE_SYMBOL = require('../internals/native-symbol');
var USE_SYMBOL_AS_UID = require('../internals/use-symbol-as-uid');

var WellKnownSymbolsStore = shared('wks');
var Symbol = global.Symbol;
var createWellKnownSymbol = USE_SYMBOL_AS_UID ? Symbol : Symbol && Symbol.withoutSetter || uid;

module.exports = function (name) {
  if (!has(WellKnownSymbolsStore, name)) {
    if (NATIVE_SYMBOL && has(Symbol, name)) WellKnownSymbolsStore[name] = Symbol[name];
    else WellKnownSymbolsStore[name] = createWellKnownSymbol('Symbol.' + name);
  } return WellKnownSymbolsStore[name];
};

},{"../internals/global":27,"../internals/has":28,"../internals/native-symbol":41,"../internals/shared":65,"../internals/uid":75,"../internals/use-symbol-as-uid":76}],78:[function(require,module,exports){
'use strict';
var toIndexedObject = require('../internals/to-indexed-object');
var addToUnscopables = require('../internals/add-to-unscopables');
var Iterators = require('../internals/iterators');
var InternalStateModule = require('../internals/internal-state');
var defineIterator = require('../internals/define-iterator');

var ARRAY_ITERATOR = 'Array Iterator';
var setInternalState = InternalStateModule.set;
var getInternalState = InternalStateModule.getterFor(ARRAY_ITERATOR);

// `Array.prototype.entries` method
// https://tc39.github.io/ecma262/#sec-array.prototype.entries
// `Array.prototype.keys` method
// https://tc39.github.io/ecma262/#sec-array.prototype.keys
// `Array.prototype.values` method
// https://tc39.github.io/ecma262/#sec-array.prototype.values
// `Array.prototype[@@iterator]` method
// https://tc39.github.io/ecma262/#sec-array.prototype-@@iterator
// `CreateArrayIterator` internal method
// https://tc39.github.io/ecma262/#sec-createarrayiterator
module.exports = defineIterator(Array, 'Array', function (iterated, kind) {
  setInternalState(this, {
    type: ARRAY_ITERATOR,
    target: toIndexedObject(iterated), // target
    index: 0,                          // next index
    kind: kind                         // kind
  });
// `%ArrayIteratorPrototype%.next` method
// https://tc39.github.io/ecma262/#sec-%arrayiteratorprototype%.next
}, function () {
  var state = getInternalState(this);
  var target = state.target;
  var kind = state.kind;
  var index = state.index++;
  if (!target || index >= target.length) {
    state.target = undefined;
    return { value: undefined, done: true };
  }
  if (kind == 'keys') return { value: index, done: false };
  if (kind == 'values') return { value: target[index], done: false };
  return { value: [index, target[index]], done: false };
}, 'values');

// argumentsList[@@iterator] is %ArrayProto_values%
// https://tc39.github.io/ecma262/#sec-createunmappedargumentsobject
// https://tc39.github.io/ecma262/#sec-createmappedargumentsobject
Iterators.Arguments = Iterators.Array;

// https://tc39.github.io/ecma262/#sec-array.prototype-@@unscopables
addToUnscopables('keys');
addToUnscopables('values');
addToUnscopables('entries');

},{"../internals/add-to-unscopables":3,"../internals/define-iterator":17,"../internals/internal-state":34,"../internals/iterators":40,"../internals/to-indexed-object":69}],79:[function(require,module,exports){
'use strict';
var charAt = require('../internals/string-multibyte').charAt;
var InternalStateModule = require('../internals/internal-state');
var defineIterator = require('../internals/define-iterator');

var STRING_ITERATOR = 'String Iterator';
var setInternalState = InternalStateModule.set;
var getInternalState = InternalStateModule.getterFor(STRING_ITERATOR);

// `String.prototype[@@iterator]` method
// https://tc39.github.io/ecma262/#sec-string.prototype-@@iterator
defineIterator(String, 'String', function (iterated) {
  setInternalState(this, {
    type: STRING_ITERATOR,
    string: String(iterated),
    index: 0
  });
// `%StringIteratorPrototype%.next` method
// https://tc39.github.io/ecma262/#sec-%stringiteratorprototype%.next
}, function next() {
  var state = getInternalState(this);
  var string = state.string;
  var index = state.index;
  var point;
  if (index >= string.length) return { value: undefined, done: true };
  point = charAt(string, index);
  state.index += point.length;
  return { value: point, done: false };
});

},{"../internals/define-iterator":17,"../internals/internal-state":34,"../internals/string-multibyte":66}],80:[function(require,module,exports){
'use strict';
// TODO: in core-js@4, move /modules/ dependencies to public entries for better optimization by tools like `preset-env`
require('../modules/es.array.iterator');
var $ = require('../internals/export');
var getBuiltIn = require('../internals/get-built-in');
var USE_NATIVE_URL = require('../internals/native-url');
var redefine = require('../internals/redefine');
var redefineAll = require('../internals/redefine-all');
var setToStringTag = require('../internals/set-to-string-tag');
var createIteratorConstructor = require('../internals/create-iterator-constructor');
var InternalStateModule = require('../internals/internal-state');
var anInstance = require('../internals/an-instance');
var hasOwn = require('../internals/has');
var bind = require('../internals/function-bind-context');
var classof = require('../internals/classof');
var anObject = require('../internals/an-object');
var isObject = require('../internals/is-object');
var create = require('../internals/object-create');
var createPropertyDescriptor = require('../internals/create-property-descriptor');
var getIterator = require('../internals/get-iterator');
var getIteratorMethod = require('../internals/get-iterator-method');
var wellKnownSymbol = require('../internals/well-known-symbol');

var $fetch = getBuiltIn('fetch');
var Headers = getBuiltIn('Headers');
var ITERATOR = wellKnownSymbol('iterator');
var URL_SEARCH_PARAMS = 'URLSearchParams';
var URL_SEARCH_PARAMS_ITERATOR = URL_SEARCH_PARAMS + 'Iterator';
var setInternalState = InternalStateModule.set;
var getInternalParamsState = InternalStateModule.getterFor(URL_SEARCH_PARAMS);
var getInternalIteratorState = InternalStateModule.getterFor(URL_SEARCH_PARAMS_ITERATOR);

var plus = /\+/g;
var sequences = Array(4);

var percentSequence = function (bytes) {
  return sequences[bytes - 1] || (sequences[bytes - 1] = RegExp('((?:%[\\da-f]{2}){' + bytes + '})', 'gi'));
};

var percentDecode = function (sequence) {
  try {
    return decodeURIComponent(sequence);
  } catch (error) {
    return sequence;
  }
};

var deserialize = function (it) {
  var result = it.replace(plus, ' ');
  var bytes = 4;
  try {
    return decodeURIComponent(result);
  } catch (error) {
    while (bytes) {
      result = result.replace(percentSequence(bytes--), percentDecode);
    }
    return result;
  }
};

var find = /[!'()~]|%20/g;

var replace = {
  '!': '%21',
  "'": '%27',
  '(': '%28',
  ')': '%29',
  '~': '%7E',
  '%20': '+'
};

var replacer = function (match) {
  return replace[match];
};

var serialize = function (it) {
  return encodeURIComponent(it).replace(find, replacer);
};

var parseSearchParams = function (result, query) {
  if (query) {
    var attributes = query.split('&');
    var index = 0;
    var attribute, entry;
    while (index < attributes.length) {
      attribute = attributes[index++];
      if (attribute.length) {
        entry = attribute.split('=');
        result.push({
          key: deserialize(entry.shift()),
          value: deserialize(entry.join('='))
        });
      }
    }
  }
};

var updateSearchParams = function (query) {
  this.entries.length = 0;
  parseSearchParams(this.entries, query);
};

var validateArgumentsLength = function (passed, required) {
  if (passed < required) throw TypeError('Not enough arguments');
};

var URLSearchParamsIterator = createIteratorConstructor(function Iterator(params, kind) {
  setInternalState(this, {
    type: URL_SEARCH_PARAMS_ITERATOR,
    iterator: getIterator(getInternalParamsState(params).entries),
    kind: kind
  });
}, 'Iterator', function next() {
  var state = getInternalIteratorState(this);
  var kind = state.kind;
  var step = state.iterator.next();
  var entry = step.value;
  if (!step.done) {
    step.value = kind === 'keys' ? entry.key : kind === 'values' ? entry.value : [entry.key, entry.value];
  } return step;
});

// `URLSearchParams` constructor
// https://url.spec.whatwg.org/#interface-urlsearchparams
var URLSearchParamsConstructor = function URLSearchParams(/* init */) {
  anInstance(this, URLSearchParamsConstructor, URL_SEARCH_PARAMS);
  var init = arguments.length > 0 ? arguments[0] : undefined;
  var that = this;
  var entries = [];
  var iteratorMethod, iterator, next, step, entryIterator, entryNext, first, second, key;

  setInternalState(that, {
    type: URL_SEARCH_PARAMS,
    entries: entries,
    updateURL: function () { /* empty */ },
    updateSearchParams: updateSearchParams
  });

  if (init !== undefined) {
    if (isObject(init)) {
      iteratorMethod = getIteratorMethod(init);
      if (typeof iteratorMethod === 'function') {
        iterator = iteratorMethod.call(init);
        next = iterator.next;
        while (!(step = next.call(iterator)).done) {
          entryIterator = getIterator(anObject(step.value));
          entryNext = entryIterator.next;
          if (
            (first = entryNext.call(entryIterator)).done ||
            (second = entryNext.call(entryIterator)).done ||
            !entryNext.call(entryIterator).done
          ) throw TypeError('Expected sequence with length 2');
          entries.push({ key: first.value + '', value: second.value + '' });
        }
      } else for (key in init) if (hasOwn(init, key)) entries.push({ key: key, value: init[key] + '' });
    } else {
      parseSearchParams(entries, typeof init === 'string' ? init.charAt(0) === '?' ? init.slice(1) : init : init + '');
    }
  }
};

var URLSearchParamsPrototype = URLSearchParamsConstructor.prototype;

redefineAll(URLSearchParamsPrototype, {
  // `URLSearchParams.prototype.appent` method
  // https://url.spec.whatwg.org/#dom-urlsearchparams-append
  append: function append(name, value) {
    validateArgumentsLength(arguments.length, 2);
    var state = getInternalParamsState(this);
    state.entries.push({ key: name + '', value: value + '' });
    state.updateURL();
  },
  // `URLSearchParams.prototype.delete` method
  // https://url.spec.whatwg.org/#dom-urlsearchparams-delete
  'delete': function (name) {
    validateArgumentsLength(arguments.length, 1);
    var state = getInternalParamsState(this);
    var entries = state.entries;
    var key = name + '';
    var index = 0;
    while (index < entries.length) {
      if (entries[index].key === key) entries.splice(index, 1);
      else index++;
    }
    state.updateURL();
  },
  // `URLSearchParams.prototype.get` method
  // https://url.spec.whatwg.org/#dom-urlsearchparams-get
  get: function get(name) {
    validateArgumentsLength(arguments.length, 1);
    var entries = getInternalParamsState(this).entries;
    var key = name + '';
    var index = 0;
    for (; index < entries.length; index++) {
      if (entries[index].key === key) return entries[index].value;
    }
    return null;
  },
  // `URLSearchParams.prototype.getAll` method
  // https://url.spec.whatwg.org/#dom-urlsearchparams-getall
  getAll: function getAll(name) {
    validateArgumentsLength(arguments.length, 1);
    var entries = getInternalParamsState(this).entries;
    var key = name + '';
    var result = [];
    var index = 0;
    for (; index < entries.length; index++) {
      if (entries[index].key === key) result.push(entries[index].value);
    }
    return result;
  },
  // `URLSearchParams.prototype.has` method
  // https://url.spec.whatwg.org/#dom-urlsearchparams-has
  has: function has(name) {
    validateArgumentsLength(arguments.length, 1);
    var entries = getInternalParamsState(this).entries;
    var key = name + '';
    var index = 0;
    while (index < entries.length) {
      if (entries[index++].key === key) return true;
    }
    return false;
  },
  // `URLSearchParams.prototype.set` method
  // https://url.spec.whatwg.org/#dom-urlsearchparams-set
  set: function set(name, value) {
    validateArgumentsLength(arguments.length, 1);
    var state = getInternalParamsState(this);
    var entries = state.entries;
    var found = false;
    var key = name + '';
    var val = value + '';
    var index = 0;
    var entry;
    for (; index < entries.length; index++) {
      entry = entries[index];
      if (entry.key === key) {
        if (found) entries.splice(index--, 1);
        else {
          found = true;
          entry.value = val;
        }
      }
    }
    if (!found) entries.push({ key: key, value: val });
    state.updateURL();
  },
  // `URLSearchParams.prototype.sort` method
  // https://url.spec.whatwg.org/#dom-urlsearchparams-sort
  sort: function sort() {
    var state = getInternalParamsState(this);
    var entries = state.entries;
    // Array#sort is not stable in some engines
    var slice = entries.slice();
    var entry, entriesIndex, sliceIndex;
    entries.length = 0;
    for (sliceIndex = 0; sliceIndex < slice.length; sliceIndex++) {
      entry = slice[sliceIndex];
      for (entriesIndex = 0; entriesIndex < sliceIndex; entriesIndex++) {
        if (entries[entriesIndex].key > entry.key) {
          entries.splice(entriesIndex, 0, entry);
          break;
        }
      }
      if (entriesIndex === sliceIndex) entries.push(entry);
    }
    state.updateURL();
  },
  // `URLSearchParams.prototype.forEach` method
  forEach: function forEach(callback /* , thisArg */) {
    var entries = getInternalParamsState(this).entries;
    var boundFunction = bind(callback, arguments.length > 1 ? arguments[1] : undefined, 3);
    var index = 0;
    var entry;
    while (index < entries.length) {
      entry = entries[index++];
      boundFunction(entry.value, entry.key, this);
    }
  },
  // `URLSearchParams.prototype.keys` method
  keys: function keys() {
    return new URLSearchParamsIterator(this, 'keys');
  },
  // `URLSearchParams.prototype.values` method
  values: function values() {
    return new URLSearchParamsIterator(this, 'values');
  },
  // `URLSearchParams.prototype.entries` method
  entries: function entries() {
    return new URLSearchParamsIterator(this, 'entries');
  }
}, { enumerable: true });

// `URLSearchParams.prototype[@@iterator]` method
redefine(URLSearchParamsPrototype, ITERATOR, URLSearchParamsPrototype.entries);

// `URLSearchParams.prototype.toString` method
// https://url.spec.whatwg.org/#urlsearchparams-stringification-behavior
redefine(URLSearchParamsPrototype, 'toString', function toString() {
  var entries = getInternalParamsState(this).entries;
  var result = [];
  var index = 0;
  var entry;
  while (index < entries.length) {
    entry = entries[index++];
    result.push(serialize(entry.key) + '=' + serialize(entry.value));
  } return result.join('&');
}, { enumerable: true });

setToStringTag(URLSearchParamsConstructor, URL_SEARCH_PARAMS);

$({ global: true, forced: !USE_NATIVE_URL }, {
  URLSearchParams: URLSearchParamsConstructor
});

// Wrap `fetch` for correct work with polyfilled `URLSearchParams`
// https://github.com/zloirock/core-js/issues/674
if (!USE_NATIVE_URL && typeof $fetch == 'function' && typeof Headers == 'function') {
  $({ global: true, enumerable: true, forced: true }, {
    fetch: function fetch(input /* , init */) {
      var args = [input];
      var init, body, headers;
      if (arguments.length > 1) {
        init = arguments[1];
        if (isObject(init)) {
          body = init.body;
          if (classof(body) === URL_SEARCH_PARAMS) {
            headers = init.headers ? new Headers(init.headers) : new Headers();
            if (!headers.has('content-type')) {
              headers.set('content-type', 'application/x-www-form-urlencoded;charset=UTF-8');
            }
            init = create(init, {
              body: createPropertyDescriptor(0, String(body)),
              headers: createPropertyDescriptor(0, headers)
            });
          }
        }
        args.push(init);
      } return $fetch.apply(this, args);
    }
  });
}

module.exports = {
  URLSearchParams: URLSearchParamsConstructor,
  getState: getInternalParamsState
};

},{"../internals/an-instance":4,"../internals/an-object":5,"../internals/classof":10,"../internals/create-iterator-constructor":13,"../internals/create-property-descriptor":15,"../internals/export":21,"../internals/function-bind-context":23,"../internals/get-built-in":24,"../internals/get-iterator":26,"../internals/get-iterator-method":25,"../internals/has":28,"../internals/internal-state":34,"../internals/is-object":37,"../internals/native-url":42,"../internals/object-create":45,"../internals/redefine":59,"../internals/redefine-all":58,"../internals/set-to-string-tag":62,"../internals/well-known-symbol":77,"../modules/es.array.iterator":78}],81:[function(require,module,exports){
'use strict';
// TODO: in core-js@4, move /modules/ dependencies to public entries for better optimization by tools like `preset-env`
require('../modules/es.string.iterator');
var $ = require('../internals/export');
var DESCRIPTORS = require('../internals/descriptors');
var USE_NATIVE_URL = require('../internals/native-url');
var global = require('../internals/global');
var defineProperties = require('../internals/object-define-properties');
var redefine = require('../internals/redefine');
var anInstance = require('../internals/an-instance');
var has = require('../internals/has');
var assign = require('../internals/object-assign');
var arrayFrom = require('../internals/array-from');
var codeAt = require('../internals/string-multibyte').codeAt;
var toASCII = require('../internals/string-punycode-to-ascii');
var setToStringTag = require('../internals/set-to-string-tag');
var URLSearchParamsModule = require('../modules/web.url-search-params');
var InternalStateModule = require('../internals/internal-state');

var NativeURL = global.URL;
var URLSearchParams = URLSearchParamsModule.URLSearchParams;
var getInternalSearchParamsState = URLSearchParamsModule.getState;
var setInternalState = InternalStateModule.set;
var getInternalURLState = InternalStateModule.getterFor('URL');
var floor = Math.floor;
var pow = Math.pow;

var INVALID_AUTHORITY = 'Invalid authority';
var INVALID_SCHEME = 'Invalid scheme';
var INVALID_HOST = 'Invalid host';
var INVALID_PORT = 'Invalid port';

var ALPHA = /[A-Za-z]/;
var ALPHANUMERIC = /[\d+\-.A-Za-z]/;
var DIGIT = /\d/;
var HEX_START = /^(0x|0X)/;
var OCT = /^[0-7]+$/;
var DEC = /^\d+$/;
var HEX = /^[\dA-Fa-f]+$/;
// eslint-disable-next-line no-control-regex
var FORBIDDEN_HOST_CODE_POINT = /[\u0000\u0009\u000A\u000D #%/:?@[\\]]/;
// eslint-disable-next-line no-control-regex
var FORBIDDEN_HOST_CODE_POINT_EXCLUDING_PERCENT = /[\u0000\u0009\u000A\u000D #/:?@[\\]]/;
// eslint-disable-next-line no-control-regex
var LEADING_AND_TRAILING_C0_CONTROL_OR_SPACE = /^[\u0000-\u001F ]+|[\u0000-\u001F ]+$/g;
// eslint-disable-next-line no-control-regex
var TAB_AND_NEW_LINE = /[\u0009\u000A\u000D]/g;
var EOF;

var parseHost = function (url, input) {
  var result, codePoints, index;
  if (input.charAt(0) == '[') {
    if (input.charAt(input.length - 1) != ']') return INVALID_HOST;
    result = parseIPv6(input.slice(1, -1));
    if (!result) return INVALID_HOST;
    url.host = result;
  // opaque host
  } else if (!isSpecial(url)) {
    if (FORBIDDEN_HOST_CODE_POINT_EXCLUDING_PERCENT.test(input)) return INVALID_HOST;
    result = '';
    codePoints = arrayFrom(input);
    for (index = 0; index < codePoints.length; index++) {
      result += percentEncode(codePoints[index], C0ControlPercentEncodeSet);
    }
    url.host = result;
  } else {
    input = toASCII(input);
    if (FORBIDDEN_HOST_CODE_POINT.test(input)) return INVALID_HOST;
    result = parseIPv4(input);
    if (result === null) return INVALID_HOST;
    url.host = result;
  }
};

var parseIPv4 = function (input) {
  var parts = input.split('.');
  var partsLength, numbers, index, part, radix, number, ipv4;
  if (parts.length && parts[parts.length - 1] == '') {
    parts.pop();
  }
  partsLength = parts.length;
  if (partsLength > 4) return input;
  numbers = [];
  for (index = 0; index < partsLength; index++) {
    part = parts[index];
    if (part == '') return input;
    radix = 10;
    if (part.length > 1 && part.charAt(0) == '0') {
      radix = HEX_START.test(part) ? 16 : 8;
      part = part.slice(radix == 8 ? 1 : 2);
    }
    if (part === '') {
      number = 0;
    } else {
      if (!(radix == 10 ? DEC : radix == 8 ? OCT : HEX).test(part)) return input;
      number = parseInt(part, radix);
    }
    numbers.push(number);
  }
  for (index = 0; index < partsLength; index++) {
    number = numbers[index];
    if (index == partsLength - 1) {
      if (number >= pow(256, 5 - partsLength)) return null;
    } else if (number > 255) return null;
  }
  ipv4 = numbers.pop();
  for (index = 0; index < numbers.length; index++) {
    ipv4 += numbers[index] * pow(256, 3 - index);
  }
  return ipv4;
};

// eslint-disable-next-line max-statements
var parseIPv6 = function (input) {
  var address = [0, 0, 0, 0, 0, 0, 0, 0];
  var pieceIndex = 0;
  var compress = null;
  var pointer = 0;
  var value, length, numbersSeen, ipv4Piece, number, swaps, swap;

  var char = function () {
    return input.charAt(pointer);
  };

  if (char() == ':') {
    if (input.charAt(1) != ':') return;
    pointer += 2;
    pieceIndex++;
    compress = pieceIndex;
  }
  while (char()) {
    if (pieceIndex == 8) return;
    if (char() == ':') {
      if (compress !== null) return;
      pointer++;
      pieceIndex++;
      compress = pieceIndex;
      continue;
    }
    value = length = 0;
    while (length < 4 && HEX.test(char())) {
      value = value * 16 + parseInt(char(), 16);
      pointer++;
      length++;
    }
    if (char() == '.') {
      if (length == 0) return;
      pointer -= length;
      if (pieceIndex > 6) return;
      numbersSeen = 0;
      while (char()) {
        ipv4Piece = null;
        if (numbersSeen > 0) {
          if (char() == '.' && numbersSeen < 4) pointer++;
          else return;
        }
        if (!DIGIT.test(char())) return;
        while (DIGIT.test(char())) {
          number = parseInt(char(), 10);
          if (ipv4Piece === null) ipv4Piece = number;
          else if (ipv4Piece == 0) return;
          else ipv4Piece = ipv4Piece * 10 + number;
          if (ipv4Piece > 255) return;
          pointer++;
        }
        address[pieceIndex] = address[pieceIndex] * 256 + ipv4Piece;
        numbersSeen++;
        if (numbersSeen == 2 || numbersSeen == 4) pieceIndex++;
      }
      if (numbersSeen != 4) return;
      break;
    } else if (char() == ':') {
      pointer++;
      if (!char()) return;
    } else if (char()) return;
    address[pieceIndex++] = value;
  }
  if (compress !== null) {
    swaps = pieceIndex - compress;
    pieceIndex = 7;
    while (pieceIndex != 0 && swaps > 0) {
      swap = address[pieceIndex];
      address[pieceIndex--] = address[compress + swaps - 1];
      address[compress + --swaps] = swap;
    }
  } else if (pieceIndex != 8) return;
  return address;
};

var findLongestZeroSequence = function (ipv6) {
  var maxIndex = null;
  var maxLength = 1;
  var currStart = null;
  var currLength = 0;
  var index = 0;
  for (; index < 8; index++) {
    if (ipv6[index] !== 0) {
      if (currLength > maxLength) {
        maxIndex = currStart;
        maxLength = currLength;
      }
      currStart = null;
      currLength = 0;
    } else {
      if (currStart === null) currStart = index;
      ++currLength;
    }
  }
  if (currLength > maxLength) {
    maxIndex = currStart;
    maxLength = currLength;
  }
  return maxIndex;
};

var serializeHost = function (host) {
  var result, index, compress, ignore0;
  // ipv4
  if (typeof host == 'number') {
    result = [];
    for (index = 0; index < 4; index++) {
      result.unshift(host % 256);
      host = floor(host / 256);
    } return result.join('.');
  // ipv6
  } else if (typeof host == 'object') {
    result = '';
    compress = findLongestZeroSequence(host);
    for (index = 0; index < 8; index++) {
      if (ignore0 && host[index] === 0) continue;
      if (ignore0) ignore0 = false;
      if (compress === index) {
        result += index ? ':' : '::';
        ignore0 = true;
      } else {
        result += host[index].toString(16);
        if (index < 7) result += ':';
      }
    }
    return '[' + result + ']';
  } return host;
};

var C0ControlPercentEncodeSet = {};
var fragmentPercentEncodeSet = assign({}, C0ControlPercentEncodeSet, {
  ' ': 1, '"': 1, '<': 1, '>': 1, '`': 1
});
var pathPercentEncodeSet = assign({}, fragmentPercentEncodeSet, {
  '#': 1, '?': 1, '{': 1, '}': 1
});
var userinfoPercentEncodeSet = assign({}, pathPercentEncodeSet, {
  '/': 1, ':': 1, ';': 1, '=': 1, '@': 1, '[': 1, '\\': 1, ']': 1, '^': 1, '|': 1
});

var percentEncode = function (char, set) {
  var code = codeAt(char, 0);
  return code > 0x20 && code < 0x7F && !has(set, char) ? char : encodeURIComponent(char);
};

var specialSchemes = {
  ftp: 21,
  file: null,
  http: 80,
  https: 443,
  ws: 80,
  wss: 443
};

var isSpecial = function (url) {
  return has(specialSchemes, url.scheme);
};

var includesCredentials = function (url) {
  return url.username != '' || url.password != '';
};

var cannotHaveUsernamePasswordPort = function (url) {
  return !url.host || url.cannotBeABaseURL || url.scheme == 'file';
};

var isWindowsDriveLetter = function (string, normalized) {
  var second;
  return string.length == 2 && ALPHA.test(string.charAt(0))
    && ((second = string.charAt(1)) == ':' || (!normalized && second == '|'));
};

var startsWithWindowsDriveLetter = function (string) {
  var third;
  return string.length > 1 && isWindowsDriveLetter(string.slice(0, 2)) && (
    string.length == 2 ||
    ((third = string.charAt(2)) === '/' || third === '\\' || third === '?' || third === '#')
  );
};

var shortenURLsPath = function (url) {
  var path = url.path;
  var pathSize = path.length;
  if (pathSize && (url.scheme != 'file' || pathSize != 1 || !isWindowsDriveLetter(path[0], true))) {
    path.pop();
  }
};

var isSingleDot = function (segment) {
  return segment === '.' || segment.toLowerCase() === '%2e';
};

var isDoubleDot = function (segment) {
  segment = segment.toLowerCase();
  return segment === '..' || segment === '%2e.' || segment === '.%2e' || segment === '%2e%2e';
};

// States:
var SCHEME_START = {};
var SCHEME = {};
var NO_SCHEME = {};
var SPECIAL_RELATIVE_OR_AUTHORITY = {};
var PATH_OR_AUTHORITY = {};
var RELATIVE = {};
var RELATIVE_SLASH = {};
var SPECIAL_AUTHORITY_SLASHES = {};
var SPECIAL_AUTHORITY_IGNORE_SLASHES = {};
var AUTHORITY = {};
var HOST = {};
var HOSTNAME = {};
var PORT = {};
var FILE = {};
var FILE_SLASH = {};
var FILE_HOST = {};
var PATH_START = {};
var PATH = {};
var CANNOT_BE_A_BASE_URL_PATH = {};
var QUERY = {};
var FRAGMENT = {};

// eslint-disable-next-line max-statements
var parseURL = function (url, input, stateOverride, base) {
  var state = stateOverride || SCHEME_START;
  var pointer = 0;
  var buffer = '';
  var seenAt = false;
  var seenBracket = false;
  var seenPasswordToken = false;
  var codePoints, char, bufferCodePoints, failure;

  if (!stateOverride) {
    url.scheme = '';
    url.username = '';
    url.password = '';
    url.host = null;
    url.port = null;
    url.path = [];
    url.query = null;
    url.fragment = null;
    url.cannotBeABaseURL = false;
    input = input.replace(LEADING_AND_TRAILING_C0_CONTROL_OR_SPACE, '');
  }

  input = input.replace(TAB_AND_NEW_LINE, '');

  codePoints = arrayFrom(input);

  while (pointer <= codePoints.length) {
    char = codePoints[pointer];
    switch (state) {
      case SCHEME_START:
        if (char && ALPHA.test(char)) {
          buffer += char.toLowerCase();
          state = SCHEME;
        } else if (!stateOverride) {
          state = NO_SCHEME;
          continue;
        } else return INVALID_SCHEME;
        break;

      case SCHEME:
        if (char && (ALPHANUMERIC.test(char) || char == '+' || char == '-' || char == '.')) {
          buffer += char.toLowerCase();
        } else if (char == ':') {
          if (stateOverride && (
            (isSpecial(url) != has(specialSchemes, buffer)) ||
            (buffer == 'file' && (includesCredentials(url) || url.port !== null)) ||
            (url.scheme == 'file' && !url.host)
          )) return;
          url.scheme = buffer;
          if (stateOverride) {
            if (isSpecial(url) && specialSchemes[url.scheme] == url.port) url.port = null;
            return;
          }
          buffer = '';
          if (url.scheme == 'file') {
            state = FILE;
          } else if (isSpecial(url) && base && base.scheme == url.scheme) {
            state = SPECIAL_RELATIVE_OR_AUTHORITY;
          } else if (isSpecial(url)) {
            state = SPECIAL_AUTHORITY_SLASHES;
          } else if (codePoints[pointer + 1] == '/') {
            state = PATH_OR_AUTHORITY;
            pointer++;
          } else {
            url.cannotBeABaseURL = true;
            url.path.push('');
            state = CANNOT_BE_A_BASE_URL_PATH;
          }
        } else if (!stateOverride) {
          buffer = '';
          state = NO_SCHEME;
          pointer = 0;
          continue;
        } else return INVALID_SCHEME;
        break;

      case NO_SCHEME:
        if (!base || (base.cannotBeABaseURL && char != '#')) return INVALID_SCHEME;
        if (base.cannotBeABaseURL && char == '#') {
          url.scheme = base.scheme;
          url.path = base.path.slice();
          url.query = base.query;
          url.fragment = '';
          url.cannotBeABaseURL = true;
          state = FRAGMENT;
          break;
        }
        state = base.scheme == 'file' ? FILE : RELATIVE;
        continue;

      case SPECIAL_RELATIVE_OR_AUTHORITY:
        if (char == '/' && codePoints[pointer + 1] == '/') {
          state = SPECIAL_AUTHORITY_IGNORE_SLASHES;
          pointer++;
        } else {
          state = RELATIVE;
          continue;
        } break;

      case PATH_OR_AUTHORITY:
        if (char == '/') {
          state = AUTHORITY;
          break;
        } else {
          state = PATH;
          continue;
        }

      case RELATIVE:
        url.scheme = base.scheme;
        if (char == EOF) {
          url.username = base.username;
          url.password = base.password;
          url.host = base.host;
          url.port = base.port;
          url.path = base.path.slice();
          url.query = base.query;
        } else if (char == '/' || (char == '\\' && isSpecial(url))) {
          state = RELATIVE_SLASH;
        } else if (char == '?') {
          url.username = base.username;
          url.password = base.password;
          url.host = base.host;
          url.port = base.port;
          url.path = base.path.slice();
          url.query = '';
          state = QUERY;
        } else if (char == '#') {
          url.username = base.username;
          url.password = base.password;
          url.host = base.host;
          url.port = base.port;
          url.path = base.path.slice();
          url.query = base.query;
          url.fragment = '';
          state = FRAGMENT;
        } else {
          url.username = base.username;
          url.password = base.password;
          url.host = base.host;
          url.port = base.port;
          url.path = base.path.slice();
          url.path.pop();
          state = PATH;
          continue;
        } break;

      case RELATIVE_SLASH:
        if (isSpecial(url) && (char == '/' || char == '\\')) {
          state = SPECIAL_AUTHORITY_IGNORE_SLASHES;
        } else if (char == '/') {
          state = AUTHORITY;
        } else {
          url.username = base.username;
          url.password = base.password;
          url.host = base.host;
          url.port = base.port;
          state = PATH;
          continue;
        } break;

      case SPECIAL_AUTHORITY_SLASHES:
        state = SPECIAL_AUTHORITY_IGNORE_SLASHES;
        if (char != '/' || buffer.charAt(pointer + 1) != '/') continue;
        pointer++;
        break;

      case SPECIAL_AUTHORITY_IGNORE_SLASHES:
        if (char != '/' && char != '\\') {
          state = AUTHORITY;
          continue;
        } break;

      case AUTHORITY:
        if (char == '@') {
          if (seenAt) buffer = '%40' + buffer;
          seenAt = true;
          bufferCodePoints = arrayFrom(buffer);
          for (var i = 0; i < bufferCodePoints.length; i++) {
            var codePoint = bufferCodePoints[i];
            if (codePoint == ':' && !seenPasswordToken) {
              seenPasswordToken = true;
              continue;
            }
            var encodedCodePoints = percentEncode(codePoint, userinfoPercentEncodeSet);
            if (seenPasswordToken) url.password += encodedCodePoints;
            else url.username += encodedCodePoints;
          }
          buffer = '';
        } else if (
          char == EOF || char == '/' || char == '?' || char == '#' ||
          (char == '\\' && isSpecial(url))
        ) {
          if (seenAt && buffer == '') return INVALID_AUTHORITY;
          pointer -= arrayFrom(buffer).length + 1;
          buffer = '';
          state = HOST;
        } else buffer += char;
        break;

      case HOST:
      case HOSTNAME:
        if (stateOverride && url.scheme == 'file') {
          state = FILE_HOST;
          continue;
        } else if (char == ':' && !seenBracket) {
          if (buffer == '') return INVALID_HOST;
          failure = parseHost(url, buffer);
          if (failure) return failure;
          buffer = '';
          state = PORT;
          if (stateOverride == HOSTNAME) return;
        } else if (
          char == EOF || char == '/' || char == '?' || char == '#' ||
          (char == '\\' && isSpecial(url))
        ) {
          if (isSpecial(url) && buffer == '') return INVALID_HOST;
          if (stateOverride && buffer == '' && (includesCredentials(url) || url.port !== null)) return;
          failure = parseHost(url, buffer);
          if (failure) return failure;
          buffer = '';
          state = PATH_START;
          if (stateOverride) return;
          continue;
        } else {
          if (char == '[') seenBracket = true;
          else if (char == ']') seenBracket = false;
          buffer += char;
        } break;

      case PORT:
        if (DIGIT.test(char)) {
          buffer += char;
        } else if (
          char == EOF || char == '/' || char == '?' || char == '#' ||
          (char == '\\' && isSpecial(url)) ||
          stateOverride
        ) {
          if (buffer != '') {
            var port = parseInt(buffer, 10);
            if (port > 0xFFFF) return INVALID_PORT;
            url.port = (isSpecial(url) && port === specialSchemes[url.scheme]) ? null : port;
            buffer = '';
          }
          if (stateOverride) return;
          state = PATH_START;
          continue;
        } else return INVALID_PORT;
        break;

      case FILE:
        url.scheme = 'file';
        if (char == '/' || char == '\\') state = FILE_SLASH;
        else if (base && base.scheme == 'file') {
          if (char == EOF) {
            url.host = base.host;
            url.path = base.path.slice();
            url.query = base.query;
          } else if (char == '?') {
            url.host = base.host;
            url.path = base.path.slice();
            url.query = '';
            state = QUERY;
          } else if (char == '#') {
            url.host = base.host;
            url.path = base.path.slice();
            url.query = base.query;
            url.fragment = '';
            state = FRAGMENT;
          } else {
            if (!startsWithWindowsDriveLetter(codePoints.slice(pointer).join(''))) {
              url.host = base.host;
              url.path = base.path.slice();
              shortenURLsPath(url);
            }
            state = PATH;
            continue;
          }
        } else {
          state = PATH;
          continue;
        } break;

      case FILE_SLASH:
        if (char == '/' || char == '\\') {
          state = FILE_HOST;
          break;
        }
        if (base && base.scheme == 'file' && !startsWithWindowsDriveLetter(codePoints.slice(pointer).join(''))) {
          if (isWindowsDriveLetter(base.path[0], true)) url.path.push(base.path[0]);
          else url.host = base.host;
        }
        state = PATH;
        continue;

      case FILE_HOST:
        if (char == EOF || char == '/' || char == '\\' || char == '?' || char == '#') {
          if (!stateOverride && isWindowsDriveLetter(buffer)) {
            state = PATH;
          } else if (buffer == '') {
            url.host = '';
            if (stateOverride) return;
            state = PATH_START;
          } else {
            failure = parseHost(url, buffer);
            if (failure) return failure;
            if (url.host == 'localhost') url.host = '';
            if (stateOverride) return;
            buffer = '';
            state = PATH_START;
          } continue;
        } else buffer += char;
        break;

      case PATH_START:
        if (isSpecial(url)) {
          state = PATH;
          if (char != '/' && char != '\\') continue;
        } else if (!stateOverride && char == '?') {
          url.query = '';
          state = QUERY;
        } else if (!stateOverride && char == '#') {
          url.fragment = '';
          state = FRAGMENT;
        } else if (char != EOF) {
          state = PATH;
          if (char != '/') continue;
        } break;

      case PATH:
        if (
          char == EOF || char == '/' ||
          (char == '\\' && isSpecial(url)) ||
          (!stateOverride && (char == '?' || char == '#'))
        ) {
          if (isDoubleDot(buffer)) {
            shortenURLsPath(url);
            if (char != '/' && !(char == '\\' && isSpecial(url))) {
              url.path.push('');
            }
          } else if (isSingleDot(buffer)) {
            if (char != '/' && !(char == '\\' && isSpecial(url))) {
              url.path.push('');
            }
          } else {
            if (url.scheme == 'file' && !url.path.length && isWindowsDriveLetter(buffer)) {
              if (url.host) url.host = '';
              buffer = buffer.charAt(0) + ':'; // normalize windows drive letter
            }
            url.path.push(buffer);
          }
          buffer = '';
          if (url.scheme == 'file' && (char == EOF || char == '?' || char == '#')) {
            while (url.path.length > 1 && url.path[0] === '') {
              url.path.shift();
            }
          }
          if (char == '?') {
            url.query = '';
            state = QUERY;
          } else if (char == '#') {
            url.fragment = '';
            state = FRAGMENT;
          }
        } else {
          buffer += percentEncode(char, pathPercentEncodeSet);
        } break;

      case CANNOT_BE_A_BASE_URL_PATH:
        if (char == '?') {
          url.query = '';
          state = QUERY;
        } else if (char == '#') {
          url.fragment = '';
          state = FRAGMENT;
        } else if (char != EOF) {
          url.path[0] += percentEncode(char, C0ControlPercentEncodeSet);
        } break;

      case QUERY:
        if (!stateOverride && char == '#') {
          url.fragment = '';
          state = FRAGMENT;
        } else if (char != EOF) {
          if (char == "'" && isSpecial(url)) url.query += '%27';
          else if (char == '#') url.query += '%23';
          else url.query += percentEncode(char, C0ControlPercentEncodeSet);
        } break;

      case FRAGMENT:
        if (char != EOF) url.fragment += percentEncode(char, fragmentPercentEncodeSet);
        break;
    }

    pointer++;
  }
};

// `URL` constructor
// https://url.spec.whatwg.org/#url-class
var URLConstructor = function URL(url /* , base */) {
  var that = anInstance(this, URLConstructor, 'URL');
  var base = arguments.length > 1 ? arguments[1] : undefined;
  var urlString = String(url);
  var state = setInternalState(that, { type: 'URL' });
  var baseState, failure;
  if (base !== undefined) {
    if (base instanceof URLConstructor) baseState = getInternalURLState(base);
    else {
      failure = parseURL(baseState = {}, String(base));
      if (failure) throw TypeError(failure);
    }
  }
  failure = parseURL(state, urlString, null, baseState);
  if (failure) throw TypeError(failure);
  var searchParams = state.searchParams = new URLSearchParams();
  var searchParamsState = getInternalSearchParamsState(searchParams);
  searchParamsState.updateSearchParams(state.query);
  searchParamsState.updateURL = function () {
    state.query = String(searchParams) || null;
  };
  if (!DESCRIPTORS) {
    that.href = serializeURL.call(that);
    that.origin = getOrigin.call(that);
    that.protocol = getProtocol.call(that);
    that.username = getUsername.call(that);
    that.password = getPassword.call(that);
    that.host = getHost.call(that);
    that.hostname = getHostname.call(that);
    that.port = getPort.call(that);
    that.pathname = getPathname.call(that);
    that.search = getSearch.call(that);
    that.searchParams = getSearchParams.call(that);
    that.hash = getHash.call(that);
  }
};

var URLPrototype = URLConstructor.prototype;

var serializeURL = function () {
  var url = getInternalURLState(this);
  var scheme = url.scheme;
  var username = url.username;
  var password = url.password;
  var host = url.host;
  var port = url.port;
  var path = url.path;
  var query = url.query;
  var fragment = url.fragment;
  var output = scheme + ':';
  if (host !== null) {
    output += '//';
    if (includesCredentials(url)) {
      output += username + (password ? ':' + password : '') + '@';
    }
    output += serializeHost(host);
    if (port !== null) output += ':' + port;
  } else if (scheme == 'file') output += '//';
  output += url.cannotBeABaseURL ? path[0] : path.length ? '/' + path.join('/') : '';
  if (query !== null) output += '?' + query;
  if (fragment !== null) output += '#' + fragment;
  return output;
};

var getOrigin = function () {
  var url = getInternalURLState(this);
  var scheme = url.scheme;
  var port = url.port;
  if (scheme == 'blob') try {
    return new URL(scheme.path[0]).origin;
  } catch (error) {
    return 'null';
  }
  if (scheme == 'file' || !isSpecial(url)) return 'null';
  return scheme + '://' + serializeHost(url.host) + (port !== null ? ':' + port : '');
};

var getProtocol = function () {
  return getInternalURLState(this).scheme + ':';
};

var getUsername = function () {
  return getInternalURLState(this).username;
};

var getPassword = function () {
  return getInternalURLState(this).password;
};

var getHost = function () {
  var url = getInternalURLState(this);
  var host = url.host;
  var port = url.port;
  return host === null ? ''
    : port === null ? serializeHost(host)
    : serializeHost(host) + ':' + port;
};

var getHostname = function () {
  var host = getInternalURLState(this).host;
  return host === null ? '' : serializeHost(host);
};

var getPort = function () {
  var port = getInternalURLState(this).port;
  return port === null ? '' : String(port);
};

var getPathname = function () {
  var url = getInternalURLState(this);
  var path = url.path;
  return url.cannotBeABaseURL ? path[0] : path.length ? '/' + path.join('/') : '';
};

var getSearch = function () {
  var query = getInternalURLState(this).query;
  return query ? '?' + query : '';
};

var getSearchParams = function () {
  return getInternalURLState(this).searchParams;
};

var getHash = function () {
  var fragment = getInternalURLState(this).fragment;
  return fragment ? '#' + fragment : '';
};

var accessorDescriptor = function (getter, setter) {
  return { get: getter, set: setter, configurable: true, enumerable: true };
};

if (DESCRIPTORS) {
  defineProperties(URLPrototype, {
    // `URL.prototype.href` accessors pair
    // https://url.spec.whatwg.org/#dom-url-href
    href: accessorDescriptor(serializeURL, function (href) {
      var url = getInternalURLState(this);
      var urlString = String(href);
      var failure = parseURL(url, urlString);
      if (failure) throw TypeError(failure);
      getInternalSearchParamsState(url.searchParams).updateSearchParams(url.query);
    }),
    // `URL.prototype.origin` getter
    // https://url.spec.whatwg.org/#dom-url-origin
    origin: accessorDescriptor(getOrigin),
    // `URL.prototype.protocol` accessors pair
    // https://url.spec.whatwg.org/#dom-url-protocol
    protocol: accessorDescriptor(getProtocol, function (protocol) {
      var url = getInternalURLState(this);
      parseURL(url, String(protocol) + ':', SCHEME_START);
    }),
    // `URL.prototype.username` accessors pair
    // https://url.spec.whatwg.org/#dom-url-username
    username: accessorDescriptor(getUsername, function (username) {
      var url = getInternalURLState(this);
      var codePoints = arrayFrom(String(username));
      if (cannotHaveUsernamePasswordPort(url)) return;
      url.username = '';
      for (var i = 0; i < codePoints.length; i++) {
        url.username += percentEncode(codePoints[i], userinfoPercentEncodeSet);
      }
    }),
    // `URL.prototype.password` accessors pair
    // https://url.spec.whatwg.org/#dom-url-password
    password: accessorDescriptor(getPassword, function (password) {
      var url = getInternalURLState(this);
      var codePoints = arrayFrom(String(password));
      if (cannotHaveUsernamePasswordPort(url)) return;
      url.password = '';
      for (var i = 0; i < codePoints.length; i++) {
        url.password += percentEncode(codePoints[i], userinfoPercentEncodeSet);
      }
    }),
    // `URL.prototype.host` accessors pair
    // https://url.spec.whatwg.org/#dom-url-host
    host: accessorDescriptor(getHost, function (host) {
      var url = getInternalURLState(this);
      if (url.cannotBeABaseURL) return;
      parseURL(url, String(host), HOST);
    }),
    // `URL.prototype.hostname` accessors pair
    // https://url.spec.whatwg.org/#dom-url-hostname
    hostname: accessorDescriptor(getHostname, function (hostname) {
      var url = getInternalURLState(this);
      if (url.cannotBeABaseURL) return;
      parseURL(url, String(hostname), HOSTNAME);
    }),
    // `URL.prototype.port` accessors pair
    // https://url.spec.whatwg.org/#dom-url-port
    port: accessorDescriptor(getPort, function (port) {
      var url = getInternalURLState(this);
      if (cannotHaveUsernamePasswordPort(url)) return;
      port = String(port);
      if (port == '') url.port = null;
      else parseURL(url, port, PORT);
    }),
    // `URL.prototype.pathname` accessors pair
    // https://url.spec.whatwg.org/#dom-url-pathname
    pathname: accessorDescriptor(getPathname, function (pathname) {
      var url = getInternalURLState(this);
      if (url.cannotBeABaseURL) return;
      url.path = [];
      parseURL(url, pathname + '', PATH_START);
    }),
    // `URL.prototype.search` accessors pair
    // https://url.spec.whatwg.org/#dom-url-search
    search: accessorDescriptor(getSearch, function (search) {
      var url = getInternalURLState(this);
      search = String(search);
      if (search == '') {
        url.query = null;
      } else {
        if ('?' == search.charAt(0)) search = search.slice(1);
        url.query = '';
        parseURL(url, search, QUERY);
      }
      getInternalSearchParamsState(url.searchParams).updateSearchParams(url.query);
    }),
    // `URL.prototype.searchParams` getter
    // https://url.spec.whatwg.org/#dom-url-searchparams
    searchParams: accessorDescriptor(getSearchParams),
    // `URL.prototype.hash` accessors pair
    // https://url.spec.whatwg.org/#dom-url-hash
    hash: accessorDescriptor(getHash, function (hash) {
      var url = getInternalURLState(this);
      hash = String(hash);
      if (hash == '') {
        url.fragment = null;
        return;
      }
      if ('#' == hash.charAt(0)) hash = hash.slice(1);
      url.fragment = '';
      parseURL(url, hash, FRAGMENT);
    })
  });
}

// `URL.prototype.toJSON` method
// https://url.spec.whatwg.org/#dom-url-tojson
redefine(URLPrototype, 'toJSON', function toJSON() {
  return serializeURL.call(this);
}, { enumerable: true });

// `URL.prototype.toString` method
// https://url.spec.whatwg.org/#URL-stringification-behavior
redefine(URLPrototype, 'toString', function toString() {
  return serializeURL.call(this);
}, { enumerable: true });

if (NativeURL) {
  var nativeCreateObjectURL = NativeURL.createObjectURL;
  var nativeRevokeObjectURL = NativeURL.revokeObjectURL;
  // `URL.createObjectURL` method
  // https://developer.mozilla.org/en-US/docs/Web/API/URL/createObjectURL
  // eslint-disable-next-line no-unused-vars
  if (nativeCreateObjectURL) redefine(URLConstructor, 'createObjectURL', function createObjectURL(blob) {
    return nativeCreateObjectURL.apply(NativeURL, arguments);
  });
  // `URL.revokeObjectURL` method
  // https://developer.mozilla.org/en-US/docs/Web/API/URL/revokeObjectURL
  // eslint-disable-next-line no-unused-vars
  if (nativeRevokeObjectURL) redefine(URLConstructor, 'revokeObjectURL', function revokeObjectURL(url) {
    return nativeRevokeObjectURL.apply(NativeURL, arguments);
  });
}

setToStringTag(URLConstructor, 'URL');

$({ global: true, forced: !USE_NATIVE_URL, sham: !DESCRIPTORS }, {
  URL: URLConstructor
});

},{"../internals/an-instance":4,"../internals/array-from":6,"../internals/descriptors":18,"../internals/export":21,"../internals/global":27,"../internals/has":28,"../internals/internal-state":34,"../internals/native-url":42,"../internals/object-assign":44,"../internals/object-define-properties":46,"../internals/redefine":59,"../internals/set-to-string-tag":62,"../internals/string-multibyte":66,"../internals/string-punycode-to-ascii":67,"../modules/es.string.iterator":79,"../modules/web.url-search-params":80}],82:[function(require,module,exports){
'use strict';
var $ = require('../internals/export');

// `URL.prototype.toJSON` method
// https://url.spec.whatwg.org/#dom-url-tojson
$({ target: 'URL', proto: true, enumerable: true }, {
  toJSON: function toJSON() {
    return URL.prototype.toString.call(this);
  }
});

},{"../internals/export":21}],83:[function(require,module,exports){
require('../modules/web.url');
require('../modules/web.url.to-json');
require('../modules/web.url-search-params');
var path = require('../internals/path');

module.exports = path.URL;

},{"../internals/path":57,"../modules/web.url":81,"../modules/web.url-search-params":80,"../modules/web.url.to-json":82}]},{},[83]);
react-dom.min.js.LICENSE.txt000064400000000743151334462320011445 0ustar00/**
 * @license React
 * react-dom.production.min.js
 *
 * Copyright (c) Facebook, Inc. and its affiliates.
 *
 * This source code is licensed under the MIT license found in the
 * LICENSE file in the root directory of this source tree.
 */

/**
 * @license React
 * scheduler.production.min.js
 *
 * Copyright (c) Facebook, Inc. and its affiliates.
 *
 * This source code is licensed under the MIT license found in the
 * LICENSE file in the root directory of this source tree.
 */
react-jsx-runtime.min.js.LICENSE.txt000064400000000371151334462320013150 0ustar00/**
 * @license React
 * react-jsx-runtime.production.min.js
 *
 * Copyright (c) Facebook, Inc. and its affiliates.
 *
 * This source code is licensed under the MIT license found in the
 * LICENSE file in the root directory of this source tree.
 */
wp-polyfill-dom-rect.min.js000064400000001541151334462320011656 0ustar00!function(){function e(e){return void 0===e?0:Number(e)}function n(e,n){return!(e===n||isNaN(e)&&isNaN(n))}self.DOMRect=function(t,i,u,r){var o,f,c,a,m=e(t),b=e(i),d=e(u),g=e(r);Object.defineProperties(this,{x:{get:function(){return m},set:function(e){n(m,e)&&(m=e,o=f=void 0)},enumerable:!0},y:{get:function(){return b},set:function(e){n(b,e)&&(b=e,c=a=void 0)},enumerable:!0},width:{get:function(){return d},set:function(e){n(d,e)&&(d=e,o=f=void 0)},enumerable:!0},height:{get:function(){return g},set:function(e){n(g,e)&&(g=e,c=a=void 0)},enumerable:!0},left:{get:function(){return o=void 0===o?m+Math.min(0,d):o},enumerable:!0},right:{get:function(){return f=void 0===f?m+Math.max(0,d):f},enumerable:!0},top:{get:function(){return c=void 0===c?b+Math.min(0,g):c},enumerable:!0},bottom:{get:function(){return a=void 0===a?b+Math.max(0,g):a},enumerable:!0}})}}();wp-polyfill-fetch.js000064400000046020151334462320010454 0ustar00(function (global, factory) {
  typeof exports === 'object' && typeof module !== 'undefined' ? factory(exports) :
  typeof define === 'function' && define.amd ? define(['exports'], factory) :
  (factory((global.WHATWGFetch = {})));
}(this, (function (exports) { 'use strict';

  /* eslint-disable no-prototype-builtins */
  var g =
    (typeof globalThis !== 'undefined' && globalThis) ||
    (typeof self !== 'undefined' && self) ||
    // eslint-disable-next-line no-undef
    (typeof global !== 'undefined' && global) ||
    {};

  var support = {
    searchParams: 'URLSearchParams' in g,
    iterable: 'Symbol' in g && 'iterator' in Symbol,
    blob:
      'FileReader' in g &&
      'Blob' in g &&
      (function() {
        try {
          new Blob();
          return true
        } catch (e) {
          return false
        }
      })(),
    formData: 'FormData' in g,
    arrayBuffer: 'ArrayBuffer' in g
  };

  function isDataView(obj) {
    return obj && DataView.prototype.isPrototypeOf(obj)
  }

  if (support.arrayBuffer) {
    var viewClasses = [
      '[object Int8Array]',
      '[object Uint8Array]',
      '[object Uint8ClampedArray]',
      '[object Int16Array]',
      '[object Uint16Array]',
      '[object Int32Array]',
      '[object Uint32Array]',
      '[object Float32Array]',
      '[object Float64Array]'
    ];

    var isArrayBufferView =
      ArrayBuffer.isView ||
      function(obj) {
        return obj && viewClasses.indexOf(Object.prototype.toString.call(obj)) > -1
      };
  }

  function normalizeName(name) {
    if (typeof name !== 'string') {
      name = String(name);
    }
    if (/[^a-z0-9\-#$%&'*+.^_`|~!]/i.test(name) || name === '') {
      throw new TypeError('Invalid character in header field name: "' + name + '"')
    }
    return name.toLowerCase()
  }

  function normalizeValue(value) {
    if (typeof value !== 'string') {
      value = String(value);
    }
    return value
  }

  // Build a destructive iterator for the value list
  function iteratorFor(items) {
    var iterator = {
      next: function() {
        var value = items.shift();
        return {done: value === undefined, value: value}
      }
    };

    if (support.iterable) {
      iterator[Symbol.iterator] = function() {
        return iterator
      };
    }

    return iterator
  }

  function Headers(headers) {
    this.map = {};

    if (headers instanceof Headers) {
      headers.forEach(function(value, name) {
        this.append(name, value);
      }, this);
    } else if (Array.isArray(headers)) {
      headers.forEach(function(header) {
        if (header.length != 2) {
          throw new TypeError('Headers constructor: expected name/value pair to be length 2, found' + header.length)
        }
        this.append(header[0], header[1]);
      }, this);
    } else if (headers) {
      Object.getOwnPropertyNames(headers).forEach(function(name) {
        this.append(name, headers[name]);
      }, this);
    }
  }

  Headers.prototype.append = function(name, value) {
    name = normalizeName(name);
    value = normalizeValue(value);
    var oldValue = this.map[name];
    this.map[name] = oldValue ? oldValue + ', ' + value : value;
  };

  Headers.prototype['delete'] = function(name) {
    delete this.map[normalizeName(name)];
  };

  Headers.prototype.get = function(name) {
    name = normalizeName(name);
    return this.has(name) ? this.map[name] : null
  };

  Headers.prototype.has = function(name) {
    return this.map.hasOwnProperty(normalizeName(name))
  };

  Headers.prototype.set = function(name, value) {
    this.map[normalizeName(name)] = normalizeValue(value);
  };

  Headers.prototype.forEach = function(callback, thisArg) {
    for (var name in this.map) {
      if (this.map.hasOwnProperty(name)) {
        callback.call(thisArg, this.map[name], name, this);
      }
    }
  };

  Headers.prototype.keys = function() {
    var items = [];
    this.forEach(function(value, name) {
      items.push(name);
    });
    return iteratorFor(items)
  };

  Headers.prototype.values = function() {
    var items = [];
    this.forEach(function(value) {
      items.push(value);
    });
    return iteratorFor(items)
  };

  Headers.prototype.entries = function() {
    var items = [];
    this.forEach(function(value, name) {
      items.push([name, value]);
    });
    return iteratorFor(items)
  };

  if (support.iterable) {
    Headers.prototype[Symbol.iterator] = Headers.prototype.entries;
  }

  function consumed(body) {
    if (body._noBody) return
    if (body.bodyUsed) {
      return Promise.reject(new TypeError('Already read'))
    }
    body.bodyUsed = true;
  }

  function fileReaderReady(reader) {
    return new Promise(function(resolve, reject) {
      reader.onload = function() {
        resolve(reader.result);
      };
      reader.onerror = function() {
        reject(reader.error);
      };
    })
  }

  function readBlobAsArrayBuffer(blob) {
    var reader = new FileReader();
    var promise = fileReaderReady(reader);
    reader.readAsArrayBuffer(blob);
    return promise
  }

  function readBlobAsText(blob) {
    var reader = new FileReader();
    var promise = fileReaderReady(reader);
    var match = /charset=([A-Za-z0-9_-]+)/.exec(blob.type);
    var encoding = match ? match[1] : 'utf-8';
    reader.readAsText(blob, encoding);
    return promise
  }

  function readArrayBufferAsText(buf) {
    var view = new Uint8Array(buf);
    var chars = new Array(view.length);

    for (var i = 0; i < view.length; i++) {
      chars[i] = String.fromCharCode(view[i]);
    }
    return chars.join('')
  }

  function bufferClone(buf) {
    if (buf.slice) {
      return buf.slice(0)
    } else {
      var view = new Uint8Array(buf.byteLength);
      view.set(new Uint8Array(buf));
      return view.buffer
    }
  }

  function Body() {
    this.bodyUsed = false;

    this._initBody = function(body) {
      /*
        fetch-mock wraps the Response object in an ES6 Proxy to
        provide useful test harness features such as flush. However, on
        ES5 browsers without fetch or Proxy support pollyfills must be used;
        the proxy-pollyfill is unable to proxy an attribute unless it exists
        on the object before the Proxy is created. This change ensures
        Response.bodyUsed exists on the instance, while maintaining the
        semantic of setting Request.bodyUsed in the constructor before
        _initBody is called.
      */
      // eslint-disable-next-line no-self-assign
      this.bodyUsed = this.bodyUsed;
      this._bodyInit = body;
      if (!body) {
        this._noBody = true;
        this._bodyText = '';
      } else if (typeof body === 'string') {
        this._bodyText = body;
      } else if (support.blob && Blob.prototype.isPrototypeOf(body)) {
        this._bodyBlob = body;
      } else if (support.formData && FormData.prototype.isPrototypeOf(body)) {
        this._bodyFormData = body;
      } else if (support.searchParams && URLSearchParams.prototype.isPrototypeOf(body)) {
        this._bodyText = body.toString();
      } else if (support.arrayBuffer && support.blob && isDataView(body)) {
        this._bodyArrayBuffer = bufferClone(body.buffer);
        // IE 10-11 can't handle a DataView body.
        this._bodyInit = new Blob([this._bodyArrayBuffer]);
      } else if (support.arrayBuffer && (ArrayBuffer.prototype.isPrototypeOf(body) || isArrayBufferView(body))) {
        this._bodyArrayBuffer = bufferClone(body);
      } else {
        this._bodyText = body = Object.prototype.toString.call(body);
      }

      if (!this.headers.get('content-type')) {
        if (typeof body === 'string') {
          this.headers.set('content-type', 'text/plain;charset=UTF-8');
        } else if (this._bodyBlob && this._bodyBlob.type) {
          this.headers.set('content-type', this._bodyBlob.type);
        } else if (support.searchParams && URLSearchParams.prototype.isPrototypeOf(body)) {
          this.headers.set('content-type', 'application/x-www-form-urlencoded;charset=UTF-8');
        }
      }
    };

    if (support.blob) {
      this.blob = function() {
        var rejected = consumed(this);
        if (rejected) {
          return rejected
        }

        if (this._bodyBlob) {
          return Promise.resolve(this._bodyBlob)
        } else if (this._bodyArrayBuffer) {
          return Promise.resolve(new Blob([this._bodyArrayBuffer]))
        } else if (this._bodyFormData) {
          throw new Error('could not read FormData body as blob')
        } else {
          return Promise.resolve(new Blob([this._bodyText]))
        }
      };
    }

    this.arrayBuffer = function() {
      if (this._bodyArrayBuffer) {
        var isConsumed = consumed(this);
        if (isConsumed) {
          return isConsumed
        } else if (ArrayBuffer.isView(this._bodyArrayBuffer)) {
          return Promise.resolve(
            this._bodyArrayBuffer.buffer.slice(
              this._bodyArrayBuffer.byteOffset,
              this._bodyArrayBuffer.byteOffset + this._bodyArrayBuffer.byteLength
            )
          )
        } else {
          return Promise.resolve(this._bodyArrayBuffer)
        }
      } else if (support.blob) {
        return this.blob().then(readBlobAsArrayBuffer)
      } else {
        throw new Error('could not read as ArrayBuffer')
      }
    };

    this.text = function() {
      var rejected = consumed(this);
      if (rejected) {
        return rejected
      }

      if (this._bodyBlob) {
        return readBlobAsText(this._bodyBlob)
      } else if (this._bodyArrayBuffer) {
        return Promise.resolve(readArrayBufferAsText(this._bodyArrayBuffer))
      } else if (this._bodyFormData) {
        throw new Error('could not read FormData body as text')
      } else {
        return Promise.resolve(this._bodyText)
      }
    };

    if (support.formData) {
      this.formData = function() {
        return this.text().then(decode)
      };
    }

    this.json = function() {
      return this.text().then(JSON.parse)
    };

    return this
  }

  // HTTP methods whose capitalization should be normalized
  var methods = ['CONNECT', 'DELETE', 'GET', 'HEAD', 'OPTIONS', 'PATCH', 'POST', 'PUT', 'TRACE'];

  function normalizeMethod(method) {
    var upcased = method.toUpperCase();
    return methods.indexOf(upcased) > -1 ? upcased : method
  }

  function Request(input, options) {
    if (!(this instanceof Request)) {
      throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.')
    }

    options = options || {};
    var body = options.body;

    if (input instanceof Request) {
      if (input.bodyUsed) {
        throw new TypeError('Already read')
      }
      this.url = input.url;
      this.credentials = input.credentials;
      if (!options.headers) {
        this.headers = new Headers(input.headers);
      }
      this.method = input.method;
      this.mode = input.mode;
      this.signal = input.signal;
      if (!body && input._bodyInit != null) {
        body = input._bodyInit;
        input.bodyUsed = true;
      }
    } else {
      this.url = String(input);
    }

    this.credentials = options.credentials || this.credentials || 'same-origin';
    if (options.headers || !this.headers) {
      this.headers = new Headers(options.headers);
    }
    this.method = normalizeMethod(options.method || this.method || 'GET');
    this.mode = options.mode || this.mode || null;
    this.signal = options.signal || this.signal || (function () {
      if ('AbortController' in g) {
        var ctrl = new AbortController();
        return ctrl.signal;
      }
    }());
    this.referrer = null;

    if ((this.method === 'GET' || this.method === 'HEAD') && body) {
      throw new TypeError('Body not allowed for GET or HEAD requests')
    }
    this._initBody(body);

    if (this.method === 'GET' || this.method === 'HEAD') {
      if (options.cache === 'no-store' || options.cache === 'no-cache') {
        // Search for a '_' parameter in the query string
        var reParamSearch = /([?&])_=[^&]*/;
        if (reParamSearch.test(this.url)) {
          // If it already exists then set the value with the current time
          this.url = this.url.replace(reParamSearch, '$1_=' + new Date().getTime());
        } else {
          // Otherwise add a new '_' parameter to the end with the current time
          var reQueryString = /\?/;
          this.url += (reQueryString.test(this.url) ? '&' : '?') + '_=' + new Date().getTime();
        }
      }
    }
  }

  Request.prototype.clone = function() {
    return new Request(this, {body: this._bodyInit})
  };

  function decode(body) {
    var form = new FormData();
    body
      .trim()
      .split('&')
      .forEach(function(bytes) {
        if (bytes) {
          var split = bytes.split('=');
          var name = split.shift().replace(/\+/g, ' ');
          var value = split.join('=').replace(/\+/g, ' ');
          form.append(decodeURIComponent(name), decodeURIComponent(value));
        }
      });
    return form
  }

  function parseHeaders(rawHeaders) {
    var headers = new Headers();
    // Replace instances of \r\n and \n followed by at least one space or horizontal tab with a space
    // https://tools.ietf.org/html/rfc7230#section-3.2
    var preProcessedHeaders = rawHeaders.replace(/\r?\n[\t ]+/g, ' ');
    // Avoiding split via regex to work around a common IE11 bug with the core-js 3.6.0 regex polyfill
    // https://github.com/github/fetch/issues/748
    // https://github.com/zloirock/core-js/issues/751
    preProcessedHeaders
      .split('\r')
      .map(function(header) {
        return header.indexOf('\n') === 0 ? header.substr(1, header.length) : header
      })
      .forEach(function(line) {
        var parts = line.split(':');
        var key = parts.shift().trim();
        if (key) {
          var value = parts.join(':').trim();
          try {
            headers.append(key, value);
          } catch (error) {
            console.warn('Response ' + error.message);
          }
        }
      });
    return headers
  }

  Body.call(Request.prototype);

  function Response(bodyInit, options) {
    if (!(this instanceof Response)) {
      throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.')
    }
    if (!options) {
      options = {};
    }

    this.type = 'default';
    this.status = options.status === undefined ? 200 : options.status;
    if (this.status < 200 || this.status > 599) {
      throw new RangeError("Failed to construct 'Response': The status provided (0) is outside the range [200, 599].")
    }
    this.ok = this.status >= 200 && this.status < 300;
    this.statusText = options.statusText === undefined ? '' : '' + options.statusText;
    this.headers = new Headers(options.headers);
    this.url = options.url || '';
    this._initBody(bodyInit);
  }

  Body.call(Response.prototype);

  Response.prototype.clone = function() {
    return new Response(this._bodyInit, {
      status: this.status,
      statusText: this.statusText,
      headers: new Headers(this.headers),
      url: this.url
    })
  };

  Response.error = function() {
    var response = new Response(null, {status: 200, statusText: ''});
    response.status = 0;
    response.type = 'error';
    return response
  };

  var redirectStatuses = [301, 302, 303, 307, 308];

  Response.redirect = function(url, status) {
    if (redirectStatuses.indexOf(status) === -1) {
      throw new RangeError('Invalid status code')
    }

    return new Response(null, {status: status, headers: {location: url}})
  };

  exports.DOMException = g.DOMException;
  try {
    new exports.DOMException();
  } catch (err) {
    exports.DOMException = function(message, name) {
      this.message = message;
      this.name = name;
      var error = Error(message);
      this.stack = error.stack;
    };
    exports.DOMException.prototype = Object.create(Error.prototype);
    exports.DOMException.prototype.constructor = exports.DOMException;
  }

  function fetch(input, init) {
    return new Promise(function(resolve, reject) {
      var request = new Request(input, init);

      if (request.signal && request.signal.aborted) {
        return reject(new exports.DOMException('Aborted', 'AbortError'))
      }

      var xhr = new XMLHttpRequest();

      function abortXhr() {
        xhr.abort();
      }

      xhr.onload = function() {
        var options = {
          status: xhr.status,
          statusText: xhr.statusText,
          headers: parseHeaders(xhr.getAllResponseHeaders() || '')
        };
        options.url = 'responseURL' in xhr ? xhr.responseURL : options.headers.get('X-Request-URL');
        var body = 'response' in xhr ? xhr.response : xhr.responseText;
        setTimeout(function() {
          resolve(new Response(body, options));
        }, 0);
      };

      xhr.onerror = function() {
        setTimeout(function() {
          reject(new TypeError('Network request failed'));
        }, 0);
      };

      xhr.ontimeout = function() {
        setTimeout(function() {
          reject(new TypeError('Network request failed'));
        }, 0);
      };

      xhr.onabort = function() {
        setTimeout(function() {
          reject(new exports.DOMException('Aborted', 'AbortError'));
        }, 0);
      };

      function fixUrl(url) {
        try {
          return url === '' && g.location.href ? g.location.href : url
        } catch (e) {
          return url
        }
      }

      xhr.open(request.method, fixUrl(request.url), true);

      if (request.credentials === 'include') {
        xhr.withCredentials = true;
      } else if (request.credentials === 'omit') {
        xhr.withCredentials = false;
      }

      if ('responseType' in xhr) {
        if (support.blob) {
          xhr.responseType = 'blob';
        } else if (
          support.arrayBuffer
        ) {
          xhr.responseType = 'arraybuffer';
        }
      }

      if (init && typeof init.headers === 'object' && !(init.headers instanceof Headers || (g.Headers && init.headers instanceof g.Headers))) {
        var names = [];
        Object.getOwnPropertyNames(init.headers).forEach(function(name) {
          names.push(normalizeName(name));
          xhr.setRequestHeader(name, normalizeValue(init.headers[name]));
        });
        request.headers.forEach(function(value, name) {
          if (names.indexOf(name) === -1) {
            xhr.setRequestHeader(name, value);
          }
        });
      } else {
        request.headers.forEach(function(value, name) {
          xhr.setRequestHeader(name, value);
        });
      }

      if (request.signal) {
        request.signal.addEventListener('abort', abortXhr);

        xhr.onreadystatechange = function() {
          // DONE (success or failure)
          if (xhr.readyState === 4) {
            request.signal.removeEventListener('abort', abortXhr);
          }
        };
      }

      xhr.send(typeof request._bodyInit === 'undefined' ? null : request._bodyInit);
    })
  }

  fetch.polyfill = true;

  if (!g.fetch) {
    g.fetch = fetch;
    g.Headers = Headers;
    g.Request = Request;
    g.Response = Response;
  }

  exports.Headers = Headers;
  exports.Request = Request;
  exports.Response = Response;
  exports.fetch = fetch;

  Object.defineProperty(exports, '__esModule', { value: true });

})));
lodash.js000060400002046542151334462320006370 0ustar00/**
 * @license
 * Lodash <https://lodash.com/>
 * Copyright OpenJS Foundation and other contributors <https://openjsf.org/>
 * Released under MIT license <https://lodash.com/license>
 * Based on Underscore.js 1.8.3 <http://underscorejs.org/LICENSE>
 * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors
 */
;(function() {

  /** Used as a safe reference for `undefined` in pre-ES5 environments. */
  var undefined;

  /** Used as the semantic version number. */
  var VERSION = '4.17.21';

  /** Used as the size to enable large array optimizations. */
  var LARGE_ARRAY_SIZE = 200;

  /** Error message constants. */
  var CORE_ERROR_TEXT = 'Unsupported core-js use. Try https://npms.io/search?q=ponyfill.',
      FUNC_ERROR_TEXT = 'Expected a function',
      INVALID_TEMPL_VAR_ERROR_TEXT = 'Invalid `variable` option passed into `_.template`';

  /** Used to stand-in for `undefined` hash values. */
  var HASH_UNDEFINED = '__lodash_hash_undefined__';

  /** Used as the maximum memoize cache size. */
  var MAX_MEMOIZE_SIZE = 500;

  /** Used as the internal argument placeholder. */
  var PLACEHOLDER = '__lodash_placeholder__';

  /** Used to compose bitmasks for cloning. */
  var CLONE_DEEP_FLAG = 1,
      CLONE_FLAT_FLAG = 2,
      CLONE_SYMBOLS_FLAG = 4;

  /** Used to compose bitmasks for value comparisons. */
  var COMPARE_PARTIAL_FLAG = 1,
      COMPARE_UNORDERED_FLAG = 2;

  /** Used to compose bitmasks for function metadata. */
  var WRAP_BIND_FLAG = 1,
      WRAP_BIND_KEY_FLAG = 2,
      WRAP_CURRY_BOUND_FLAG = 4,
      WRAP_CURRY_FLAG = 8,
      WRAP_CURRY_RIGHT_FLAG = 16,
      WRAP_PARTIAL_FLAG = 32,
      WRAP_PARTIAL_RIGHT_FLAG = 64,
      WRAP_ARY_FLAG = 128,
      WRAP_REARG_FLAG = 256,
      WRAP_FLIP_FLAG = 512;

  /** Used as default options for `_.truncate`. */
  var DEFAULT_TRUNC_LENGTH = 30,
      DEFAULT_TRUNC_OMISSION = '...';

  /** Used to detect hot functions by number of calls within a span of milliseconds. */
  var HOT_COUNT = 800,
      HOT_SPAN = 16;

  /** Used to indicate the type of lazy iteratees. */
  var LAZY_FILTER_FLAG = 1,
      LAZY_MAP_FLAG = 2,
      LAZY_WHILE_FLAG = 3;

  /** Used as references for various `Number` constants. */
  var INFINITY = 1 / 0,
      MAX_SAFE_INTEGER = 9007199254740991,
      MAX_INTEGER = 1.7976931348623157e+308,
      NAN = 0 / 0;

  /** Used as references for the maximum length and index of an array. */
  var MAX_ARRAY_LENGTH = 4294967295,
      MAX_ARRAY_INDEX = MAX_ARRAY_LENGTH - 1,
      HALF_MAX_ARRAY_LENGTH = MAX_ARRAY_LENGTH >>> 1;

  /** Used to associate wrap methods with their bit flags. */
  var wrapFlags = [
    ['ary', WRAP_ARY_FLAG],
    ['bind', WRAP_BIND_FLAG],
    ['bindKey', WRAP_BIND_KEY_FLAG],
    ['curry', WRAP_CURRY_FLAG],
    ['curryRight', WRAP_CURRY_RIGHT_FLAG],
    ['flip', WRAP_FLIP_FLAG],
    ['partial', WRAP_PARTIAL_FLAG],
    ['partialRight', WRAP_PARTIAL_RIGHT_FLAG],
    ['rearg', WRAP_REARG_FLAG]
  ];

  /** `Object#toString` result references. */
  var argsTag = '[object Arguments]',
      arrayTag = '[object Array]',
      asyncTag = '[object AsyncFunction]',
      boolTag = '[object Boolean]',
      dateTag = '[object Date]',
      domExcTag = '[object DOMException]',
      errorTag = '[object Error]',
      funcTag = '[object Function]',
      genTag = '[object GeneratorFunction]',
      mapTag = '[object Map]',
      numberTag = '[object Number]',
      nullTag = '[object Null]',
      objectTag = '[object Object]',
      promiseTag = '[object Promise]',
      proxyTag = '[object Proxy]',
      regexpTag = '[object RegExp]',
      setTag = '[object Set]',
      stringTag = '[object String]',
      symbolTag = '[object Symbol]',
      undefinedTag = '[object Undefined]',
      weakMapTag = '[object WeakMap]',
      weakSetTag = '[object WeakSet]';

  var arrayBufferTag = '[object ArrayBuffer]',
      dataViewTag = '[object DataView]',
      float32Tag = '[object Float32Array]',
      float64Tag = '[object Float64Array]',
      int8Tag = '[object Int8Array]',
      int16Tag = '[object Int16Array]',
      int32Tag = '[object Int32Array]',
      uint8Tag = '[object Uint8Array]',
      uint8ClampedTag = '[object Uint8ClampedArray]',
      uint16Tag = '[object Uint16Array]',
      uint32Tag = '[object Uint32Array]';

  /** Used to match empty string literals in compiled template source. */
  var reEmptyStringLeading = /\b__p \+= '';/g,
      reEmptyStringMiddle = /\b(__p \+=) '' \+/g,
      reEmptyStringTrailing = /(__e\(.*?\)|\b__t\)) \+\n'';/g;

  /** Used to match HTML entities and HTML characters. */
  var reEscapedHtml = /&(?:amp|lt|gt|quot|#39);/g,
      reUnescapedHtml = /[&<>"']/g,
      reHasEscapedHtml = RegExp(reEscapedHtml.source),
      reHasUnescapedHtml = RegExp(reUnescapedHtml.source);

  /** Used to match template delimiters. */
  var reEscape = /<%-([\s\S]+?)%>/g,
      reEvaluate = /<%([\s\S]+?)%>/g,
      reInterpolate = /<%=([\s\S]+?)%>/g;

  /** Used to match property names within property paths. */
  var reIsDeepProp = /\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,
      reIsPlainProp = /^\w*$/,
      rePropName = /[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g;

  /**
   * Used to match `RegExp`
   * [syntax characters](http://ecma-international.org/ecma-262/7.0/#sec-patterns).
   */
  var reRegExpChar = /[\\^$.*+?()[\]{}|]/g,
      reHasRegExpChar = RegExp(reRegExpChar.source);

  /** Used to match leading whitespace. */
  var reTrimStart = /^\s+/;

  /** Used to match a single whitespace character. */
  var reWhitespace = /\s/;

  /** Used to match wrap detail comments. */
  var reWrapComment = /\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/,
      reWrapDetails = /\{\n\/\* \[wrapped with (.+)\] \*/,
      reSplitDetails = /,? & /;

  /** Used to match words composed of alphanumeric characters. */
  var reAsciiWord = /[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g;

  /**
   * Used to validate the `validate` option in `_.template` variable.
   *
   * Forbids characters which could potentially change the meaning of the function argument definition:
   * - "()," (modification of function parameters)
   * - "=" (default value)
   * - "[]{}" (destructuring of function parameters)
   * - "/" (beginning of a comment)
   * - whitespace
   */
  var reForbiddenIdentifierChars = /[()=,{}\[\]\/\s]/;

  /** Used to match backslashes in property paths. */
  var reEscapeChar = /\\(\\)?/g;

  /**
   * Used to match
   * [ES template delimiters](http://ecma-international.org/ecma-262/7.0/#sec-template-literal-lexical-components).
   */
  var reEsTemplate = /\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g;

  /** Used to match `RegExp` flags from their coerced string values. */
  var reFlags = /\w*$/;

  /** Used to detect bad signed hexadecimal string values. */
  var reIsBadHex = /^[-+]0x[0-9a-f]+$/i;

  /** Used to detect binary string values. */
  var reIsBinary = /^0b[01]+$/i;

  /** Used to detect host constructors (Safari). */
  var reIsHostCtor = /^\[object .+?Constructor\]$/;

  /** Used to detect octal string values. */
  var reIsOctal = /^0o[0-7]+$/i;

  /** Used to detect unsigned integer values. */
  var reIsUint = /^(?:0|[1-9]\d*)$/;

  /** Used to match Latin Unicode letters (excluding mathematical operators). */
  var reLatin = /[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g;

  /** Used to ensure capturing order of template delimiters. */
  var reNoMatch = /($^)/;

  /** Used to match unescaped characters in compiled string literals. */
  var reUnescapedString = /['\n\r\u2028\u2029\\]/g;

  /** Used to compose unicode character classes. */
  var rsAstralRange = '\\ud800-\\udfff',
      rsComboMarksRange = '\\u0300-\\u036f',
      reComboHalfMarksRange = '\\ufe20-\\ufe2f',
      rsComboSymbolsRange = '\\u20d0-\\u20ff',
      rsComboRange = rsComboMarksRange + reComboHalfMarksRange + rsComboSymbolsRange,
      rsDingbatRange = '\\u2700-\\u27bf',
      rsLowerRange = 'a-z\\xdf-\\xf6\\xf8-\\xff',
      rsMathOpRange = '\\xac\\xb1\\xd7\\xf7',
      rsNonCharRange = '\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf',
      rsPunctuationRange = '\\u2000-\\u206f',
      rsSpaceRange = ' \\t\\x0b\\f\\xa0\\ufeff\\n\\r\\u2028\\u2029\\u1680\\u180e\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200a\\u202f\\u205f\\u3000',
      rsUpperRange = 'A-Z\\xc0-\\xd6\\xd8-\\xde',
      rsVarRange = '\\ufe0e\\ufe0f',
      rsBreakRange = rsMathOpRange + rsNonCharRange + rsPunctuationRange + rsSpaceRange;

  /** Used to compose unicode capture groups. */
  var rsApos = "['\u2019]",
      rsAstral = '[' + rsAstralRange + ']',
      rsBreak = '[' + rsBreakRange + ']',
      rsCombo = '[' + rsComboRange + ']',
      rsDigits = '\\d+',
      rsDingbat = '[' + rsDingbatRange + ']',
      rsLower = '[' + rsLowerRange + ']',
      rsMisc = '[^' + rsAstralRange + rsBreakRange + rsDigits + rsDingbatRange + rsLowerRange + rsUpperRange + ']',
      rsFitz = '\\ud83c[\\udffb-\\udfff]',
      rsModifier = '(?:' + rsCombo + '|' + rsFitz + ')',
      rsNonAstral = '[^' + rsAstralRange + ']',
      rsRegional = '(?:\\ud83c[\\udde6-\\uddff]){2}',
      rsSurrPair = '[\\ud800-\\udbff][\\udc00-\\udfff]',
      rsUpper = '[' + rsUpperRange + ']',
      rsZWJ = '\\u200d';

  /** Used to compose unicode regexes. */
  var rsMiscLower = '(?:' + rsLower + '|' + rsMisc + ')',
      rsMiscUpper = '(?:' + rsUpper + '|' + rsMisc + ')',
      rsOptContrLower = '(?:' + rsApos + '(?:d|ll|m|re|s|t|ve))?',
      rsOptContrUpper = '(?:' + rsApos + '(?:D|LL|M|RE|S|T|VE))?',
      reOptMod = rsModifier + '?',
      rsOptVar = '[' + rsVarRange + ']?',
      rsOptJoin = '(?:' + rsZWJ + '(?:' + [rsNonAstral, rsRegional, rsSurrPair].join('|') + ')' + rsOptVar + reOptMod + ')*',
      rsOrdLower = '\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])',
      rsOrdUpper = '\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])',
      rsSeq = rsOptVar + reOptMod + rsOptJoin,
      rsEmoji = '(?:' + [rsDingbat, rsRegional, rsSurrPair].join('|') + ')' + rsSeq,
      rsSymbol = '(?:' + [rsNonAstral + rsCombo + '?', rsCombo, rsRegional, rsSurrPair, rsAstral].join('|') + ')';

  /** Used to match apostrophes. */
  var reApos = RegExp(rsApos, 'g');

  /**
   * Used to match [combining diacritical marks](https://en.wikipedia.org/wiki/Combining_Diacritical_Marks) and
   * [combining diacritical marks for symbols](https://en.wikipedia.org/wiki/Combining_Diacritical_Marks_for_Symbols).
   */
  var reComboMark = RegExp(rsCombo, 'g');

  /** Used to match [string symbols](https://mathiasbynens.be/notes/javascript-unicode). */
  var reUnicode = RegExp(rsFitz + '(?=' + rsFitz + ')|' + rsSymbol + rsSeq, 'g');

  /** Used to match complex or compound words. */
  var reUnicodeWord = RegExp([
    rsUpper + '?' + rsLower + '+' + rsOptContrLower + '(?=' + [rsBreak, rsUpper, '$'].join('|') + ')',
    rsMiscUpper + '+' + rsOptContrUpper + '(?=' + [rsBreak, rsUpper + rsMiscLower, '$'].join('|') + ')',
    rsUpper + '?' + rsMiscLower + '+' + rsOptContrLower,
    rsUpper + '+' + rsOptContrUpper,
    rsOrdUpper,
    rsOrdLower,
    rsDigits,
    rsEmoji
  ].join('|'), 'g');

  /** Used to detect strings with [zero-width joiners or code points from the astral planes](http://eev.ee/blog/2015/09/12/dark-corners-of-unicode/). */
  var reHasUnicode = RegExp('[' + rsZWJ + rsAstralRange  + rsComboRange + rsVarRange + ']');

  /** Used to detect strings that need a more robust regexp to match words. */
  var reHasUnicodeWord = /[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/;

  /** Used to assign default `context` object properties. */
  var contextProps = [
    'Array', 'Buffer', 'DataView', 'Date', 'Error', 'Float32Array', 'Float64Array',
    'Function', 'Int8Array', 'Int16Array', 'Int32Array', 'Map', 'Math', 'Object',
    'Promise', 'RegExp', 'Set', 'String', 'Symbol', 'TypeError', 'Uint8Array',
    'Uint8ClampedArray', 'Uint16Array', 'Uint32Array', 'WeakMap',
    '_', 'clearTimeout', 'isFinite', 'parseInt', 'setTimeout'
  ];

  /** Used to make template sourceURLs easier to identify. */
  var templateCounter = -1;

  /** Used to identify `toStringTag` values of typed arrays. */
  var typedArrayTags = {};
  typedArrayTags[float32Tag] = typedArrayTags[float64Tag] =
  typedArrayTags[int8Tag] = typedArrayTags[int16Tag] =
  typedArrayTags[int32Tag] = typedArrayTags[uint8Tag] =
  typedArrayTags[uint8ClampedTag] = typedArrayTags[uint16Tag] =
  typedArrayTags[uint32Tag] = true;
  typedArrayTags[argsTag] = typedArrayTags[arrayTag] =
  typedArrayTags[arrayBufferTag] = typedArrayTags[boolTag] =
  typedArrayTags[dataViewTag] = typedArrayTags[dateTag] =
  typedArrayTags[errorTag] = typedArrayTags[funcTag] =
  typedArrayTags[mapTag] = typedArrayTags[numberTag] =
  typedArrayTags[objectTag] = typedArrayTags[regexpTag] =
  typedArrayTags[setTag] = typedArrayTags[stringTag] =
  typedArrayTags[weakMapTag] = false;

  /** Used to identify `toStringTag` values supported by `_.clone`. */
  var cloneableTags = {};
  cloneableTags[argsTag] = cloneableTags[arrayTag] =
  cloneableTags[arrayBufferTag] = cloneableTags[dataViewTag] =
  cloneableTags[boolTag] = cloneableTags[dateTag] =
  cloneableTags[float32Tag] = cloneableTags[float64Tag] =
  cloneableTags[int8Tag] = cloneableTags[int16Tag] =
  cloneableTags[int32Tag] = cloneableTags[mapTag] =
  cloneableTags[numberTag] = cloneableTags[objectTag] =
  cloneableTags[regexpTag] = cloneableTags[setTag] =
  cloneableTags[stringTag] = cloneableTags[symbolTag] =
  cloneableTags[uint8Tag] = cloneableTags[uint8ClampedTag] =
  cloneableTags[uint16Tag] = cloneableTags[uint32Tag] = true;
  cloneableTags[errorTag] = cloneableTags[funcTag] =
  cloneableTags[weakMapTag] = false;

  /** Used to map Latin Unicode letters to basic Latin letters. */
  var deburredLetters = {
    // Latin-1 Supplement block.
    '\xc0': 'A',  '\xc1': 'A', '\xc2': 'A', '\xc3': 'A', '\xc4': 'A', '\xc5': 'A',
    '\xe0': 'a',  '\xe1': 'a', '\xe2': 'a', '\xe3': 'a', '\xe4': 'a', '\xe5': 'a',
    '\xc7': 'C',  '\xe7': 'c',
    '\xd0': 'D',  '\xf0': 'd',
    '\xc8': 'E',  '\xc9': 'E', '\xca': 'E', '\xcb': 'E',
    '\xe8': 'e',  '\xe9': 'e', '\xea': 'e', '\xeb': 'e',
    '\xcc': 'I',  '\xcd': 'I', '\xce': 'I', '\xcf': 'I',
    '\xec': 'i',  '\xed': 'i', '\xee': 'i', '\xef': 'i',
    '\xd1': 'N',  '\xf1': 'n',
    '\xd2': 'O',  '\xd3': 'O', '\xd4': 'O', '\xd5': 'O', '\xd6': 'O', '\xd8': 'O',
    '\xf2': 'o',  '\xf3': 'o', '\xf4': 'o', '\xf5': 'o', '\xf6': 'o', '\xf8': 'o',
    '\xd9': 'U',  '\xda': 'U', '\xdb': 'U', '\xdc': 'U',
    '\xf9': 'u',  '\xfa': 'u', '\xfb': 'u', '\xfc': 'u',
    '\xdd': 'Y',  '\xfd': 'y', '\xff': 'y',
    '\xc6': 'Ae', '\xe6': 'ae',
    '\xde': 'Th', '\xfe': 'th',
    '\xdf': 'ss',
    // Latin Extended-A block.
    '\u0100': 'A',  '\u0102': 'A', '\u0104': 'A',
    '\u0101': 'a',  '\u0103': 'a', '\u0105': 'a',
    '\u0106': 'C',  '\u0108': 'C', '\u010a': 'C', '\u010c': 'C',
    '\u0107': 'c',  '\u0109': 'c', '\u010b': 'c', '\u010d': 'c',
    '\u010e': 'D',  '\u0110': 'D', '\u010f': 'd', '\u0111': 'd',
    '\u0112': 'E',  '\u0114': 'E', '\u0116': 'E', '\u0118': 'E', '\u011a': 'E',
    '\u0113': 'e',  '\u0115': 'e', '\u0117': 'e', '\u0119': 'e', '\u011b': 'e',
    '\u011c': 'G',  '\u011e': 'G', '\u0120': 'G', '\u0122': 'G',
    '\u011d': 'g',  '\u011f': 'g', '\u0121': 'g', '\u0123': 'g',
    '\u0124': 'H',  '\u0126': 'H', '\u0125': 'h', '\u0127': 'h',
    '\u0128': 'I',  '\u012a': 'I', '\u012c': 'I', '\u012e': 'I', '\u0130': 'I',
    '\u0129': 'i',  '\u012b': 'i', '\u012d': 'i', '\u012f': 'i', '\u0131': 'i',
    '\u0134': 'J',  '\u0135': 'j',
    '\u0136': 'K',  '\u0137': 'k', '\u0138': 'k',
    '\u0139': 'L',  '\u013b': 'L', '\u013d': 'L', '\u013f': 'L', '\u0141': 'L',
    '\u013a': 'l',  '\u013c': 'l', '\u013e': 'l', '\u0140': 'l', '\u0142': 'l',
    '\u0143': 'N',  '\u0145': 'N', '\u0147': 'N', '\u014a': 'N',
    '\u0144': 'n',  '\u0146': 'n', '\u0148': 'n', '\u014b': 'n',
    '\u014c': 'O',  '\u014e': 'O', '\u0150': 'O',
    '\u014d': 'o',  '\u014f': 'o', '\u0151': 'o',
    '\u0154': 'R',  '\u0156': 'R', '\u0158': 'R',
    '\u0155': 'r',  '\u0157': 'r', '\u0159': 'r',
    '\u015a': 'S',  '\u015c': 'S', '\u015e': 'S', '\u0160': 'S',
    '\u015b': 's',  '\u015d': 's', '\u015f': 's', '\u0161': 's',
    '\u0162': 'T',  '\u0164': 'T', '\u0166': 'T',
    '\u0163': 't',  '\u0165': 't', '\u0167': 't',
    '\u0168': 'U',  '\u016a': 'U', '\u016c': 'U', '\u016e': 'U', '\u0170': 'U', '\u0172': 'U',
    '\u0169': 'u',  '\u016b': 'u', '\u016d': 'u', '\u016f': 'u', '\u0171': 'u', '\u0173': 'u',
    '\u0174': 'W',  '\u0175': 'w',
    '\u0176': 'Y',  '\u0177': 'y', '\u0178': 'Y',
    '\u0179': 'Z',  '\u017b': 'Z', '\u017d': 'Z',
    '\u017a': 'z',  '\u017c': 'z', '\u017e': 'z',
    '\u0132': 'IJ', '\u0133': 'ij',
    '\u0152': 'Oe', '\u0153': 'oe',
    '\u0149': "'n", '\u017f': 's'
  };

  /** Used to map characters to HTML entities. */
  var htmlEscapes = {
    '&': '&amp;',
    '<': '&lt;',
    '>': '&gt;',
    '"': '&quot;',
    "'": '&#39;'
  };

  /** Used to map HTML entities to characters. */
  var htmlUnescapes = {
    '&amp;': '&',
    '&lt;': '<',
    '&gt;': '>',
    '&quot;': '"',
    '&#39;': "'"
  };

  /** Used to escape characters for inclusion in compiled string literals. */
  var stringEscapes = {
    '\\': '\\',
    "'": "'",
    '\n': 'n',
    '\r': 'r',
    '\u2028': 'u2028',
    '\u2029': 'u2029'
  };

  /** Built-in method references without a dependency on `root`. */
  var freeParseFloat = parseFloat,
      freeParseInt = parseInt;

  /** Detect free variable `global` from Node.js. */
  var freeGlobal = typeof global == 'object' && global && global.Object === Object && global;

  /** Detect free variable `self`. */
  var freeSelf = typeof self == 'object' && self && self.Object === Object && self;

  /** Used as a reference to the global object. */
  var root = freeGlobal || freeSelf || Function('return this')();

  /** Detect free variable `exports`. */
  var freeExports = typeof exports == 'object' && exports && !exports.nodeType && exports;

  /** Detect free variable `module`. */
  var freeModule = freeExports && typeof module == 'object' && module && !module.nodeType && module;

  /** Detect the popular CommonJS extension `module.exports`. */
  var moduleExports = freeModule && freeModule.exports === freeExports;

  /** Detect free variable `process` from Node.js. */
  var freeProcess = moduleExports && freeGlobal.process;

  /** Used to access faster Node.js helpers. */
  var nodeUtil = (function() {
    try {
      // Use `util.types` for Node.js 10+.
      var types = freeModule && freeModule.require && freeModule.require('util').types;

      if (types) {
        return types;
      }

      // Legacy `process.binding('util')` for Node.js < 10.
      return freeProcess && freeProcess.binding && freeProcess.binding('util');
    } catch (e) {}
  }());

  /* Node.js helper references. */
  var nodeIsArrayBuffer = nodeUtil && nodeUtil.isArrayBuffer,
      nodeIsDate = nodeUtil && nodeUtil.isDate,
      nodeIsMap = nodeUtil && nodeUtil.isMap,
      nodeIsRegExp = nodeUtil && nodeUtil.isRegExp,
      nodeIsSet = nodeUtil && nodeUtil.isSet,
      nodeIsTypedArray = nodeUtil && nodeUtil.isTypedArray;

  /*--------------------------------------------------------------------------*/

  /**
   * A faster alternative to `Function#apply`, this function invokes `func`
   * with the `this` binding of `thisArg` and the arguments of `args`.
   *
   * @private
   * @param {Function} func The function to invoke.
   * @param {*} thisArg The `this` binding of `func`.
   * @param {Array} args The arguments to invoke `func` with.
   * @returns {*} Returns the result of `func`.
   */
  function apply(func, thisArg, args) {
    switch (args.length) {
      case 0: return func.call(thisArg);
      case 1: return func.call(thisArg, args[0]);
      case 2: return func.call(thisArg, args[0], args[1]);
      case 3: return func.call(thisArg, args[0], args[1], args[2]);
    }
    return func.apply(thisArg, args);
  }

  /**
   * A specialized version of `baseAggregator` for arrays.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} setter The function to set `accumulator` values.
   * @param {Function} iteratee The iteratee to transform keys.
   * @param {Object} accumulator The initial aggregated object.
   * @returns {Function} Returns `accumulator`.
   */
  function arrayAggregator(array, setter, iteratee, accumulator) {
    var index = -1,
        length = array == null ? 0 : array.length;

    while (++index < length) {
      var value = array[index];
      setter(accumulator, value, iteratee(value), array);
    }
    return accumulator;
  }

  /**
   * A specialized version of `_.forEach` for arrays without support for
   * iteratee shorthands.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} iteratee The function invoked per iteration.
   * @returns {Array} Returns `array`.
   */
  function arrayEach(array, iteratee) {
    var index = -1,
        length = array == null ? 0 : array.length;

    while (++index < length) {
      if (iteratee(array[index], index, array) === false) {
        break;
      }
    }
    return array;
  }

  /**
   * A specialized version of `_.forEachRight` for arrays without support for
   * iteratee shorthands.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} iteratee The function invoked per iteration.
   * @returns {Array} Returns `array`.
   */
  function arrayEachRight(array, iteratee) {
    var length = array == null ? 0 : array.length;

    while (length--) {
      if (iteratee(array[length], length, array) === false) {
        break;
      }
    }
    return array;
  }

  /**
   * A specialized version of `_.every` for arrays without support for
   * iteratee shorthands.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} predicate The function invoked per iteration.
   * @returns {boolean} Returns `true` if all elements pass the predicate check,
   *  else `false`.
   */
  function arrayEvery(array, predicate) {
    var index = -1,
        length = array == null ? 0 : array.length;

    while (++index < length) {
      if (!predicate(array[index], index, array)) {
        return false;
      }
    }
    return true;
  }

  /**
   * A specialized version of `_.filter` for arrays without support for
   * iteratee shorthands.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} predicate The function invoked per iteration.
   * @returns {Array} Returns the new filtered array.
   */
  function arrayFilter(array, predicate) {
    var index = -1,
        length = array == null ? 0 : array.length,
        resIndex = 0,
        result = [];

    while (++index < length) {
      var value = array[index];
      if (predicate(value, index, array)) {
        result[resIndex++] = value;
      }
    }
    return result;
  }

  /**
   * A specialized version of `_.includes` for arrays without support for
   * specifying an index to search from.
   *
   * @private
   * @param {Array} [array] The array to inspect.
   * @param {*} target The value to search for.
   * @returns {boolean} Returns `true` if `target` is found, else `false`.
   */
  function arrayIncludes(array, value) {
    var length = array == null ? 0 : array.length;
    return !!length && baseIndexOf(array, value, 0) > -1;
  }

  /**
   * This function is like `arrayIncludes` except that it accepts a comparator.
   *
   * @private
   * @param {Array} [array] The array to inspect.
   * @param {*} target The value to search for.
   * @param {Function} comparator The comparator invoked per element.
   * @returns {boolean} Returns `true` if `target` is found, else `false`.
   */
  function arrayIncludesWith(array, value, comparator) {
    var index = -1,
        length = array == null ? 0 : array.length;

    while (++index < length) {
      if (comparator(value, array[index])) {
        return true;
      }
    }
    return false;
  }

  /**
   * A specialized version of `_.map` for arrays without support for iteratee
   * shorthands.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} iteratee The function invoked per iteration.
   * @returns {Array} Returns the new mapped array.
   */
  function arrayMap(array, iteratee) {
    var index = -1,
        length = array == null ? 0 : array.length,
        result = Array(length);

    while (++index < length) {
      result[index] = iteratee(array[index], index, array);
    }
    return result;
  }

  /**
   * Appends the elements of `values` to `array`.
   *
   * @private
   * @param {Array} array The array to modify.
   * @param {Array} values The values to append.
   * @returns {Array} Returns `array`.
   */
  function arrayPush(array, values) {
    var index = -1,
        length = values.length,
        offset = array.length;

    while (++index < length) {
      array[offset + index] = values[index];
    }
    return array;
  }

  /**
   * A specialized version of `_.reduce` for arrays without support for
   * iteratee shorthands.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} iteratee The function invoked per iteration.
   * @param {*} [accumulator] The initial value.
   * @param {boolean} [initAccum] Specify using the first element of `array` as
   *  the initial value.
   * @returns {*} Returns the accumulated value.
   */
  function arrayReduce(array, iteratee, accumulator, initAccum) {
    var index = -1,
        length = array == null ? 0 : array.length;

    if (initAccum && length) {
      accumulator = array[++index];
    }
    while (++index < length) {
      accumulator = iteratee(accumulator, array[index], index, array);
    }
    return accumulator;
  }

  /**
   * A specialized version of `_.reduceRight` for arrays without support for
   * iteratee shorthands.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} iteratee The function invoked per iteration.
   * @param {*} [accumulator] The initial value.
   * @param {boolean} [initAccum] Specify using the last element of `array` as
   *  the initial value.
   * @returns {*} Returns the accumulated value.
   */
  function arrayReduceRight(array, iteratee, accumulator, initAccum) {
    var length = array == null ? 0 : array.length;
    if (initAccum && length) {
      accumulator = array[--length];
    }
    while (length--) {
      accumulator = iteratee(accumulator, array[length], length, array);
    }
    return accumulator;
  }

  /**
   * A specialized version of `_.some` for arrays without support for iteratee
   * shorthands.
   *
   * @private
   * @param {Array} [array] The array to iterate over.
   * @param {Function} predicate The function invoked per iteration.
   * @returns {boolean} Returns `true` if any element passes the predicate check,
   *  else `false`.
   */
  function arraySome(array, predicate) {
    var index = -1,
        length = array == null ? 0 : array.length;

    while (++index < length) {
      if (predicate(array[index], index, array)) {
        return true;
      }
    }
    return false;
  }

  /**
   * Gets the size of an ASCII `string`.
   *
   * @private
   * @param {string} string The string inspect.
   * @returns {number} Returns the string size.
   */
  var asciiSize = baseProperty('length');

  /**
   * Converts an ASCII `string` to an array.
   *
   * @private
   * @param {string} string The string to convert.
   * @returns {Array} Returns the converted array.
   */
  function asciiToArray(string) {
    return string.split('');
  }

  /**
   * Splits an ASCII `string` into an array of its words.
   *
   * @private
   * @param {string} The string to inspect.
   * @returns {Array} Returns the words of `string`.
   */
  function asciiWords(string) {
    return string.match(reAsciiWord) || [];
  }

  /**
   * The base implementation of methods like `_.findKey` and `_.findLastKey`,
   * without support for iteratee shorthands, which iterates over `collection`
   * using `eachFunc`.
   *
   * @private
   * @param {Array|Object} collection The collection to inspect.
   * @param {Function} predicate The function invoked per iteration.
   * @param {Function} eachFunc The function to iterate over `collection`.
   * @returns {*} Returns the found element or its key, else `undefined`.
   */
  function baseFindKey(collection, predicate, eachFunc) {
    var result;
    eachFunc(collection, function(value, key, collection) {
      if (predicate(value, key, collection)) {
        result = key;
        return false;
      }
    });
    return result;
  }

  /**
   * The base implementation of `_.findIndex` and `_.findLastIndex` without
   * support for iteratee shorthands.
   *
   * @private
   * @param {Array} array The array to inspect.
   * @param {Function} predicate The function invoked per iteration.
   * @param {number} fromIndex The index to search from.
   * @param {boolean} [fromRight] Specify iterating from right to left.
   * @returns {number} Returns the index of the matched value, else `-1`.
   */
  function baseFindIndex(array, predicate, fromIndex, fromRight) {
    var length = array.length,
        index = fromIndex + (fromRight ? 1 : -1);

    while ((fromRight ? index-- : ++index < length)) {
      if (predicate(array[index], index, array)) {
        return index;
      }
    }
    return -1;
  }

  /**
   * The base implementation of `_.indexOf` without `fromIndex` bounds checks.
   *
   * @private
   * @param {Array} array The array to inspect.
   * @param {*} value The value to search for.
   * @param {number} fromIndex The index to search from.
   * @returns {number} Returns the index of the matched value, else `-1`.
   */
  function baseIndexOf(array, value, fromIndex) {
    return value === value
      ? strictIndexOf(array, value, fromIndex)
      : baseFindIndex(array, baseIsNaN, fromIndex);
  }

  /**
   * This function is like `baseIndexOf` except that it accepts a comparator.
   *
   * @private
   * @param {Array} array The array to inspect.
   * @param {*} value The value to search for.
   * @param {number} fromIndex The index to search from.
   * @param {Function} comparator The comparator invoked per element.
   * @returns {number} Returns the index of the matched value, else `-1`.
   */
  function baseIndexOfWith(array, value, fromIndex, comparator) {
    var index = fromIndex - 1,
        length = array.length;

    while (++index < length) {
      if (comparator(array[index], value)) {
        return index;
      }
    }
    return -1;
  }

  /**
   * The base implementation of `_.isNaN` without support for number objects.
   *
   * @private
   * @param {*} value The value to check.
   * @returns {boolean} Returns `true` if `value` is `NaN`, else `false`.
   */
  function baseIsNaN(value) {
    return value !== value;
  }

  /**
   * The base implementation of `_.mean` and `_.meanBy` without support for
   * iteratee shorthands.
   *
   * @private
   * @param {Array} array The array to iterate over.
   * @param {Function} iteratee The function invoked per iteration.
   * @returns {number} Returns the mean.
   */
  function baseMean(array, iteratee) {
    var length = array == null ? 0 : array.length;
    return length ? (baseSum(array, iteratee) / length) : NAN;
  }

  /**
   * The base implementation of `_.property` without support for deep paths.
   *
   * @private
   * @param {string} key The key of the property to get.
   * @returns {Function} Returns the new accessor function.
   */
  function baseProperty(key) {
    return function(object) {
      return object == null ? undefined : object[key];
    };
  }

  /**
   * The base implementation of `_.propertyOf` without support for deep paths.
   *
   * @private
   * @param {Object} object The object to query.
   * @returns {Function} Returns the new accessor function.
   */
  function basePropertyOf(object) {
    return function(key) {
      return object == null ? undefined : object[key];
    };
  }

  /**
   * The base implementation of `_.reduce` and `_.reduceRight`, without support
   * for iteratee shorthands, which iterates over `collection` using `eachFunc`.
   *
   * @private
   * @param {Array|Object} collection The collection to iterate over.
   * @param {Function} iteratee The function invoked per iteration.
   * @param {*} accumulator The initial value.
   * @param {boolean} initAccum Specify using the first or last element of
   *  `collection` as the initial value.
   * @param {Function} eachFunc The function to iterate over `collection`.
   * @returns {*} Returns the accumulated value.
   */
  function baseReduce(collection, iteratee, accumulator, initAccum, eachFunc) {
    eachFunc(collection, function(value, index, collection) {
      accumulator = initAccum
        ? (initAccum = false, value)
        : iteratee(accumulator, value, index, collection);
    });
    return accumulator;
  }

  /**
   * The base implementation of `_.sortBy` which uses `comparer` to define the
   * sort order of `array` and replaces criteria objects with their corresponding
   * values.
   *
   * @private
   * @param {Array} array The array to sort.
   * @param {Function} comparer The function to define sort order.
   * @returns {Array} Returns `array`.
   */
  function baseSortBy(array, comparer) {
    var length = array.length;

    array.sort(comparer);
    while (length--) {
      array[length] = array[length].value;
    }
    return array;
  }

  /**
   * The base implementation of `_.sum` and `_.sumBy` without support for
   * iteratee shorthands.
   *
   * @private
   * @param {Array} array The array to iterate over.
   * @param {Function} iteratee The function invoked per iteration.
   * @returns {number} Returns the sum.
   */
  function baseSum(array, iteratee) {
    var result,
        index = -1,
        length = array.length;

    while (++index < length) {
      var current = iteratee(array[index]);
      if (current !== undefined) {
        result = result === undefined ? current : (result + current);
      }
    }
    return result;
  }

  /**
   * The base implementation of `_.times` without support for iteratee shorthands
   * or max array length checks.
   *
   * @private
   * @param {number} n The number of times to invoke `iteratee`.
   * @param {Function} iteratee The function invoked per iteration.
   * @returns {Array} Returns the array of results.
   */
  function baseTimes(n, iteratee) {
    var index = -1,
        result = Array(n);

    while (++index < n) {
      result[index] = iteratee(index);
    }
    return result;
  }

  /**
   * The base implementation of `_.toPairs` and `_.toPairsIn` which creates an array
   * of key-value pairs for `object` corresponding to the property names of `props`.
   *
   * @private
   * @param {Object} object The object to query.
   * @param {Array} props The property names to get values for.
   * @returns {Object} Returns the key-value pairs.
   */
  function baseToPairs(object, props) {
    return arrayMap(props, function(key) {
      return [key, object[key]];
    });
  }

  /**
   * The base implementation of `_.trim`.
   *
   * @private
   * @param {string} string The string to trim.
   * @returns {string} Returns the trimmed string.
   */
  function baseTrim(string) {
    return string
      ? string.slice(0, trimmedEndIndex(string) + 1).replace(reTrimStart, '')
      : string;
  }

  /**
   * The base implementation of `_.unary` without support for storing metadata.
   *
   * @private
   * @param {Function} func The function to cap arguments for.
   * @returns {Function} Returns the new capped function.
   */
  function baseUnary(func) {
    return function(value) {
      return func(value);
    };
  }

  /**
   * The base implementation of `_.values` and `_.valuesIn` which creates an
   * array of `object` property values corresponding to the property names
   * of `props`.
   *
   * @private
   * @param {Object} object The object to query.
   * @param {Array} props The property names to get values for.
   * @returns {Object} Returns the array of property values.
   */
  function baseValues(object, props) {
    return arrayMap(props, function(key) {
      return object[key];
    });
  }

  /**
   * Checks if a `cache` value for `key` exists.
   *
   * @private
   * @param {Object} cache The cache to query.
   * @param {string} key The key of the entry to check.
   * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
   */
  function cacheHas(cache, key) {
    return cache.has(key);
  }

  /**
   * Used by `_.trim` and `_.trimStart` to get the index of the first string symbol
   * that is not found in the character symbols.
   *
   * @private
   * @param {Array} strSymbols The string symbols to inspect.
   * @param {Array} chrSymbols The character symbols to find.
   * @returns {number} Returns the index of the first unmatched string symbol.
   */
  function charsStartIndex(strSymbols, chrSymbols) {
    var index = -1,
        length = strSymbols.length;

    while (++index < length && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {}
    return index;
  }

  /**
   * Used by `_.trim` and `_.trimEnd` to get the index of the last string symbol
   * that is not found in the character symbols.
   *
   * @private
   * @param {Array} strSymbols The string symbols to inspect.
   * @param {Array} chrSymbols The character symbols to find.
   * @returns {number} Returns the index of the last unmatched string symbol.
   */
  function charsEndIndex(strSymbols, chrSymbols) {
    var index = strSymbols.length;

    while (index-- && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {}
    return index;
  }

  /**
   * Gets the number of `placeholder` occurrences in `array`.
   *
   * @private
   * @param {Array} array The array to inspect.
   * @param {*} placeholder The placeholder to search for.
   * @returns {number} Returns the placeholder count.
   */
  function countHolders(array, placeholder) {
    var length = array.length,
        result = 0;

    while (length--) {
      if (array[length] === placeholder) {
        ++result;
      }
    }
    return result;
  }

  /**
   * Used by `_.deburr` to convert Latin-1 Supplement and Latin Extended-A
   * letters to basic Latin letters.
   *
   * @private
   * @param {string} letter The matched letter to deburr.
   * @returns {string} Returns the deburred letter.
   */
  var deburrLetter = basePropertyOf(deburredLetters);

  /**
   * Used by `_.escape` to convert characters to HTML entities.
   *
   * @private
   * @param {string} chr The matched character to escape.
   * @returns {string} Returns the escaped character.
   */
  var escapeHtmlChar = basePropertyOf(htmlEscapes);

  /**
   * Used by `_.template` to escape characters for inclusion in compiled string literals.
   *
   * @private
   * @param {string} chr The matched character to escape.
   * @returns {string} Returns the escaped character.
   */
  function escapeStringChar(chr) {
    return '\\' + stringEscapes[chr];
  }

  /**
   * Gets the value at `key` of `object`.
   *
   * @private
   * @param {Object} [object] The object to query.
   * @param {string} key The key of the property to get.
   * @returns {*} Returns the property value.
   */
  function getValue(object, key) {
    return object == null ? undefined : object[key];
  }

  /**
   * Checks if `string` contains Unicode symbols.
   *
   * @private
   * @param {string} string The string to inspect.
   * @returns {boolean} Returns `true` if a symbol is found, else `false`.
   */
  function hasUnicode(string) {
    return reHasUnicode.test(string);
  }

  /**
   * Checks if `string` contains a word composed of Unicode symbols.
   *
   * @private
   * @param {string} string The string to inspect.
   * @returns {boolean} Returns `true` if a word is found, else `false`.
   */
  function hasUnicodeWord(string) {
    return reHasUnicodeWord.test(string);
  }

  /**
   * Converts `iterator` to an array.
   *
   * @private
   * @param {Object} iterator The iterator to convert.
   * @returns {Array} Returns the converted array.
   */
  function iteratorToArray(iterator) {
    var data,
        result = [];

    while (!(data = iterator.next()).done) {
      result.push(data.value);
    }
    return result;
  }

  /**
   * Converts `map` to its key-value pairs.
   *
   * @private
   * @param {Object} map The map to convert.
   * @returns {Array} Returns the key-value pairs.
   */
  function mapToArray(map) {
    var index = -1,
        result = Array(map.size);

    map.forEach(function(value, key) {
      result[++index] = [key, value];
    });
    return result;
  }

  /**
   * Creates a unary function that invokes `func` with its argument transformed.
   *
   * @private
   * @param {Function} func The function to wrap.
   * @param {Function} transform The argument transform.
   * @returns {Function} Returns the new function.
   */
  function overArg(func, transform) {
    return function(arg) {
      return func(transform(arg));
    };
  }

  /**
   * Replaces all `placeholder` elements in `array` with an internal placeholder
   * and returns an array of their indexes.
   *
   * @private
   * @param {Array} array The array to modify.
   * @param {*} placeholder The placeholder to replace.
   * @returns {Array} Returns the new array of placeholder indexes.
   */
  function replaceHolders(array, placeholder) {
    var index = -1,
        length = array.length,
        resIndex = 0,
        result = [];

    while (++index < length) {
      var value = array[index];
      if (value === placeholder || value === PLACEHOLDER) {
        array[index] = PLACEHOLDER;
        result[resIndex++] = index;
      }
    }
    return result;
  }

  /**
   * Converts `set` to an array of its values.
   *
   * @private
   * @param {Object} set The set to convert.
   * @returns {Array} Returns the values.
   */
  function setToArray(set) {
    var index = -1,
        result = Array(set.size);

    set.forEach(function(value) {
      result[++index] = value;
    });
    return result;
  }

  /**
   * Converts `set` to its value-value pairs.
   *
   * @private
   * @param {Object} set The set to convert.
   * @returns {Array} Returns the value-value pairs.
   */
  function setToPairs(set) {
    var index = -1,
        result = Array(set.size);

    set.forEach(function(value) {
      result[++index] = [value, value];
    });
    return result;
  }

  /**
   * A specialized version of `_.indexOf` which performs strict equality
   * comparisons of values, i.e. `===`.
   *
   * @private
   * @param {Array} array The array to inspect.
   * @param {*} value The value to search for.
   * @param {number} fromIndex The index to search from.
   * @returns {number} Returns the index of the matched value, else `-1`.
   */
  function strictIndexOf(array, value, fromIndex) {
    var index = fromIndex - 1,
        length = array.length;

    while (++index < length) {
      if (array[index] === value) {
        return index;
      }
    }
    return -1;
  }

  /**
   * A specialized version of `_.lastIndexOf` which performs strict equality
   * comparisons of values, i.e. `===`.
   *
   * @private
   * @param {Array} array The array to inspect.
   * @param {*} value The value to search for.
   * @param {number} fromIndex The index to search from.
   * @returns {number} Returns the index of the matched value, else `-1`.
   */
  function strictLastIndexOf(array, value, fromIndex) {
    var index = fromIndex + 1;
    while (index--) {
      if (array[index] === value) {
        return index;
      }
    }
    return index;
  }

  /**
   * Gets the number of symbols in `string`.
   *
   * @private
   * @param {string} string The string to inspect.
   * @returns {number} Returns the string size.
   */
  function stringSize(string) {
    return hasUnicode(string)
      ? unicodeSize(string)
      : asciiSize(string);
  }

  /**
   * Converts `string` to an array.
   *
   * @private
   * @param {string} string The string to convert.
   * @returns {Array} Returns the converted array.
   */
  function stringToArray(string) {
    return hasUnicode(string)
      ? unicodeToArray(string)
      : asciiToArray(string);
  }

  /**
   * Used by `_.trim` and `_.trimEnd` to get the index of the last non-whitespace
   * character of `string`.
   *
   * @private
   * @param {string} string The string to inspect.
   * @returns {number} Returns the index of the last non-whitespace character.
   */
  function trimmedEndIndex(string) {
    var index = string.length;

    while (index-- && reWhitespace.test(string.charAt(index))) {}
    return index;
  }

  /**
   * Used by `_.unescape` to convert HTML entities to characters.
   *
   * @private
   * @param {string} chr The matched character to unescape.
   * @returns {string} Returns the unescaped character.
   */
  var unescapeHtmlChar = basePropertyOf(htmlUnescapes);

  /**
   * Gets the size of a Unicode `string`.
   *
   * @private
   * @param {string} string The string inspect.
   * @returns {number} Returns the string size.
   */
  function unicodeSize(string) {
    var result = reUnicode.lastIndex = 0;
    while (reUnicode.test(string)) {
      ++result;
    }
    return result;
  }

  /**
   * Converts a Unicode `string` to an array.
   *
   * @private
   * @param {string} string The string to convert.
   * @returns {Array} Returns the converted array.
   */
  function unicodeToArray(string) {
    return string.match(reUnicode) || [];
  }

  /**
   * Splits a Unicode `string` into an array of its words.
   *
   * @private
   * @param {string} The string to inspect.
   * @returns {Array} Returns the words of `string`.
   */
  function unicodeWords(string) {
    return string.match(reUnicodeWord) || [];
  }

  /*--------------------------------------------------------------------------*/

  /**
   * Create a new pristine `lodash` function using the `context` object.
   *
   * @static
   * @memberOf _
   * @since 1.1.0
   * @category Util
   * @param {Object} [context=root] The context object.
   * @returns {Function} Returns a new `lodash` function.
   * @example
   *
   * _.mixin({ 'foo': _.constant('foo') });
   *
   * var lodash = _.runInContext();
   * lodash.mixin({ 'bar': lodash.constant('bar') });
   *
   * _.isFunction(_.foo);
   * // => true
   * _.isFunction(_.bar);
   * // => false
   *
   * lodash.isFunction(lodash.foo);
   * // => false
   * lodash.isFunction(lodash.bar);
   * // => true
   *
   * // Create a suped-up `defer` in Node.js.
   * var defer = _.runInContext({ 'setTimeout': setImmediate }).defer;
   */
  var runInContext = (function runInContext(context) {
    context = context == null ? root : _.defaults(root.Object(), context, _.pick(root, contextProps));

    /** Built-in constructor references. */
    var Array = context.Array,
        Date = context.Date,
        Error = context.Error,
        Function = context.Function,
        Math = context.Math,
        Object = context.Object,
        RegExp = context.RegExp,
        String = context.String,
        TypeError = context.TypeError;

    /** Used for built-in method references. */
    var arrayProto = Array.prototype,
        funcProto = Function.prototype,
        objectProto = Object.prototype;

    /** Used to detect overreaching core-js shims. */
    var coreJsData = context['__core-js_shared__'];

    /** Used to resolve the decompiled source of functions. */
    var funcToString = funcProto.toString;

    /** Used to check objects for own properties. */
    var hasOwnProperty = objectProto.hasOwnProperty;

    /** Used to generate unique IDs. */
    var idCounter = 0;

    /** Used to detect methods masquerading as native. */
    var maskSrcKey = (function() {
      var uid = /[^.]+$/.exec(coreJsData && coreJsData.keys && coreJsData.keys.IE_PROTO || '');
      return uid ? ('Symbol(src)_1.' + uid) : '';
    }());

    /**
     * Used to resolve the
     * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)
     * of values.
     */
    var nativeObjectToString = objectProto.toString;

    /** Used to infer the `Object` constructor. */
    var objectCtorString = funcToString.call(Object);

    /** Used to restore the original `_` reference in `_.noConflict`. */
    var oldDash = root._;

    /** Used to detect if a method is native. */
    var reIsNative = RegExp('^' +
      funcToString.call(hasOwnProperty).replace(reRegExpChar, '\\$&')
      .replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g, '$1.*?') + '$'
    );

    /** Built-in value references. */
    var Buffer = moduleExports ? context.Buffer : undefined,
        Symbol = context.Symbol,
        Uint8Array = context.Uint8Array,
        allocUnsafe = Buffer ? Buffer.allocUnsafe : undefined,
        getPrototype = overArg(Object.getPrototypeOf, Object),
        objectCreate = Object.create,
        propertyIsEnumerable = objectProto.propertyIsEnumerable,
        splice = arrayProto.splice,
        spreadableSymbol = Symbol ? Symbol.isConcatSpreadable : undefined,
        symIterator = Symbol ? Symbol.iterator : undefined,
        symToStringTag = Symbol ? Symbol.toStringTag : undefined;

    var defineProperty = (function() {
      try {
        var func = getNative(Object, 'defineProperty');
        func({}, '', {});
        return func;
      } catch (e) {}
    }());

    /** Mocked built-ins. */
    var ctxClearTimeout = context.clearTimeout !== root.clearTimeout && context.clearTimeout,
        ctxNow = Date && Date.now !== root.Date.now && Date.now,
        ctxSetTimeout = context.setTimeout !== root.setTimeout && context.setTimeout;

    /* Built-in method references for those with the same name as other `lodash` methods. */
    var nativeCeil = Math.ceil,
        nativeFloor = Math.floor,
        nativeGetSymbols = Object.getOwnPropertySymbols,
        nativeIsBuffer = Buffer ? Buffer.isBuffer : undefined,
        nativeIsFinite = context.isFinite,
        nativeJoin = arrayProto.join,
        nativeKeys = overArg(Object.keys, Object),
        nativeMax = Math.max,
        nativeMin = Math.min,
        nativeNow = Date.now,
        nativeParseInt = context.parseInt,
        nativeRandom = Math.random,
        nativeReverse = arrayProto.reverse;

    /* Built-in method references that are verified to be native. */
    var DataView = getNative(context, 'DataView'),
        Map = getNative(context, 'Map'),
        Promise = getNative(context, 'Promise'),
        Set = getNative(context, 'Set'),
        WeakMap = getNative(context, 'WeakMap'),
        nativeCreate = getNative(Object, 'create');

    /** Used to store function metadata. */
    var metaMap = WeakMap && new WeakMap;

    /** Used to lookup unminified function names. */
    var realNames = {};

    /** Used to detect maps, sets, and weakmaps. */
    var dataViewCtorString = toSource(DataView),
        mapCtorString = toSource(Map),
        promiseCtorString = toSource(Promise),
        setCtorString = toSource(Set),
        weakMapCtorString = toSource(WeakMap);

    /** Used to convert symbols to primitives and strings. */
    var symbolProto = Symbol ? Symbol.prototype : undefined,
        symbolValueOf = symbolProto ? symbolProto.valueOf : undefined,
        symbolToString = symbolProto ? symbolProto.toString : undefined;

    /*------------------------------------------------------------------------*/

    /**
     * Creates a `lodash` object which wraps `value` to enable implicit method
     * chain sequences. Methods that operate on and return arrays, collections,
     * and functions can be chained together. Methods that retrieve a single value
     * or may return a primitive value will automatically end the chain sequence
     * and return the unwrapped value. Otherwise, the value must be unwrapped
     * with `_#value`.
     *
     * Explicit chain sequences, which must be unwrapped with `_#value`, may be
     * enabled using `_.chain`.
     *
     * The execution of chained methods is lazy, that is, it's deferred until
     * `_#value` is implicitly or explicitly called.
     *
     * Lazy evaluation allows several methods to support shortcut fusion.
     * Shortcut fusion is an optimization to merge iteratee calls; this avoids
     * the creation of intermediate arrays and can greatly reduce the number of
     * iteratee executions. Sections of a chain sequence qualify for shortcut
     * fusion if the section is applied to an array and iteratees accept only
     * one argument. The heuristic for whether a section qualifies for shortcut
     * fusion is subject to change.
     *
     * Chaining is supported in custom builds as long as the `_#value` method is
     * directly or indirectly included in the build.
     *
     * In addition to lodash methods, wrappers have `Array` and `String` methods.
     *
     * The wrapper `Array` methods are:
     * `concat`, `join`, `pop`, `push`, `shift`, `sort`, `splice`, and `unshift`
     *
     * The wrapper `String` methods are:
     * `replace` and `split`
     *
     * The wrapper methods that support shortcut fusion are:
     * `at`, `compact`, `drop`, `dropRight`, `dropWhile`, `filter`, `find`,
     * `findLast`, `head`, `initial`, `last`, `map`, `reject`, `reverse`, `slice`,
     * `tail`, `take`, `takeRight`, `takeRightWhile`, `takeWhile`, and `toArray`
     *
     * The chainable wrapper methods are:
     * `after`, `ary`, `assign`, `assignIn`, `assignInWith`, `assignWith`, `at`,
     * `before`, `bind`, `bindAll`, `bindKey`, `castArray`, `chain`, `chunk`,
     * `commit`, `compact`, `concat`, `conforms`, `constant`, `countBy`, `create`,
     * `curry`, `debounce`, `defaults`, `defaultsDeep`, `defer`, `delay`,
     * `difference`, `differenceBy`, `differenceWith`, `drop`, `dropRight`,
     * `dropRightWhile`, `dropWhile`, `extend`, `extendWith`, `fill`, `filter`,
     * `flatMap`, `flatMapDeep`, `flatMapDepth`, `flatten`, `flattenDeep`,
     * `flattenDepth`, `flip`, `flow`, `flowRight`, `fromPairs`, `functions`,
     * `functionsIn`, `groupBy`, `initial`, `intersection`, `intersectionBy`,
     * `intersectionWith`, `invert`, `invertBy`, `invokeMap`, `iteratee`, `keyBy`,
     * `keys`, `keysIn`, `map`, `mapKeys`, `mapValues`, `matches`, `matchesProperty`,
     * `memoize`, `merge`, `mergeWith`, `method`, `methodOf`, `mixin`, `negate`,
     * `nthArg`, `omit`, `omitBy`, `once`, `orderBy`, `over`, `overArgs`,
     * `overEvery`, `overSome`, `partial`, `partialRight`, `partition`, `pick`,
     * `pickBy`, `plant`, `property`, `propertyOf`, `pull`, `pullAll`, `pullAllBy`,
     * `pullAllWith`, `pullAt`, `push`, `range`, `rangeRight`, `rearg`, `reject`,
     * `remove`, `rest`, `reverse`, `sampleSize`, `set`, `setWith`, `shuffle`,
     * `slice`, `sort`, `sortBy`, `splice`, `spread`, `tail`, `take`, `takeRight`,
     * `takeRightWhile`, `takeWhile`, `tap`, `throttle`, `thru`, `toArray`,
     * `toPairs`, `toPairsIn`, `toPath`, `toPlainObject`, `transform`, `unary`,
     * `union`, `unionBy`, `unionWith`, `uniq`, `uniqBy`, `uniqWith`, `unset`,
     * `unshift`, `unzip`, `unzipWith`, `update`, `updateWith`, `values`,
     * `valuesIn`, `without`, `wrap`, `xor`, `xorBy`, `xorWith`, `zip`,
     * `zipObject`, `zipObjectDeep`, and `zipWith`
     *
     * The wrapper methods that are **not** chainable by default are:
     * `add`, `attempt`, `camelCase`, `capitalize`, `ceil`, `clamp`, `clone`,
     * `cloneDeep`, `cloneDeepWith`, `cloneWith`, `conformsTo`, `deburr`,
     * `defaultTo`, `divide`, `each`, `eachRight`, `endsWith`, `eq`, `escape`,
     * `escapeRegExp`, `every`, `find`, `findIndex`, `findKey`, `findLast`,
     * `findLastIndex`, `findLastKey`, `first`, `floor`, `forEach`, `forEachRight`,
     * `forIn`, `forInRight`, `forOwn`, `forOwnRight`, `get`, `gt`, `gte`, `has`,
     * `hasIn`, `head`, `identity`, `includes`, `indexOf`, `inRange`, `invoke`,
     * `isArguments`, `isArray`, `isArrayBuffer`, `isArrayLike`, `isArrayLikeObject`,
     * `isBoolean`, `isBuffer`, `isDate`, `isElement`, `isEmpty`, `isEqual`,
     * `isEqualWith`, `isError`, `isFinite`, `isFunction`, `isInteger`, `isLength`,
     * `isMap`, `isMatch`, `isMatchWith`, `isNaN`, `isNative`, `isNil`, `isNull`,
     * `isNumber`, `isObject`, `isObjectLike`, `isPlainObject`, `isRegExp`,
     * `isSafeInteger`, `isSet`, `isString`, `isUndefined`, `isTypedArray`,
     * `isWeakMap`, `isWeakSet`, `join`, `kebabCase`, `last`, `lastIndexOf`,
     * `lowerCase`, `lowerFirst`, `lt`, `lte`, `max`, `maxBy`, `mean`, `meanBy`,
     * `min`, `minBy`, `multiply`, `noConflict`, `noop`, `now`, `nth`, `pad`,
     * `padEnd`, `padStart`, `parseInt`, `pop`, `random`, `reduce`, `reduceRight`,
     * `repeat`, `result`, `round`, `runInContext`, `sample`, `shift`, `size`,
     * `snakeCase`, `some`, `sortedIndex`, `sortedIndexBy`, `sortedLastIndex`,
     * `sortedLastIndexBy`, `startCase`, `startsWith`, `stubArray`, `stubFalse`,
     * `stubObject`, `stubString`, `stubTrue`, `subtract`, `sum`, `sumBy`,
     * `template`, `times`, `toFinite`, `toInteger`, `toJSON`, `toLength`,
     * `toLower`, `toNumber`, `toSafeInteger`, `toString`, `toUpper`, `trim`,
     * `trimEnd`, `trimStart`, `truncate`, `unescape`, `uniqueId`, `upperCase`,
     * `upperFirst`, `value`, and `words`
     *
     * @name _
     * @constructor
     * @category Seq
     * @param {*} value The value to wrap in a `lodash` instance.
     * @returns {Object} Returns the new `lodash` wrapper instance.
     * @example
     *
     * function square(n) {
     *   return n * n;
     * }
     *
     * var wrapped = _([1, 2, 3]);
     *
     * // Returns an unwrapped value.
     * wrapped.reduce(_.add);
     * // => 6
     *
     * // Returns a wrapped value.
     * var squares = wrapped.map(square);
     *
     * _.isArray(squares);
     * // => false
     *
     * _.isArray(squares.value());
     * // => true
     */
    function lodash(value) {
      if (isObjectLike(value) && !isArray(value) && !(value instanceof LazyWrapper)) {
        if (value instanceof LodashWrapper) {
          return value;
        }
        if (hasOwnProperty.call(value, '__wrapped__')) {
          return wrapperClone(value);
        }
      }
      return new LodashWrapper(value);
    }

    /**
     * The base implementation of `_.create` without support for assigning
     * properties to the created object.
     *
     * @private
     * @param {Object} proto The object to inherit from.
     * @returns {Object} Returns the new object.
     */
    var baseCreate = (function() {
      function object() {}
      return function(proto) {
        if (!isObject(proto)) {
          return {};
        }
        if (objectCreate) {
          return objectCreate(proto);
        }
        object.prototype = proto;
        var result = new object;
        object.prototype = undefined;
        return result;
      };
    }());

    /**
     * The function whose prototype chain sequence wrappers inherit from.
     *
     * @private
     */
    function baseLodash() {
      // No operation performed.
    }

    /**
     * The base constructor for creating `lodash` wrapper objects.
     *
     * @private
     * @param {*} value The value to wrap.
     * @param {boolean} [chainAll] Enable explicit method chain sequences.
     */
    function LodashWrapper(value, chainAll) {
      this.__wrapped__ = value;
      this.__actions__ = [];
      this.__chain__ = !!chainAll;
      this.__index__ = 0;
      this.__values__ = undefined;
    }

    /**
     * By default, the template delimiters used by lodash are like those in
     * embedded Ruby (ERB) as well as ES2015 template strings. Change the
     * following template settings to use alternative delimiters.
     *
     * @static
     * @memberOf _
     * @type {Object}
     */
    lodash.templateSettings = {

      /**
       * Used to detect `data` property values to be HTML-escaped.
       *
       * @memberOf _.templateSettings
       * @type {RegExp}
       */
      'escape': reEscape,

      /**
       * Used to detect code to be evaluated.
       *
       * @memberOf _.templateSettings
       * @type {RegExp}
       */
      'evaluate': reEvaluate,

      /**
       * Used to detect `data` property values to inject.
       *
       * @memberOf _.templateSettings
       * @type {RegExp}
       */
      'interpolate': reInterpolate,

      /**
       * Used to reference the data object in the template text.
       *
       * @memberOf _.templateSettings
       * @type {string}
       */
      'variable': '',

      /**
       * Used to import variables into the compiled template.
       *
       * @memberOf _.templateSettings
       * @type {Object}
       */
      'imports': {

        /**
         * A reference to the `lodash` function.
         *
         * @memberOf _.templateSettings.imports
         * @type {Function}
         */
        '_': lodash
      }
    };

    // Ensure wrappers are instances of `baseLodash`.
    lodash.prototype = baseLodash.prototype;
    lodash.prototype.constructor = lodash;

    LodashWrapper.prototype = baseCreate(baseLodash.prototype);
    LodashWrapper.prototype.constructor = LodashWrapper;

    /*------------------------------------------------------------------------*/

    /**
     * Creates a lazy wrapper object which wraps `value` to enable lazy evaluation.
     *
     * @private
     * @constructor
     * @param {*} value The value to wrap.
     */
    function LazyWrapper(value) {
      this.__wrapped__ = value;
      this.__actions__ = [];
      this.__dir__ = 1;
      this.__filtered__ = false;
      this.__iteratees__ = [];
      this.__takeCount__ = MAX_ARRAY_LENGTH;
      this.__views__ = [];
    }

    /**
     * Creates a clone of the lazy wrapper object.
     *
     * @private
     * @name clone
     * @memberOf LazyWrapper
     * @returns {Object} Returns the cloned `LazyWrapper` object.
     */
    function lazyClone() {
      var result = new LazyWrapper(this.__wrapped__);
      result.__actions__ = copyArray(this.__actions__);
      result.__dir__ = this.__dir__;
      result.__filtered__ = this.__filtered__;
      result.__iteratees__ = copyArray(this.__iteratees__);
      result.__takeCount__ = this.__takeCount__;
      result.__views__ = copyArray(this.__views__);
      return result;
    }

    /**
     * Reverses the direction of lazy iteration.
     *
     * @private
     * @name reverse
     * @memberOf LazyWrapper
     * @returns {Object} Returns the new reversed `LazyWrapper` object.
     */
    function lazyReverse() {
      if (this.__filtered__) {
        var result = new LazyWrapper(this);
        result.__dir__ = -1;
        result.__filtered__ = true;
      } else {
        result = this.clone();
        result.__dir__ *= -1;
      }
      return result;
    }

    /**
     * Extracts the unwrapped value from its lazy wrapper.
     *
     * @private
     * @name value
     * @memberOf LazyWrapper
     * @returns {*} Returns the unwrapped value.
     */
    function lazyValue() {
      var array = this.__wrapped__.value(),
          dir = this.__dir__,
          isArr = isArray(array),
          isRight = dir < 0,
          arrLength = isArr ? array.length : 0,
          view = getView(0, arrLength, this.__views__),
          start = view.start,
          end = view.end,
          length = end - start,
          index = isRight ? end : (start - 1),
          iteratees = this.__iteratees__,
          iterLength = iteratees.length,
          resIndex = 0,
          takeCount = nativeMin(length, this.__takeCount__);

      if (!isArr || (!isRight && arrLength == length && takeCount == length)) {
        return baseWrapperValue(array, this.__actions__);
      }
      var result = [];

      outer:
      while (length-- && resIndex < takeCount) {
        index += dir;

        var iterIndex = -1,
            value = array[index];

        while (++iterIndex < iterLength) {
          var data = iteratees[iterIndex],
              iteratee = data.iteratee,
              type = data.type,
              computed = iteratee(value);

          if (type == LAZY_MAP_FLAG) {
            value = computed;
          } else if (!computed) {
            if (type == LAZY_FILTER_FLAG) {
              continue outer;
            } else {
              break outer;
            }
          }
        }
        result[resIndex++] = value;
      }
      return result;
    }

    // Ensure `LazyWrapper` is an instance of `baseLodash`.
    LazyWrapper.prototype = baseCreate(baseLodash.prototype);
    LazyWrapper.prototype.constructor = LazyWrapper;

    /*------------------------------------------------------------------------*/

    /**
     * Creates a hash object.
     *
     * @private
     * @constructor
     * @param {Array} [entries] The key-value pairs to cache.
     */
    function Hash(entries) {
      var index = -1,
          length = entries == null ? 0 : entries.length;

      this.clear();
      while (++index < length) {
        var entry = entries[index];
        this.set(entry[0], entry[1]);
      }
    }

    /**
     * Removes all key-value entries from the hash.
     *
     * @private
     * @name clear
     * @memberOf Hash
     */
    function hashClear() {
      this.__data__ = nativeCreate ? nativeCreate(null) : {};
      this.size = 0;
    }

    /**
     * Removes `key` and its value from the hash.
     *
     * @private
     * @name delete
     * @memberOf Hash
     * @param {Object} hash The hash to modify.
     * @param {string} key The key of the value to remove.
     * @returns {boolean} Returns `true` if the entry was removed, else `false`.
     */
    function hashDelete(key) {
      var result = this.has(key) && delete this.__data__[key];
      this.size -= result ? 1 : 0;
      return result;
    }

    /**
     * Gets the hash value for `key`.
     *
     * @private
     * @name get
     * @memberOf Hash
     * @param {string} key The key of the value to get.
     * @returns {*} Returns the entry value.
     */
    function hashGet(key) {
      var data = this.__data__;
      if (nativeCreate) {
        var result = data[key];
        return result === HASH_UNDEFINED ? undefined : result;
      }
      return hasOwnProperty.call(data, key) ? data[key] : undefined;
    }

    /**
     * Checks if a hash value for `key` exists.
     *
     * @private
     * @name has
     * @memberOf Hash
     * @param {string} key The key of the entry to check.
     * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
     */
    function hashHas(key) {
      var data = this.__data__;
      return nativeCreate ? (data[key] !== undefined) : hasOwnProperty.call(data, key);
    }

    /**
     * Sets the hash `key` to `value`.
     *
     * @private
     * @name set
     * @memberOf Hash
     * @param {string} key The key of the value to set.
     * @param {*} value The value to set.
     * @returns {Object} Returns the hash instance.
     */
    function hashSet(key, value) {
      var data = this.__data__;
      this.size += this.has(key) ? 0 : 1;
      data[key] = (nativeCreate && value === undefined) ? HASH_UNDEFINED : value;
      return this;
    }

    // Add methods to `Hash`.
    Hash.prototype.clear = hashClear;
    Hash.prototype['delete'] = hashDelete;
    Hash.prototype.get = hashGet;
    Hash.prototype.has = hashHas;
    Hash.prototype.set = hashSet;

    /*------------------------------------------------------------------------*/

    /**
     * Creates an list cache object.
     *
     * @private
     * @constructor
     * @param {Array} [entries] The key-value pairs to cache.
     */
    function ListCache(entries) {
      var index = -1,
          length = entries == null ? 0 : entries.length;

      this.clear();
      while (++index < length) {
        var entry = entries[index];
        this.set(entry[0], entry[1]);
      }
    }

    /**
     * Removes all key-value entries from the list cache.
     *
     * @private
     * @name clear
     * @memberOf ListCache
     */
    function listCacheClear() {
      this.__data__ = [];
      this.size = 0;
    }

    /**
     * Removes `key` and its value from the list cache.
     *
     * @private
     * @name delete
     * @memberOf ListCache
     * @param {string} key The key of the value to remove.
     * @returns {boolean} Returns `true` if the entry was removed, else `false`.
     */
    function listCacheDelete(key) {
      var data = this.__data__,
          index = assocIndexOf(data, key);

      if (index < 0) {
        return false;
      }
      var lastIndex = data.length - 1;
      if (index == lastIndex) {
        data.pop();
      } else {
        splice.call(data, index, 1);
      }
      --this.size;
      return true;
    }

    /**
     * Gets the list cache value for `key`.
     *
     * @private
     * @name get
     * @memberOf ListCache
     * @param {string} key The key of the value to get.
     * @returns {*} Returns the entry value.
     */
    function listCacheGet(key) {
      var data = this.__data__,
          index = assocIndexOf(data, key);

      return index < 0 ? undefined : data[index][1];
    }

    /**
     * Checks if a list cache value for `key` exists.
     *
     * @private
     * @name has
     * @memberOf ListCache
     * @param {string} key The key of the entry to check.
     * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
     */
    function listCacheHas(key) {
      return assocIndexOf(this.__data__, key) > -1;
    }

    /**
     * Sets the list cache `key` to `value`.
     *
     * @private
     * @name set
     * @memberOf ListCache
     * @param {string} key The key of the value to set.
     * @param {*} value The value to set.
     * @returns {Object} Returns the list cache instance.
     */
    function listCacheSet(key, value) {
      var data = this.__data__,
          index = assocIndexOf(data, key);

      if (index < 0) {
        ++this.size;
        data.push([key, value]);
      } else {
        data[index][1] = value;
      }
      return this;
    }

    // Add methods to `ListCache`.
    ListCache.prototype.clear = listCacheClear;
    ListCache.prototype['delete'] = listCacheDelete;
    ListCache.prototype.get = listCacheGet;
    ListCache.prototype.has = listCacheHas;
    ListCache.prototype.set = listCacheSet;

    /*------------------------------------------------------------------------*/

    /**
     * Creates a map cache object to store key-value pairs.
     *
     * @private
     * @constructor
     * @param {Array} [entries] The key-value pairs to cache.
     */
    function MapCache(entries) {
      var index = -1,
          length = entries == null ? 0 : entries.length;

      this.clear();
      while (++index < length) {
        var entry = entries[index];
        this.set(entry[0], entry[1]);
      }
    }

    /**
     * Removes all key-value entries from the map.
     *
     * @private
     * @name clear
     * @memberOf MapCache
     */
    function mapCacheClear() {
      this.size = 0;
      this.__data__ = {
        'hash': new Hash,
        'map': new (Map || ListCache),
        'string': new Hash
      };
    }

    /**
     * Removes `key` and its value from the map.
     *
     * @private
     * @name delete
     * @memberOf MapCache
     * @param {string} key The key of the value to remove.
     * @returns {boolean} Returns `true` if the entry was removed, else `false`.
     */
    function mapCacheDelete(key) {
      var result = getMapData(this, key)['delete'](key);
      this.size -= result ? 1 : 0;
      return result;
    }

    /**
     * Gets the map value for `key`.
     *
     * @private
     * @name get
     * @memberOf MapCache
     * @param {string} key The key of the value to get.
     * @returns {*} Returns the entry value.
     */
    function mapCacheGet(key) {
      return getMapData(this, key).get(key);
    }

    /**
     * Checks if a map value for `key` exists.
     *
     * @private
     * @name has
     * @memberOf MapCache
     * @param {string} key The key of the entry to check.
     * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
     */
    function mapCacheHas(key) {
      return getMapData(this, key).has(key);
    }

    /**
     * Sets the map `key` to `value`.
     *
     * @private
     * @name set
     * @memberOf MapCache
     * @param {string} key The key of the value to set.
     * @param {*} value The value to set.
     * @returns {Object} Returns the map cache instance.
     */
    function mapCacheSet(key, value) {
      var data = getMapData(this, key),
          size = data.size;

      data.set(key, value);
      this.size += data.size == size ? 0 : 1;
      return this;
    }

    // Add methods to `MapCache`.
    MapCache.prototype.clear = mapCacheClear;
    MapCache.prototype['delete'] = mapCacheDelete;
    MapCache.prototype.get = mapCacheGet;
    MapCache.prototype.has = mapCacheHas;
    MapCache.prototype.set = mapCacheSet;

    /*------------------------------------------------------------------------*/

    /**
     *
     * Creates an array cache object to store unique values.
     *
     * @private
     * @constructor
     * @param {Array} [values] The values to cache.
     */
    function SetCache(values) {
      var index = -1,
          length = values == null ? 0 : values.length;

      this.__data__ = new MapCache;
      while (++index < length) {
        this.add(values[index]);
      }
    }

    /**
     * Adds `value` to the array cache.
     *
     * @private
     * @name add
     * @memberOf SetCache
     * @alias push
     * @param {*} value The value to cache.
     * @returns {Object} Returns the cache instance.
     */
    function setCacheAdd(value) {
      this.__data__.set(value, HASH_UNDEFINED);
      return this;
    }

    /**
     * Checks if `value` is in the array cache.
     *
     * @private
     * @name has
     * @memberOf SetCache
     * @param {*} value The value to search for.
     * @returns {number} Returns `true` if `value` is found, else `false`.
     */
    function setCacheHas(value) {
      return this.__data__.has(value);
    }

    // Add methods to `SetCache`.
    SetCache.prototype.add = SetCache.prototype.push = setCacheAdd;
    SetCache.prototype.has = setCacheHas;

    /*------------------------------------------------------------------------*/

    /**
     * Creates a stack cache object to store key-value pairs.
     *
     * @private
     * @constructor
     * @param {Array} [entries] The key-value pairs to cache.
     */
    function Stack(entries) {
      var data = this.__data__ = new ListCache(entries);
      this.size = data.size;
    }

    /**
     * Removes all key-value entries from the stack.
     *
     * @private
     * @name clear
     * @memberOf Stack
     */
    function stackClear() {
      this.__data__ = new ListCache;
      this.size = 0;
    }

    /**
     * Removes `key` and its value from the stack.
     *
     * @private
     * @name delete
     * @memberOf Stack
     * @param {string} key The key of the value to remove.
     * @returns {boolean} Returns `true` if the entry was removed, else `false`.
     */
    function stackDelete(key) {
      var data = this.__data__,
          result = data['delete'](key);

      this.size = data.size;
      return result;
    }

    /**
     * Gets the stack value for `key`.
     *
     * @private
     * @name get
     * @memberOf Stack
     * @param {string} key The key of the value to get.
     * @returns {*} Returns the entry value.
     */
    function stackGet(key) {
      return this.__data__.get(key);
    }

    /**
     * Checks if a stack value for `key` exists.
     *
     * @private
     * @name has
     * @memberOf Stack
     * @param {string} key The key of the entry to check.
     * @returns {boolean} Returns `true` if an entry for `key` exists, else `false`.
     */
    function stackHas(key) {
      return this.__data__.has(key);
    }

    /**
     * Sets the stack `key` to `value`.
     *
     * @private
     * @name set
     * @memberOf Stack
     * @param {string} key The key of the value to set.
     * @param {*} value The value to set.
     * @returns {Object} Returns the stack cache instance.
     */
    function stackSet(key, value) {
      var data = this.__data__;
      if (data instanceof ListCache) {
        var pairs = data.__data__;
        if (!Map || (pairs.length < LARGE_ARRAY_SIZE - 1)) {
          pairs.push([key, value]);
          this.size = ++data.size;
          return this;
        }
        data = this.__data__ = new MapCache(pairs);
      }
      data.set(key, value);
      this.size = data.size;
      return this;
    }

    // Add methods to `Stack`.
    Stack.prototype.clear = stackClear;
    Stack.prototype['delete'] = stackDelete;
    Stack.prototype.get = stackGet;
    Stack.prototype.has = stackHas;
    Stack.prototype.set = stackSet;

    /*------------------------------------------------------------------------*/

    /**
     * Creates an array of the enumerable property names of the array-like `value`.
     *
     * @private
     * @param {*} value The value to query.
     * @param {boolean} inherited Specify returning inherited property names.
     * @returns {Array} Returns the array of property names.
     */
    function arrayLikeKeys(value, inherited) {
      var isArr = isArray(value),
          isArg = !isArr && isArguments(value),
          isBuff = !isArr && !isArg && isBuffer(value),
          isType = !isArr && !isArg && !isBuff && isTypedArray(value),
          skipIndexes = isArr || isArg || isBuff || isType,
          result = skipIndexes ? baseTimes(value.length, String) : [],
          length = result.length;

      for (var key in value) {
        if ((inherited || hasOwnProperty.call(value, key)) &&
            !(skipIndexes && (
               // Safari 9 has enumerable `arguments.length` in strict mode.
               key == 'length' ||
               // Node.js 0.10 has enumerable non-index properties on buffers.
               (isBuff && (key == 'offset' || key == 'parent')) ||
               // PhantomJS 2 has enumerable non-index properties on typed arrays.
               (isType && (key == 'buffer' || key == 'byteLength' || key == 'byteOffset')) ||
               // Skip index properties.
               isIndex(key, length)
            ))) {
          result.push(key);
        }
      }
      return result;
    }

    /**
     * A specialized version of `_.sample` for arrays.
     *
     * @private
     * @param {Array} array The array to sample.
     * @returns {*} Returns the random element.
     */
    function arraySample(array) {
      var length = array.length;
      return length ? array[baseRandom(0, length - 1)] : undefined;
    }

    /**
     * A specialized version of `_.sampleSize` for arrays.
     *
     * @private
     * @param {Array} array The array to sample.
     * @param {number} n The number of elements to sample.
     * @returns {Array} Returns the random elements.
     */
    function arraySampleSize(array, n) {
      return shuffleSelf(copyArray(array), baseClamp(n, 0, array.length));
    }

    /**
     * A specialized version of `_.shuffle` for arrays.
     *
     * @private
     * @param {Array} array The array to shuffle.
     * @returns {Array} Returns the new shuffled array.
     */
    function arrayShuffle(array) {
      return shuffleSelf(copyArray(array));
    }

    /**
     * This function is like `assignValue` except that it doesn't assign
     * `undefined` values.
     *
     * @private
     * @param {Object} object The object to modify.
     * @param {string} key The key of the property to assign.
     * @param {*} value The value to assign.
     */
    function assignMergeValue(object, key, value) {
      if ((value !== undefined && !eq(object[key], value)) ||
          (value === undefined && !(key in object))) {
        baseAssignValue(object, key, value);
      }
    }

    /**
     * Assigns `value` to `key` of `object` if the existing value is not equivalent
     * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * for equality comparisons.
     *
     * @private
     * @param {Object} object The object to modify.
     * @param {string} key The key of the property to assign.
     * @param {*} value The value to assign.
     */
    function assignValue(object, key, value) {
      var objValue = object[key];
      if (!(hasOwnProperty.call(object, key) && eq(objValue, value)) ||
          (value === undefined && !(key in object))) {
        baseAssignValue(object, key, value);
      }
    }

    /**
     * Gets the index at which the `key` is found in `array` of key-value pairs.
     *
     * @private
     * @param {Array} array The array to inspect.
     * @param {*} key The key to search for.
     * @returns {number} Returns the index of the matched value, else `-1`.
     */
    function assocIndexOf(array, key) {
      var length = array.length;
      while (length--) {
        if (eq(array[length][0], key)) {
          return length;
        }
      }
      return -1;
    }

    /**
     * Aggregates elements of `collection` on `accumulator` with keys transformed
     * by `iteratee` and values set by `setter`.
     *
     * @private
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} setter The function to set `accumulator` values.
     * @param {Function} iteratee The iteratee to transform keys.
     * @param {Object} accumulator The initial aggregated object.
     * @returns {Function} Returns `accumulator`.
     */
    function baseAggregator(collection, setter, iteratee, accumulator) {
      baseEach(collection, function(value, key, collection) {
        setter(accumulator, value, iteratee(value), collection);
      });
      return accumulator;
    }

    /**
     * The base implementation of `_.assign` without support for multiple sources
     * or `customizer` functions.
     *
     * @private
     * @param {Object} object The destination object.
     * @param {Object} source The source object.
     * @returns {Object} Returns `object`.
     */
    function baseAssign(object, source) {
      return object && copyObject(source, keys(source), object);
    }

    /**
     * The base implementation of `_.assignIn` without support for multiple sources
     * or `customizer` functions.
     *
     * @private
     * @param {Object} object The destination object.
     * @param {Object} source The source object.
     * @returns {Object} Returns `object`.
     */
    function baseAssignIn(object, source) {
      return object && copyObject(source, keysIn(source), object);
    }

    /**
     * The base implementation of `assignValue` and `assignMergeValue` without
     * value checks.
     *
     * @private
     * @param {Object} object The object to modify.
     * @param {string} key The key of the property to assign.
     * @param {*} value The value to assign.
     */
    function baseAssignValue(object, key, value) {
      if (key == '__proto__' && defineProperty) {
        defineProperty(object, key, {
          'configurable': true,
          'enumerable': true,
          'value': value,
          'writable': true
        });
      } else {
        object[key] = value;
      }
    }

    /**
     * The base implementation of `_.at` without support for individual paths.
     *
     * @private
     * @param {Object} object The object to iterate over.
     * @param {string[]} paths The property paths to pick.
     * @returns {Array} Returns the picked elements.
     */
    function baseAt(object, paths) {
      var index = -1,
          length = paths.length,
          result = Array(length),
          skip = object == null;

      while (++index < length) {
        result[index] = skip ? undefined : get(object, paths[index]);
      }
      return result;
    }

    /**
     * The base implementation of `_.clamp` which doesn't coerce arguments.
     *
     * @private
     * @param {number} number The number to clamp.
     * @param {number} [lower] The lower bound.
     * @param {number} upper The upper bound.
     * @returns {number} Returns the clamped number.
     */
    function baseClamp(number, lower, upper) {
      if (number === number) {
        if (upper !== undefined) {
          number = number <= upper ? number : upper;
        }
        if (lower !== undefined) {
          number = number >= lower ? number : lower;
        }
      }
      return number;
    }

    /**
     * The base implementation of `_.clone` and `_.cloneDeep` which tracks
     * traversed objects.
     *
     * @private
     * @param {*} value The value to clone.
     * @param {boolean} bitmask The bitmask flags.
     *  1 - Deep clone
     *  2 - Flatten inherited properties
     *  4 - Clone symbols
     * @param {Function} [customizer] The function to customize cloning.
     * @param {string} [key] The key of `value`.
     * @param {Object} [object] The parent object of `value`.
     * @param {Object} [stack] Tracks traversed objects and their clone counterparts.
     * @returns {*} Returns the cloned value.
     */
    function baseClone(value, bitmask, customizer, key, object, stack) {
      var result,
          isDeep = bitmask & CLONE_DEEP_FLAG,
          isFlat = bitmask & CLONE_FLAT_FLAG,
          isFull = bitmask & CLONE_SYMBOLS_FLAG;

      if (customizer) {
        result = object ? customizer(value, key, object, stack) : customizer(value);
      }
      if (result !== undefined) {
        return result;
      }
      if (!isObject(value)) {
        return value;
      }
      var isArr = isArray(value);
      if (isArr) {
        result = initCloneArray(value);
        if (!isDeep) {
          return copyArray(value, result);
        }
      } else {
        var tag = getTag(value),
            isFunc = tag == funcTag || tag == genTag;

        if (isBuffer(value)) {
          return cloneBuffer(value, isDeep);
        }
        if (tag == objectTag || tag == argsTag || (isFunc && !object)) {
          result = (isFlat || isFunc) ? {} : initCloneObject(value);
          if (!isDeep) {
            return isFlat
              ? copySymbolsIn(value, baseAssignIn(result, value))
              : copySymbols(value, baseAssign(result, value));
          }
        } else {
          if (!cloneableTags[tag]) {
            return object ? value : {};
          }
          result = initCloneByTag(value, tag, isDeep);
        }
      }
      // Check for circular references and return its corresponding clone.
      stack || (stack = new Stack);
      var stacked = stack.get(value);
      if (stacked) {
        return stacked;
      }
      stack.set(value, result);

      if (isSet(value)) {
        value.forEach(function(subValue) {
          result.add(baseClone(subValue, bitmask, customizer, subValue, value, stack));
        });
      } else if (isMap(value)) {
        value.forEach(function(subValue, key) {
          result.set(key, baseClone(subValue, bitmask, customizer, key, value, stack));
        });
      }

      var keysFunc = isFull
        ? (isFlat ? getAllKeysIn : getAllKeys)
        : (isFlat ? keysIn : keys);

      var props = isArr ? undefined : keysFunc(value);
      arrayEach(props || value, function(subValue, key) {
        if (props) {
          key = subValue;
          subValue = value[key];
        }
        // Recursively populate clone (susceptible to call stack limits).
        assignValue(result, key, baseClone(subValue, bitmask, customizer, key, value, stack));
      });
      return result;
    }

    /**
     * The base implementation of `_.conforms` which doesn't clone `source`.
     *
     * @private
     * @param {Object} source The object of property predicates to conform to.
     * @returns {Function} Returns the new spec function.
     */
    function baseConforms(source) {
      var props = keys(source);
      return function(object) {
        return baseConformsTo(object, source, props);
      };
    }

    /**
     * The base implementation of `_.conformsTo` which accepts `props` to check.
     *
     * @private
     * @param {Object} object The object to inspect.
     * @param {Object} source The object of property predicates to conform to.
     * @returns {boolean} Returns `true` if `object` conforms, else `false`.
     */
    function baseConformsTo(object, source, props) {
      var length = props.length;
      if (object == null) {
        return !length;
      }
      object = Object(object);
      while (length--) {
        var key = props[length],
            predicate = source[key],
            value = object[key];

        if ((value === undefined && !(key in object)) || !predicate(value)) {
          return false;
        }
      }
      return true;
    }

    /**
     * The base implementation of `_.delay` and `_.defer` which accepts `args`
     * to provide to `func`.
     *
     * @private
     * @param {Function} func The function to delay.
     * @param {number} wait The number of milliseconds to delay invocation.
     * @param {Array} args The arguments to provide to `func`.
     * @returns {number|Object} Returns the timer id or timeout object.
     */
    function baseDelay(func, wait, args) {
      if (typeof func != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      return setTimeout(function() { func.apply(undefined, args); }, wait);
    }

    /**
     * The base implementation of methods like `_.difference` without support
     * for excluding multiple arrays or iteratee shorthands.
     *
     * @private
     * @param {Array} array The array to inspect.
     * @param {Array} values The values to exclude.
     * @param {Function} [iteratee] The iteratee invoked per element.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new array of filtered values.
     */
    function baseDifference(array, values, iteratee, comparator) {
      var index = -1,
          includes = arrayIncludes,
          isCommon = true,
          length = array.length,
          result = [],
          valuesLength = values.length;

      if (!length) {
        return result;
      }
      if (iteratee) {
        values = arrayMap(values, baseUnary(iteratee));
      }
      if (comparator) {
        includes = arrayIncludesWith;
        isCommon = false;
      }
      else if (values.length >= LARGE_ARRAY_SIZE) {
        includes = cacheHas;
        isCommon = false;
        values = new SetCache(values);
      }
      outer:
      while (++index < length) {
        var value = array[index],
            computed = iteratee == null ? value : iteratee(value);

        value = (comparator || value !== 0) ? value : 0;
        if (isCommon && computed === computed) {
          var valuesIndex = valuesLength;
          while (valuesIndex--) {
            if (values[valuesIndex] === computed) {
              continue outer;
            }
          }
          result.push(value);
        }
        else if (!includes(values, computed, comparator)) {
          result.push(value);
        }
      }
      return result;
    }

    /**
     * The base implementation of `_.forEach` without support for iteratee shorthands.
     *
     * @private
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} iteratee The function invoked per iteration.
     * @returns {Array|Object} Returns `collection`.
     */
    var baseEach = createBaseEach(baseForOwn);

    /**
     * The base implementation of `_.forEachRight` without support for iteratee shorthands.
     *
     * @private
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} iteratee The function invoked per iteration.
     * @returns {Array|Object} Returns `collection`.
     */
    var baseEachRight = createBaseEach(baseForOwnRight, true);

    /**
     * The base implementation of `_.every` without support for iteratee shorthands.
     *
     * @private
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} predicate The function invoked per iteration.
     * @returns {boolean} Returns `true` if all elements pass the predicate check,
     *  else `false`
     */
    function baseEvery(collection, predicate) {
      var result = true;
      baseEach(collection, function(value, index, collection) {
        result = !!predicate(value, index, collection);
        return result;
      });
      return result;
    }

    /**
     * The base implementation of methods like `_.max` and `_.min` which accepts a
     * `comparator` to determine the extremum value.
     *
     * @private
     * @param {Array} array The array to iterate over.
     * @param {Function} iteratee The iteratee invoked per iteration.
     * @param {Function} comparator The comparator used to compare values.
     * @returns {*} Returns the extremum value.
     */
    function baseExtremum(array, iteratee, comparator) {
      var index = -1,
          length = array.length;

      while (++index < length) {
        var value = array[index],
            current = iteratee(value);

        if (current != null && (computed === undefined
              ? (current === current && !isSymbol(current))
              : comparator(current, computed)
            )) {
          var computed = current,
              result = value;
        }
      }
      return result;
    }

    /**
     * The base implementation of `_.fill` without an iteratee call guard.
     *
     * @private
     * @param {Array} array The array to fill.
     * @param {*} value The value to fill `array` with.
     * @param {number} [start=0] The start position.
     * @param {number} [end=array.length] The end position.
     * @returns {Array} Returns `array`.
     */
    function baseFill(array, value, start, end) {
      var length = array.length;

      start = toInteger(start);
      if (start < 0) {
        start = -start > length ? 0 : (length + start);
      }
      end = (end === undefined || end > length) ? length : toInteger(end);
      if (end < 0) {
        end += length;
      }
      end = start > end ? 0 : toLength(end);
      while (start < end) {
        array[start++] = value;
      }
      return array;
    }

    /**
     * The base implementation of `_.filter` without support for iteratee shorthands.
     *
     * @private
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} predicate The function invoked per iteration.
     * @returns {Array} Returns the new filtered array.
     */
    function baseFilter(collection, predicate) {
      var result = [];
      baseEach(collection, function(value, index, collection) {
        if (predicate(value, index, collection)) {
          result.push(value);
        }
      });
      return result;
    }

    /**
     * The base implementation of `_.flatten` with support for restricting flattening.
     *
     * @private
     * @param {Array} array The array to flatten.
     * @param {number} depth The maximum recursion depth.
     * @param {boolean} [predicate=isFlattenable] The function invoked per iteration.
     * @param {boolean} [isStrict] Restrict to values that pass `predicate` checks.
     * @param {Array} [result=[]] The initial result value.
     * @returns {Array} Returns the new flattened array.
     */
    function baseFlatten(array, depth, predicate, isStrict, result) {
      var index = -1,
          length = array.length;

      predicate || (predicate = isFlattenable);
      result || (result = []);

      while (++index < length) {
        var value = array[index];
        if (depth > 0 && predicate(value)) {
          if (depth > 1) {
            // Recursively flatten arrays (susceptible to call stack limits).
            baseFlatten(value, depth - 1, predicate, isStrict, result);
          } else {
            arrayPush(result, value);
          }
        } else if (!isStrict) {
          result[result.length] = value;
        }
      }
      return result;
    }

    /**
     * The base implementation of `baseForOwn` which iterates over `object`
     * properties returned by `keysFunc` and invokes `iteratee` for each property.
     * Iteratee functions may exit iteration early by explicitly returning `false`.
     *
     * @private
     * @param {Object} object The object to iterate over.
     * @param {Function} iteratee The function invoked per iteration.
     * @param {Function} keysFunc The function to get the keys of `object`.
     * @returns {Object} Returns `object`.
     */
    var baseFor = createBaseFor();

    /**
     * This function is like `baseFor` except that it iterates over properties
     * in the opposite order.
     *
     * @private
     * @param {Object} object The object to iterate over.
     * @param {Function} iteratee The function invoked per iteration.
     * @param {Function} keysFunc The function to get the keys of `object`.
     * @returns {Object} Returns `object`.
     */
    var baseForRight = createBaseFor(true);

    /**
     * The base implementation of `_.forOwn` without support for iteratee shorthands.
     *
     * @private
     * @param {Object} object The object to iterate over.
     * @param {Function} iteratee The function invoked per iteration.
     * @returns {Object} Returns `object`.
     */
    function baseForOwn(object, iteratee) {
      return object && baseFor(object, iteratee, keys);
    }

    /**
     * The base implementation of `_.forOwnRight` without support for iteratee shorthands.
     *
     * @private
     * @param {Object} object The object to iterate over.
     * @param {Function} iteratee The function invoked per iteration.
     * @returns {Object} Returns `object`.
     */
    function baseForOwnRight(object, iteratee) {
      return object && baseForRight(object, iteratee, keys);
    }

    /**
     * The base implementation of `_.functions` which creates an array of
     * `object` function property names filtered from `props`.
     *
     * @private
     * @param {Object} object The object to inspect.
     * @param {Array} props The property names to filter.
     * @returns {Array} Returns the function names.
     */
    function baseFunctions(object, props) {
      return arrayFilter(props, function(key) {
        return isFunction(object[key]);
      });
    }

    /**
     * The base implementation of `_.get` without support for default values.
     *
     * @private
     * @param {Object} object The object to query.
     * @param {Array|string} path The path of the property to get.
     * @returns {*} Returns the resolved value.
     */
    function baseGet(object, path) {
      path = castPath(path, object);

      var index = 0,
          length = path.length;

      while (object != null && index < length) {
        object = object[toKey(path[index++])];
      }
      return (index && index == length) ? object : undefined;
    }

    /**
     * The base implementation of `getAllKeys` and `getAllKeysIn` which uses
     * `keysFunc` and `symbolsFunc` to get the enumerable property names and
     * symbols of `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @param {Function} keysFunc The function to get the keys of `object`.
     * @param {Function} symbolsFunc The function to get the symbols of `object`.
     * @returns {Array} Returns the array of property names and symbols.
     */
    function baseGetAllKeys(object, keysFunc, symbolsFunc) {
      var result = keysFunc(object);
      return isArray(object) ? result : arrayPush(result, symbolsFunc(object));
    }

    /**
     * The base implementation of `getTag` without fallbacks for buggy environments.
     *
     * @private
     * @param {*} value The value to query.
     * @returns {string} Returns the `toStringTag`.
     */
    function baseGetTag(value) {
      if (value == null) {
        return value === undefined ? undefinedTag : nullTag;
      }
      return (symToStringTag && symToStringTag in Object(value))
        ? getRawTag(value)
        : objectToString(value);
    }

    /**
     * The base implementation of `_.gt` which doesn't coerce arguments.
     *
     * @private
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {boolean} Returns `true` if `value` is greater than `other`,
     *  else `false`.
     */
    function baseGt(value, other) {
      return value > other;
    }

    /**
     * The base implementation of `_.has` without support for deep paths.
     *
     * @private
     * @param {Object} [object] The object to query.
     * @param {Array|string} key The key to check.
     * @returns {boolean} Returns `true` if `key` exists, else `false`.
     */
    function baseHas(object, key) {
      return object != null && hasOwnProperty.call(object, key);
    }

    /**
     * The base implementation of `_.hasIn` without support for deep paths.
     *
     * @private
     * @param {Object} [object] The object to query.
     * @param {Array|string} key The key to check.
     * @returns {boolean} Returns `true` if `key` exists, else `false`.
     */
    function baseHasIn(object, key) {
      return object != null && key in Object(object);
    }

    /**
     * The base implementation of `_.inRange` which doesn't coerce arguments.
     *
     * @private
     * @param {number} number The number to check.
     * @param {number} start The start of the range.
     * @param {number} end The end of the range.
     * @returns {boolean} Returns `true` if `number` is in the range, else `false`.
     */
    function baseInRange(number, start, end) {
      return number >= nativeMin(start, end) && number < nativeMax(start, end);
    }

    /**
     * The base implementation of methods like `_.intersection`, without support
     * for iteratee shorthands, that accepts an array of arrays to inspect.
     *
     * @private
     * @param {Array} arrays The arrays to inspect.
     * @param {Function} [iteratee] The iteratee invoked per element.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new array of shared values.
     */
    function baseIntersection(arrays, iteratee, comparator) {
      var includes = comparator ? arrayIncludesWith : arrayIncludes,
          length = arrays[0].length,
          othLength = arrays.length,
          othIndex = othLength,
          caches = Array(othLength),
          maxLength = Infinity,
          result = [];

      while (othIndex--) {
        var array = arrays[othIndex];
        if (othIndex && iteratee) {
          array = arrayMap(array, baseUnary(iteratee));
        }
        maxLength = nativeMin(array.length, maxLength);
        caches[othIndex] = !comparator && (iteratee || (length >= 120 && array.length >= 120))
          ? new SetCache(othIndex && array)
          : undefined;
      }
      array = arrays[0];

      var index = -1,
          seen = caches[0];

      outer:
      while (++index < length && result.length < maxLength) {
        var value = array[index],
            computed = iteratee ? iteratee(value) : value;

        value = (comparator || value !== 0) ? value : 0;
        if (!(seen
              ? cacheHas(seen, computed)
              : includes(result, computed, comparator)
            )) {
          othIndex = othLength;
          while (--othIndex) {
            var cache = caches[othIndex];
            if (!(cache
                  ? cacheHas(cache, computed)
                  : includes(arrays[othIndex], computed, comparator))
                ) {
              continue outer;
            }
          }
          if (seen) {
            seen.push(computed);
          }
          result.push(value);
        }
      }
      return result;
    }

    /**
     * The base implementation of `_.invert` and `_.invertBy` which inverts
     * `object` with values transformed by `iteratee` and set by `setter`.
     *
     * @private
     * @param {Object} object The object to iterate over.
     * @param {Function} setter The function to set `accumulator` values.
     * @param {Function} iteratee The iteratee to transform values.
     * @param {Object} accumulator The initial inverted object.
     * @returns {Function} Returns `accumulator`.
     */
    function baseInverter(object, setter, iteratee, accumulator) {
      baseForOwn(object, function(value, key, object) {
        setter(accumulator, iteratee(value), key, object);
      });
      return accumulator;
    }

    /**
     * The base implementation of `_.invoke` without support for individual
     * method arguments.
     *
     * @private
     * @param {Object} object The object to query.
     * @param {Array|string} path The path of the method to invoke.
     * @param {Array} args The arguments to invoke the method with.
     * @returns {*} Returns the result of the invoked method.
     */
    function baseInvoke(object, path, args) {
      path = castPath(path, object);
      object = parent(object, path);
      var func = object == null ? object : object[toKey(last(path))];
      return func == null ? undefined : apply(func, object, args);
    }

    /**
     * The base implementation of `_.isArguments`.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an `arguments` object,
     */
    function baseIsArguments(value) {
      return isObjectLike(value) && baseGetTag(value) == argsTag;
    }

    /**
     * The base implementation of `_.isArrayBuffer` without Node.js optimizations.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an array buffer, else `false`.
     */
    function baseIsArrayBuffer(value) {
      return isObjectLike(value) && baseGetTag(value) == arrayBufferTag;
    }

    /**
     * The base implementation of `_.isDate` without Node.js optimizations.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a date object, else `false`.
     */
    function baseIsDate(value) {
      return isObjectLike(value) && baseGetTag(value) == dateTag;
    }

    /**
     * The base implementation of `_.isEqual` which supports partial comparisons
     * and tracks traversed objects.
     *
     * @private
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @param {boolean} bitmask The bitmask flags.
     *  1 - Unordered comparison
     *  2 - Partial comparison
     * @param {Function} [customizer] The function to customize comparisons.
     * @param {Object} [stack] Tracks traversed `value` and `other` objects.
     * @returns {boolean} Returns `true` if the values are equivalent, else `false`.
     */
    function baseIsEqual(value, other, bitmask, customizer, stack) {
      if (value === other) {
        return true;
      }
      if (value == null || other == null || (!isObjectLike(value) && !isObjectLike(other))) {
        return value !== value && other !== other;
      }
      return baseIsEqualDeep(value, other, bitmask, customizer, baseIsEqual, stack);
    }

    /**
     * A specialized version of `baseIsEqual` for arrays and objects which performs
     * deep comparisons and tracks traversed objects enabling objects with circular
     * references to be compared.
     *
     * @private
     * @param {Object} object The object to compare.
     * @param {Object} other The other object to compare.
     * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details.
     * @param {Function} customizer The function to customize comparisons.
     * @param {Function} equalFunc The function to determine equivalents of values.
     * @param {Object} [stack] Tracks traversed `object` and `other` objects.
     * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.
     */
    function baseIsEqualDeep(object, other, bitmask, customizer, equalFunc, stack) {
      var objIsArr = isArray(object),
          othIsArr = isArray(other),
          objTag = objIsArr ? arrayTag : getTag(object),
          othTag = othIsArr ? arrayTag : getTag(other);

      objTag = objTag == argsTag ? objectTag : objTag;
      othTag = othTag == argsTag ? objectTag : othTag;

      var objIsObj = objTag == objectTag,
          othIsObj = othTag == objectTag,
          isSameTag = objTag == othTag;

      if (isSameTag && isBuffer(object)) {
        if (!isBuffer(other)) {
          return false;
        }
        objIsArr = true;
        objIsObj = false;
      }
      if (isSameTag && !objIsObj) {
        stack || (stack = new Stack);
        return (objIsArr || isTypedArray(object))
          ? equalArrays(object, other, bitmask, customizer, equalFunc, stack)
          : equalByTag(object, other, objTag, bitmask, customizer, equalFunc, stack);
      }
      if (!(bitmask & COMPARE_PARTIAL_FLAG)) {
        var objIsWrapped = objIsObj && hasOwnProperty.call(object, '__wrapped__'),
            othIsWrapped = othIsObj && hasOwnProperty.call(other, '__wrapped__');

        if (objIsWrapped || othIsWrapped) {
          var objUnwrapped = objIsWrapped ? object.value() : object,
              othUnwrapped = othIsWrapped ? other.value() : other;

          stack || (stack = new Stack);
          return equalFunc(objUnwrapped, othUnwrapped, bitmask, customizer, stack);
        }
      }
      if (!isSameTag) {
        return false;
      }
      stack || (stack = new Stack);
      return equalObjects(object, other, bitmask, customizer, equalFunc, stack);
    }

    /**
     * The base implementation of `_.isMap` without Node.js optimizations.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a map, else `false`.
     */
    function baseIsMap(value) {
      return isObjectLike(value) && getTag(value) == mapTag;
    }

    /**
     * The base implementation of `_.isMatch` without support for iteratee shorthands.
     *
     * @private
     * @param {Object} object The object to inspect.
     * @param {Object} source The object of property values to match.
     * @param {Array} matchData The property names, values, and compare flags to match.
     * @param {Function} [customizer] The function to customize comparisons.
     * @returns {boolean} Returns `true` if `object` is a match, else `false`.
     */
    function baseIsMatch(object, source, matchData, customizer) {
      var index = matchData.length,
          length = index,
          noCustomizer = !customizer;

      if (object == null) {
        return !length;
      }
      object = Object(object);
      while (index--) {
        var data = matchData[index];
        if ((noCustomizer && data[2])
              ? data[1] !== object[data[0]]
              : !(data[0] in object)
            ) {
          return false;
        }
      }
      while (++index < length) {
        data = matchData[index];
        var key = data[0],
            objValue = object[key],
            srcValue = data[1];

        if (noCustomizer && data[2]) {
          if (objValue === undefined && !(key in object)) {
            return false;
          }
        } else {
          var stack = new Stack;
          if (customizer) {
            var result = customizer(objValue, srcValue, key, object, source, stack);
          }
          if (!(result === undefined
                ? baseIsEqual(srcValue, objValue, COMPARE_PARTIAL_FLAG | COMPARE_UNORDERED_FLAG, customizer, stack)
                : result
              )) {
            return false;
          }
        }
      }
      return true;
    }

    /**
     * The base implementation of `_.isNative` without bad shim checks.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a native function,
     *  else `false`.
     */
    function baseIsNative(value) {
      if (!isObject(value) || isMasked(value)) {
        return false;
      }
      var pattern = isFunction(value) ? reIsNative : reIsHostCtor;
      return pattern.test(toSource(value));
    }

    /**
     * The base implementation of `_.isRegExp` without Node.js optimizations.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a regexp, else `false`.
     */
    function baseIsRegExp(value) {
      return isObjectLike(value) && baseGetTag(value) == regexpTag;
    }

    /**
     * The base implementation of `_.isSet` without Node.js optimizations.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a set, else `false`.
     */
    function baseIsSet(value) {
      return isObjectLike(value) && getTag(value) == setTag;
    }

    /**
     * The base implementation of `_.isTypedArray` without Node.js optimizations.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.
     */
    function baseIsTypedArray(value) {
      return isObjectLike(value) &&
        isLength(value.length) && !!typedArrayTags[baseGetTag(value)];
    }

    /**
     * The base implementation of `_.iteratee`.
     *
     * @private
     * @param {*} [value=_.identity] The value to convert to an iteratee.
     * @returns {Function} Returns the iteratee.
     */
    function baseIteratee(value) {
      // Don't store the `typeof` result in a variable to avoid a JIT bug in Safari 9.
      // See https://bugs.webkit.org/show_bug.cgi?id=156034 for more details.
      if (typeof value == 'function') {
        return value;
      }
      if (value == null) {
        return identity;
      }
      if (typeof value == 'object') {
        return isArray(value)
          ? baseMatchesProperty(value[0], value[1])
          : baseMatches(value);
      }
      return property(value);
    }

    /**
     * The base implementation of `_.keys` which doesn't treat sparse arrays as dense.
     *
     * @private
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property names.
     */
    function baseKeys(object) {
      if (!isPrototype(object)) {
        return nativeKeys(object);
      }
      var result = [];
      for (var key in Object(object)) {
        if (hasOwnProperty.call(object, key) && key != 'constructor') {
          result.push(key);
        }
      }
      return result;
    }

    /**
     * The base implementation of `_.keysIn` which doesn't treat sparse arrays as dense.
     *
     * @private
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property names.
     */
    function baseKeysIn(object) {
      if (!isObject(object)) {
        return nativeKeysIn(object);
      }
      var isProto = isPrototype(object),
          result = [];

      for (var key in object) {
        if (!(key == 'constructor' && (isProto || !hasOwnProperty.call(object, key)))) {
          result.push(key);
        }
      }
      return result;
    }

    /**
     * The base implementation of `_.lt` which doesn't coerce arguments.
     *
     * @private
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {boolean} Returns `true` if `value` is less than `other`,
     *  else `false`.
     */
    function baseLt(value, other) {
      return value < other;
    }

    /**
     * The base implementation of `_.map` without support for iteratee shorthands.
     *
     * @private
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} iteratee The function invoked per iteration.
     * @returns {Array} Returns the new mapped array.
     */
    function baseMap(collection, iteratee) {
      var index = -1,
          result = isArrayLike(collection) ? Array(collection.length) : [];

      baseEach(collection, function(value, key, collection) {
        result[++index] = iteratee(value, key, collection);
      });
      return result;
    }

    /**
     * The base implementation of `_.matches` which doesn't clone `source`.
     *
     * @private
     * @param {Object} source The object of property values to match.
     * @returns {Function} Returns the new spec function.
     */
    function baseMatches(source) {
      var matchData = getMatchData(source);
      if (matchData.length == 1 && matchData[0][2]) {
        return matchesStrictComparable(matchData[0][0], matchData[0][1]);
      }
      return function(object) {
        return object === source || baseIsMatch(object, source, matchData);
      };
    }

    /**
     * The base implementation of `_.matchesProperty` which doesn't clone `srcValue`.
     *
     * @private
     * @param {string} path The path of the property to get.
     * @param {*} srcValue The value to match.
     * @returns {Function} Returns the new spec function.
     */
    function baseMatchesProperty(path, srcValue) {
      if (isKey(path) && isStrictComparable(srcValue)) {
        return matchesStrictComparable(toKey(path), srcValue);
      }
      return function(object) {
        var objValue = get(object, path);
        return (objValue === undefined && objValue === srcValue)
          ? hasIn(object, path)
          : baseIsEqual(srcValue, objValue, COMPARE_PARTIAL_FLAG | COMPARE_UNORDERED_FLAG);
      };
    }

    /**
     * The base implementation of `_.merge` without support for multiple sources.
     *
     * @private
     * @param {Object} object The destination object.
     * @param {Object} source The source object.
     * @param {number} srcIndex The index of `source`.
     * @param {Function} [customizer] The function to customize merged values.
     * @param {Object} [stack] Tracks traversed source values and their merged
     *  counterparts.
     */
    function baseMerge(object, source, srcIndex, customizer, stack) {
      if (object === source) {
        return;
      }
      baseFor(source, function(srcValue, key) {
        stack || (stack = new Stack);
        if (isObject(srcValue)) {
          baseMergeDeep(object, source, key, srcIndex, baseMerge, customizer, stack);
        }
        else {
          var newValue = customizer
            ? customizer(safeGet(object, key), srcValue, (key + ''), object, source, stack)
            : undefined;

          if (newValue === undefined) {
            newValue = srcValue;
          }
          assignMergeValue(object, key, newValue);
        }
      }, keysIn);
    }

    /**
     * A specialized version of `baseMerge` for arrays and objects which performs
     * deep merges and tracks traversed objects enabling objects with circular
     * references to be merged.
     *
     * @private
     * @param {Object} object The destination object.
     * @param {Object} source The source object.
     * @param {string} key The key of the value to merge.
     * @param {number} srcIndex The index of `source`.
     * @param {Function} mergeFunc The function to merge values.
     * @param {Function} [customizer] The function to customize assigned values.
     * @param {Object} [stack] Tracks traversed source values and their merged
     *  counterparts.
     */
    function baseMergeDeep(object, source, key, srcIndex, mergeFunc, customizer, stack) {
      var objValue = safeGet(object, key),
          srcValue = safeGet(source, key),
          stacked = stack.get(srcValue);

      if (stacked) {
        assignMergeValue(object, key, stacked);
        return;
      }
      var newValue = customizer
        ? customizer(objValue, srcValue, (key + ''), object, source, stack)
        : undefined;

      var isCommon = newValue === undefined;

      if (isCommon) {
        var isArr = isArray(srcValue),
            isBuff = !isArr && isBuffer(srcValue),
            isTyped = !isArr && !isBuff && isTypedArray(srcValue);

        newValue = srcValue;
        if (isArr || isBuff || isTyped) {
          if (isArray(objValue)) {
            newValue = objValue;
          }
          else if (isArrayLikeObject(objValue)) {
            newValue = copyArray(objValue);
          }
          else if (isBuff) {
            isCommon = false;
            newValue = cloneBuffer(srcValue, true);
          }
          else if (isTyped) {
            isCommon = false;
            newValue = cloneTypedArray(srcValue, true);
          }
          else {
            newValue = [];
          }
        }
        else if (isPlainObject(srcValue) || isArguments(srcValue)) {
          newValue = objValue;
          if (isArguments(objValue)) {
            newValue = toPlainObject(objValue);
          }
          else if (!isObject(objValue) || isFunction(objValue)) {
            newValue = initCloneObject(srcValue);
          }
        }
        else {
          isCommon = false;
        }
      }
      if (isCommon) {
        // Recursively merge objects and arrays (susceptible to call stack limits).
        stack.set(srcValue, newValue);
        mergeFunc(newValue, srcValue, srcIndex, customizer, stack);
        stack['delete'](srcValue);
      }
      assignMergeValue(object, key, newValue);
    }

    /**
     * The base implementation of `_.nth` which doesn't coerce arguments.
     *
     * @private
     * @param {Array} array The array to query.
     * @param {number} n The index of the element to return.
     * @returns {*} Returns the nth element of `array`.
     */
    function baseNth(array, n) {
      var length = array.length;
      if (!length) {
        return;
      }
      n += n < 0 ? length : 0;
      return isIndex(n, length) ? array[n] : undefined;
    }

    /**
     * The base implementation of `_.orderBy` without param guards.
     *
     * @private
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function[]|Object[]|string[]} iteratees The iteratees to sort by.
     * @param {string[]} orders The sort orders of `iteratees`.
     * @returns {Array} Returns the new sorted array.
     */
    function baseOrderBy(collection, iteratees, orders) {
      if (iteratees.length) {
        iteratees = arrayMap(iteratees, function(iteratee) {
          if (isArray(iteratee)) {
            return function(value) {
              return baseGet(value, iteratee.length === 1 ? iteratee[0] : iteratee);
            }
          }
          return iteratee;
        });
      } else {
        iteratees = [identity];
      }

      var index = -1;
      iteratees = arrayMap(iteratees, baseUnary(getIteratee()));

      var result = baseMap(collection, function(value, key, collection) {
        var criteria = arrayMap(iteratees, function(iteratee) {
          return iteratee(value);
        });
        return { 'criteria': criteria, 'index': ++index, 'value': value };
      });

      return baseSortBy(result, function(object, other) {
        return compareMultiple(object, other, orders);
      });
    }

    /**
     * The base implementation of `_.pick` without support for individual
     * property identifiers.
     *
     * @private
     * @param {Object} object The source object.
     * @param {string[]} paths The property paths to pick.
     * @returns {Object} Returns the new object.
     */
    function basePick(object, paths) {
      return basePickBy(object, paths, function(value, path) {
        return hasIn(object, path);
      });
    }

    /**
     * The base implementation of  `_.pickBy` without support for iteratee shorthands.
     *
     * @private
     * @param {Object} object The source object.
     * @param {string[]} paths The property paths to pick.
     * @param {Function} predicate The function invoked per property.
     * @returns {Object} Returns the new object.
     */
    function basePickBy(object, paths, predicate) {
      var index = -1,
          length = paths.length,
          result = {};

      while (++index < length) {
        var path = paths[index],
            value = baseGet(object, path);

        if (predicate(value, path)) {
          baseSet(result, castPath(path, object), value);
        }
      }
      return result;
    }

    /**
     * A specialized version of `baseProperty` which supports deep paths.
     *
     * @private
     * @param {Array|string} path The path of the property to get.
     * @returns {Function} Returns the new accessor function.
     */
    function basePropertyDeep(path) {
      return function(object) {
        return baseGet(object, path);
      };
    }

    /**
     * The base implementation of `_.pullAllBy` without support for iteratee
     * shorthands.
     *
     * @private
     * @param {Array} array The array to modify.
     * @param {Array} values The values to remove.
     * @param {Function} [iteratee] The iteratee invoked per element.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns `array`.
     */
    function basePullAll(array, values, iteratee, comparator) {
      var indexOf = comparator ? baseIndexOfWith : baseIndexOf,
          index = -1,
          length = values.length,
          seen = array;

      if (array === values) {
        values = copyArray(values);
      }
      if (iteratee) {
        seen = arrayMap(array, baseUnary(iteratee));
      }
      while (++index < length) {
        var fromIndex = 0,
            value = values[index],
            computed = iteratee ? iteratee(value) : value;

        while ((fromIndex = indexOf(seen, computed, fromIndex, comparator)) > -1) {
          if (seen !== array) {
            splice.call(seen, fromIndex, 1);
          }
          splice.call(array, fromIndex, 1);
        }
      }
      return array;
    }

    /**
     * The base implementation of `_.pullAt` without support for individual
     * indexes or capturing the removed elements.
     *
     * @private
     * @param {Array} array The array to modify.
     * @param {number[]} indexes The indexes of elements to remove.
     * @returns {Array} Returns `array`.
     */
    function basePullAt(array, indexes) {
      var length = array ? indexes.length : 0,
          lastIndex = length - 1;

      while (length--) {
        var index = indexes[length];
        if (length == lastIndex || index !== previous) {
          var previous = index;
          if (isIndex(index)) {
            splice.call(array, index, 1);
          } else {
            baseUnset(array, index);
          }
        }
      }
      return array;
    }

    /**
     * The base implementation of `_.random` without support for returning
     * floating-point numbers.
     *
     * @private
     * @param {number} lower The lower bound.
     * @param {number} upper The upper bound.
     * @returns {number} Returns the random number.
     */
    function baseRandom(lower, upper) {
      return lower + nativeFloor(nativeRandom() * (upper - lower + 1));
    }

    /**
     * The base implementation of `_.range` and `_.rangeRight` which doesn't
     * coerce arguments.
     *
     * @private
     * @param {number} start The start of the range.
     * @param {number} end The end of the range.
     * @param {number} step The value to increment or decrement by.
     * @param {boolean} [fromRight] Specify iterating from right to left.
     * @returns {Array} Returns the range of numbers.
     */
    function baseRange(start, end, step, fromRight) {
      var index = -1,
          length = nativeMax(nativeCeil((end - start) / (step || 1)), 0),
          result = Array(length);

      while (length--) {
        result[fromRight ? length : ++index] = start;
        start += step;
      }
      return result;
    }

    /**
     * The base implementation of `_.repeat` which doesn't coerce arguments.
     *
     * @private
     * @param {string} string The string to repeat.
     * @param {number} n The number of times to repeat the string.
     * @returns {string} Returns the repeated string.
     */
    function baseRepeat(string, n) {
      var result = '';
      if (!string || n < 1 || n > MAX_SAFE_INTEGER) {
        return result;
      }
      // Leverage the exponentiation by squaring algorithm for a faster repeat.
      // See https://en.wikipedia.org/wiki/Exponentiation_by_squaring for more details.
      do {
        if (n % 2) {
          result += string;
        }
        n = nativeFloor(n / 2);
        if (n) {
          string += string;
        }
      } while (n);

      return result;
    }

    /**
     * The base implementation of `_.rest` which doesn't validate or coerce arguments.
     *
     * @private
     * @param {Function} func The function to apply a rest parameter to.
     * @param {number} [start=func.length-1] The start position of the rest parameter.
     * @returns {Function} Returns the new function.
     */
    function baseRest(func, start) {
      return setToString(overRest(func, start, identity), func + '');
    }

    /**
     * The base implementation of `_.sample`.
     *
     * @private
     * @param {Array|Object} collection The collection to sample.
     * @returns {*} Returns the random element.
     */
    function baseSample(collection) {
      return arraySample(values(collection));
    }

    /**
     * The base implementation of `_.sampleSize` without param guards.
     *
     * @private
     * @param {Array|Object} collection The collection to sample.
     * @param {number} n The number of elements to sample.
     * @returns {Array} Returns the random elements.
     */
    function baseSampleSize(collection, n) {
      var array = values(collection);
      return shuffleSelf(array, baseClamp(n, 0, array.length));
    }

    /**
     * The base implementation of `_.set`.
     *
     * @private
     * @param {Object} object The object to modify.
     * @param {Array|string} path The path of the property to set.
     * @param {*} value The value to set.
     * @param {Function} [customizer] The function to customize path creation.
     * @returns {Object} Returns `object`.
     */
    function baseSet(object, path, value, customizer) {
      if (!isObject(object)) {
        return object;
      }
      path = castPath(path, object);

      var index = -1,
          length = path.length,
          lastIndex = length - 1,
          nested = object;

      while (nested != null && ++index < length) {
        var key = toKey(path[index]),
            newValue = value;

        if (key === '__proto__' || key === 'constructor' || key === 'prototype') {
          return object;
        }

        if (index != lastIndex) {
          var objValue = nested[key];
          newValue = customizer ? customizer(objValue, key, nested) : undefined;
          if (newValue === undefined) {
            newValue = isObject(objValue)
              ? objValue
              : (isIndex(path[index + 1]) ? [] : {});
          }
        }
        assignValue(nested, key, newValue);
        nested = nested[key];
      }
      return object;
    }

    /**
     * The base implementation of `setData` without support for hot loop shorting.
     *
     * @private
     * @param {Function} func The function to associate metadata with.
     * @param {*} data The metadata.
     * @returns {Function} Returns `func`.
     */
    var baseSetData = !metaMap ? identity : function(func, data) {
      metaMap.set(func, data);
      return func;
    };

    /**
     * The base implementation of `setToString` without support for hot loop shorting.
     *
     * @private
     * @param {Function} func The function to modify.
     * @param {Function} string The `toString` result.
     * @returns {Function} Returns `func`.
     */
    var baseSetToString = !defineProperty ? identity : function(func, string) {
      return defineProperty(func, 'toString', {
        'configurable': true,
        'enumerable': false,
        'value': constant(string),
        'writable': true
      });
    };

    /**
     * The base implementation of `_.shuffle`.
     *
     * @private
     * @param {Array|Object} collection The collection to shuffle.
     * @returns {Array} Returns the new shuffled array.
     */
    function baseShuffle(collection) {
      return shuffleSelf(values(collection));
    }

    /**
     * The base implementation of `_.slice` without an iteratee call guard.
     *
     * @private
     * @param {Array} array The array to slice.
     * @param {number} [start=0] The start position.
     * @param {number} [end=array.length] The end position.
     * @returns {Array} Returns the slice of `array`.
     */
    function baseSlice(array, start, end) {
      var index = -1,
          length = array.length;

      if (start < 0) {
        start = -start > length ? 0 : (length + start);
      }
      end = end > length ? length : end;
      if (end < 0) {
        end += length;
      }
      length = start > end ? 0 : ((end - start) >>> 0);
      start >>>= 0;

      var result = Array(length);
      while (++index < length) {
        result[index] = array[index + start];
      }
      return result;
    }

    /**
     * The base implementation of `_.some` without support for iteratee shorthands.
     *
     * @private
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} predicate The function invoked per iteration.
     * @returns {boolean} Returns `true` if any element passes the predicate check,
     *  else `false`.
     */
    function baseSome(collection, predicate) {
      var result;

      baseEach(collection, function(value, index, collection) {
        result = predicate(value, index, collection);
        return !result;
      });
      return !!result;
    }

    /**
     * The base implementation of `_.sortedIndex` and `_.sortedLastIndex` which
     * performs a binary search of `array` to determine the index at which `value`
     * should be inserted into `array` in order to maintain its sort order.
     *
     * @private
     * @param {Array} array The sorted array to inspect.
     * @param {*} value The value to evaluate.
     * @param {boolean} [retHighest] Specify returning the highest qualified index.
     * @returns {number} Returns the index at which `value` should be inserted
     *  into `array`.
     */
    function baseSortedIndex(array, value, retHighest) {
      var low = 0,
          high = array == null ? low : array.length;

      if (typeof value == 'number' && value === value && high <= HALF_MAX_ARRAY_LENGTH) {
        while (low < high) {
          var mid = (low + high) >>> 1,
              computed = array[mid];

          if (computed !== null && !isSymbol(computed) &&
              (retHighest ? (computed <= value) : (computed < value))) {
            low = mid + 1;
          } else {
            high = mid;
          }
        }
        return high;
      }
      return baseSortedIndexBy(array, value, identity, retHighest);
    }

    /**
     * The base implementation of `_.sortedIndexBy` and `_.sortedLastIndexBy`
     * which invokes `iteratee` for `value` and each element of `array` to compute
     * their sort ranking. The iteratee is invoked with one argument; (value).
     *
     * @private
     * @param {Array} array The sorted array to inspect.
     * @param {*} value The value to evaluate.
     * @param {Function} iteratee The iteratee invoked per element.
     * @param {boolean} [retHighest] Specify returning the highest qualified index.
     * @returns {number} Returns the index at which `value` should be inserted
     *  into `array`.
     */
    function baseSortedIndexBy(array, value, iteratee, retHighest) {
      var low = 0,
          high = array == null ? 0 : array.length;
      if (high === 0) {
        return 0;
      }

      value = iteratee(value);
      var valIsNaN = value !== value,
          valIsNull = value === null,
          valIsSymbol = isSymbol(value),
          valIsUndefined = value === undefined;

      while (low < high) {
        var mid = nativeFloor((low + high) / 2),
            computed = iteratee(array[mid]),
            othIsDefined = computed !== undefined,
            othIsNull = computed === null,
            othIsReflexive = computed === computed,
            othIsSymbol = isSymbol(computed);

        if (valIsNaN) {
          var setLow = retHighest || othIsReflexive;
        } else if (valIsUndefined) {
          setLow = othIsReflexive && (retHighest || othIsDefined);
        } else if (valIsNull) {
          setLow = othIsReflexive && othIsDefined && (retHighest || !othIsNull);
        } else if (valIsSymbol) {
          setLow = othIsReflexive && othIsDefined && !othIsNull && (retHighest || !othIsSymbol);
        } else if (othIsNull || othIsSymbol) {
          setLow = false;
        } else {
          setLow = retHighest ? (computed <= value) : (computed < value);
        }
        if (setLow) {
          low = mid + 1;
        } else {
          high = mid;
        }
      }
      return nativeMin(high, MAX_ARRAY_INDEX);
    }

    /**
     * The base implementation of `_.sortedUniq` and `_.sortedUniqBy` without
     * support for iteratee shorthands.
     *
     * @private
     * @param {Array} array The array to inspect.
     * @param {Function} [iteratee] The iteratee invoked per element.
     * @returns {Array} Returns the new duplicate free array.
     */
    function baseSortedUniq(array, iteratee) {
      var index = -1,
          length = array.length,
          resIndex = 0,
          result = [];

      while (++index < length) {
        var value = array[index],
            computed = iteratee ? iteratee(value) : value;

        if (!index || !eq(computed, seen)) {
          var seen = computed;
          result[resIndex++] = value === 0 ? 0 : value;
        }
      }
      return result;
    }

    /**
     * The base implementation of `_.toNumber` which doesn't ensure correct
     * conversions of binary, hexadecimal, or octal string values.
     *
     * @private
     * @param {*} value The value to process.
     * @returns {number} Returns the number.
     */
    function baseToNumber(value) {
      if (typeof value == 'number') {
        return value;
      }
      if (isSymbol(value)) {
        return NAN;
      }
      return +value;
    }

    /**
     * The base implementation of `_.toString` which doesn't convert nullish
     * values to empty strings.
     *
     * @private
     * @param {*} value The value to process.
     * @returns {string} Returns the string.
     */
    function baseToString(value) {
      // Exit early for strings to avoid a performance hit in some environments.
      if (typeof value == 'string') {
        return value;
      }
      if (isArray(value)) {
        // Recursively convert values (susceptible to call stack limits).
        return arrayMap(value, baseToString) + '';
      }
      if (isSymbol(value)) {
        return symbolToString ? symbolToString.call(value) : '';
      }
      var result = (value + '');
      return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result;
    }

    /**
     * The base implementation of `_.uniqBy` without support for iteratee shorthands.
     *
     * @private
     * @param {Array} array The array to inspect.
     * @param {Function} [iteratee] The iteratee invoked per element.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new duplicate free array.
     */
    function baseUniq(array, iteratee, comparator) {
      var index = -1,
          includes = arrayIncludes,
          length = array.length,
          isCommon = true,
          result = [],
          seen = result;

      if (comparator) {
        isCommon = false;
        includes = arrayIncludesWith;
      }
      else if (length >= LARGE_ARRAY_SIZE) {
        var set = iteratee ? null : createSet(array);
        if (set) {
          return setToArray(set);
        }
        isCommon = false;
        includes = cacheHas;
        seen = new SetCache;
      }
      else {
        seen = iteratee ? [] : result;
      }
      outer:
      while (++index < length) {
        var value = array[index],
            computed = iteratee ? iteratee(value) : value;

        value = (comparator || value !== 0) ? value : 0;
        if (isCommon && computed === computed) {
          var seenIndex = seen.length;
          while (seenIndex--) {
            if (seen[seenIndex] === computed) {
              continue outer;
            }
          }
          if (iteratee) {
            seen.push(computed);
          }
          result.push(value);
        }
        else if (!includes(seen, computed, comparator)) {
          if (seen !== result) {
            seen.push(computed);
          }
          result.push(value);
        }
      }
      return result;
    }

    /**
     * The base implementation of `_.unset`.
     *
     * @private
     * @param {Object} object The object to modify.
     * @param {Array|string} path The property path to unset.
     * @returns {boolean} Returns `true` if the property is deleted, else `false`.
     */
    function baseUnset(object, path) {
      path = castPath(path, object);
      object = parent(object, path);
      return object == null || delete object[toKey(last(path))];
    }

    /**
     * The base implementation of `_.update`.
     *
     * @private
     * @param {Object} object The object to modify.
     * @param {Array|string} path The path of the property to update.
     * @param {Function} updater The function to produce the updated value.
     * @param {Function} [customizer] The function to customize path creation.
     * @returns {Object} Returns `object`.
     */
    function baseUpdate(object, path, updater, customizer) {
      return baseSet(object, path, updater(baseGet(object, path)), customizer);
    }

    /**
     * The base implementation of methods like `_.dropWhile` and `_.takeWhile`
     * without support for iteratee shorthands.
     *
     * @private
     * @param {Array} array The array to query.
     * @param {Function} predicate The function invoked per iteration.
     * @param {boolean} [isDrop] Specify dropping elements instead of taking them.
     * @param {boolean} [fromRight] Specify iterating from right to left.
     * @returns {Array} Returns the slice of `array`.
     */
    function baseWhile(array, predicate, isDrop, fromRight) {
      var length = array.length,
          index = fromRight ? length : -1;

      while ((fromRight ? index-- : ++index < length) &&
        predicate(array[index], index, array)) {}

      return isDrop
        ? baseSlice(array, (fromRight ? 0 : index), (fromRight ? index + 1 : length))
        : baseSlice(array, (fromRight ? index + 1 : 0), (fromRight ? length : index));
    }

    /**
     * The base implementation of `wrapperValue` which returns the result of
     * performing a sequence of actions on the unwrapped `value`, where each
     * successive action is supplied the return value of the previous.
     *
     * @private
     * @param {*} value The unwrapped value.
     * @param {Array} actions Actions to perform to resolve the unwrapped value.
     * @returns {*} Returns the resolved value.
     */
    function baseWrapperValue(value, actions) {
      var result = value;
      if (result instanceof LazyWrapper) {
        result = result.value();
      }
      return arrayReduce(actions, function(result, action) {
        return action.func.apply(action.thisArg, arrayPush([result], action.args));
      }, result);
    }

    /**
     * The base implementation of methods like `_.xor`, without support for
     * iteratee shorthands, that accepts an array of arrays to inspect.
     *
     * @private
     * @param {Array} arrays The arrays to inspect.
     * @param {Function} [iteratee] The iteratee invoked per element.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new array of values.
     */
    function baseXor(arrays, iteratee, comparator) {
      var length = arrays.length;
      if (length < 2) {
        return length ? baseUniq(arrays[0]) : [];
      }
      var index = -1,
          result = Array(length);

      while (++index < length) {
        var array = arrays[index],
            othIndex = -1;

        while (++othIndex < length) {
          if (othIndex != index) {
            result[index] = baseDifference(result[index] || array, arrays[othIndex], iteratee, comparator);
          }
        }
      }
      return baseUniq(baseFlatten(result, 1), iteratee, comparator);
    }

    /**
     * This base implementation of `_.zipObject` which assigns values using `assignFunc`.
     *
     * @private
     * @param {Array} props The property identifiers.
     * @param {Array} values The property values.
     * @param {Function} assignFunc The function to assign values.
     * @returns {Object} Returns the new object.
     */
    function baseZipObject(props, values, assignFunc) {
      var index = -1,
          length = props.length,
          valsLength = values.length,
          result = {};

      while (++index < length) {
        var value = index < valsLength ? values[index] : undefined;
        assignFunc(result, props[index], value);
      }
      return result;
    }

    /**
     * Casts `value` to an empty array if it's not an array like object.
     *
     * @private
     * @param {*} value The value to inspect.
     * @returns {Array|Object} Returns the cast array-like object.
     */
    function castArrayLikeObject(value) {
      return isArrayLikeObject(value) ? value : [];
    }

    /**
     * Casts `value` to `identity` if it's not a function.
     *
     * @private
     * @param {*} value The value to inspect.
     * @returns {Function} Returns cast function.
     */
    function castFunction(value) {
      return typeof value == 'function' ? value : identity;
    }

    /**
     * Casts `value` to a path array if it's not one.
     *
     * @private
     * @param {*} value The value to inspect.
     * @param {Object} [object] The object to query keys on.
     * @returns {Array} Returns the cast property path array.
     */
    function castPath(value, object) {
      if (isArray(value)) {
        return value;
      }
      return isKey(value, object) ? [value] : stringToPath(toString(value));
    }

    /**
     * A `baseRest` alias which can be replaced with `identity` by module
     * replacement plugins.
     *
     * @private
     * @type {Function}
     * @param {Function} func The function to apply a rest parameter to.
     * @returns {Function} Returns the new function.
     */
    var castRest = baseRest;

    /**
     * Casts `array` to a slice if it's needed.
     *
     * @private
     * @param {Array} array The array to inspect.
     * @param {number} start The start position.
     * @param {number} [end=array.length] The end position.
     * @returns {Array} Returns the cast slice.
     */
    function castSlice(array, start, end) {
      var length = array.length;
      end = end === undefined ? length : end;
      return (!start && end >= length) ? array : baseSlice(array, start, end);
    }

    /**
     * A simple wrapper around the global [`clearTimeout`](https://mdn.io/clearTimeout).
     *
     * @private
     * @param {number|Object} id The timer id or timeout object of the timer to clear.
     */
    var clearTimeout = ctxClearTimeout || function(id) {
      return root.clearTimeout(id);
    };

    /**
     * Creates a clone of  `buffer`.
     *
     * @private
     * @param {Buffer} buffer The buffer to clone.
     * @param {boolean} [isDeep] Specify a deep clone.
     * @returns {Buffer} Returns the cloned buffer.
     */
    function cloneBuffer(buffer, isDeep) {
      if (isDeep) {
        return buffer.slice();
      }
      var length = buffer.length,
          result = allocUnsafe ? allocUnsafe(length) : new buffer.constructor(length);

      buffer.copy(result);
      return result;
    }

    /**
     * Creates a clone of `arrayBuffer`.
     *
     * @private
     * @param {ArrayBuffer} arrayBuffer The array buffer to clone.
     * @returns {ArrayBuffer} Returns the cloned array buffer.
     */
    function cloneArrayBuffer(arrayBuffer) {
      var result = new arrayBuffer.constructor(arrayBuffer.byteLength);
      new Uint8Array(result).set(new Uint8Array(arrayBuffer));
      return result;
    }

    /**
     * Creates a clone of `dataView`.
     *
     * @private
     * @param {Object} dataView The data view to clone.
     * @param {boolean} [isDeep] Specify a deep clone.
     * @returns {Object} Returns the cloned data view.
     */
    function cloneDataView(dataView, isDeep) {
      var buffer = isDeep ? cloneArrayBuffer(dataView.buffer) : dataView.buffer;
      return new dataView.constructor(buffer, dataView.byteOffset, dataView.byteLength);
    }

    /**
     * Creates a clone of `regexp`.
     *
     * @private
     * @param {Object} regexp The regexp to clone.
     * @returns {Object} Returns the cloned regexp.
     */
    function cloneRegExp(regexp) {
      var result = new regexp.constructor(regexp.source, reFlags.exec(regexp));
      result.lastIndex = regexp.lastIndex;
      return result;
    }

    /**
     * Creates a clone of the `symbol` object.
     *
     * @private
     * @param {Object} symbol The symbol object to clone.
     * @returns {Object} Returns the cloned symbol object.
     */
    function cloneSymbol(symbol) {
      return symbolValueOf ? Object(symbolValueOf.call(symbol)) : {};
    }

    /**
     * Creates a clone of `typedArray`.
     *
     * @private
     * @param {Object} typedArray The typed array to clone.
     * @param {boolean} [isDeep] Specify a deep clone.
     * @returns {Object} Returns the cloned typed array.
     */
    function cloneTypedArray(typedArray, isDeep) {
      var buffer = isDeep ? cloneArrayBuffer(typedArray.buffer) : typedArray.buffer;
      return new typedArray.constructor(buffer, typedArray.byteOffset, typedArray.length);
    }

    /**
     * Compares values to sort them in ascending order.
     *
     * @private
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {number} Returns the sort order indicator for `value`.
     */
    function compareAscending(value, other) {
      if (value !== other) {
        var valIsDefined = value !== undefined,
            valIsNull = value === null,
            valIsReflexive = value === value,
            valIsSymbol = isSymbol(value);

        var othIsDefined = other !== undefined,
            othIsNull = other === null,
            othIsReflexive = other === other,
            othIsSymbol = isSymbol(other);

        if ((!othIsNull && !othIsSymbol && !valIsSymbol && value > other) ||
            (valIsSymbol && othIsDefined && othIsReflexive && !othIsNull && !othIsSymbol) ||
            (valIsNull && othIsDefined && othIsReflexive) ||
            (!valIsDefined && othIsReflexive) ||
            !valIsReflexive) {
          return 1;
        }
        if ((!valIsNull && !valIsSymbol && !othIsSymbol && value < other) ||
            (othIsSymbol && valIsDefined && valIsReflexive && !valIsNull && !valIsSymbol) ||
            (othIsNull && valIsDefined && valIsReflexive) ||
            (!othIsDefined && valIsReflexive) ||
            !othIsReflexive) {
          return -1;
        }
      }
      return 0;
    }

    /**
     * Used by `_.orderBy` to compare multiple properties of a value to another
     * and stable sort them.
     *
     * If `orders` is unspecified, all values are sorted in ascending order. Otherwise,
     * specify an order of "desc" for descending or "asc" for ascending sort order
     * of corresponding values.
     *
     * @private
     * @param {Object} object The object to compare.
     * @param {Object} other The other object to compare.
     * @param {boolean[]|string[]} orders The order to sort by for each property.
     * @returns {number} Returns the sort order indicator for `object`.
     */
    function compareMultiple(object, other, orders) {
      var index = -1,
          objCriteria = object.criteria,
          othCriteria = other.criteria,
          length = objCriteria.length,
          ordersLength = orders.length;

      while (++index < length) {
        var result = compareAscending(objCriteria[index], othCriteria[index]);
        if (result) {
          if (index >= ordersLength) {
            return result;
          }
          var order = orders[index];
          return result * (order == 'desc' ? -1 : 1);
        }
      }
      // Fixes an `Array#sort` bug in the JS engine embedded in Adobe applications
      // that causes it, under certain circumstances, to provide the same value for
      // `object` and `other`. See https://github.com/jashkenas/underscore/pull/1247
      // for more details.
      //
      // This also ensures a stable sort in V8 and other engines.
      // See https://bugs.chromium.org/p/v8/issues/detail?id=90 for more details.
      return object.index - other.index;
    }

    /**
     * Creates an array that is the composition of partially applied arguments,
     * placeholders, and provided arguments into a single array of arguments.
     *
     * @private
     * @param {Array} args The provided arguments.
     * @param {Array} partials The arguments to prepend to those provided.
     * @param {Array} holders The `partials` placeholder indexes.
     * @params {boolean} [isCurried] Specify composing for a curried function.
     * @returns {Array} Returns the new array of composed arguments.
     */
    function composeArgs(args, partials, holders, isCurried) {
      var argsIndex = -1,
          argsLength = args.length,
          holdersLength = holders.length,
          leftIndex = -1,
          leftLength = partials.length,
          rangeLength = nativeMax(argsLength - holdersLength, 0),
          result = Array(leftLength + rangeLength),
          isUncurried = !isCurried;

      while (++leftIndex < leftLength) {
        result[leftIndex] = partials[leftIndex];
      }
      while (++argsIndex < holdersLength) {
        if (isUncurried || argsIndex < argsLength) {
          result[holders[argsIndex]] = args[argsIndex];
        }
      }
      while (rangeLength--) {
        result[leftIndex++] = args[argsIndex++];
      }
      return result;
    }

    /**
     * This function is like `composeArgs` except that the arguments composition
     * is tailored for `_.partialRight`.
     *
     * @private
     * @param {Array} args The provided arguments.
     * @param {Array} partials The arguments to append to those provided.
     * @param {Array} holders The `partials` placeholder indexes.
     * @params {boolean} [isCurried] Specify composing for a curried function.
     * @returns {Array} Returns the new array of composed arguments.
     */
    function composeArgsRight(args, partials, holders, isCurried) {
      var argsIndex = -1,
          argsLength = args.length,
          holdersIndex = -1,
          holdersLength = holders.length,
          rightIndex = -1,
          rightLength = partials.length,
          rangeLength = nativeMax(argsLength - holdersLength, 0),
          result = Array(rangeLength + rightLength),
          isUncurried = !isCurried;

      while (++argsIndex < rangeLength) {
        result[argsIndex] = args[argsIndex];
      }
      var offset = argsIndex;
      while (++rightIndex < rightLength) {
        result[offset + rightIndex] = partials[rightIndex];
      }
      while (++holdersIndex < holdersLength) {
        if (isUncurried || argsIndex < argsLength) {
          result[offset + holders[holdersIndex]] = args[argsIndex++];
        }
      }
      return result;
    }

    /**
     * Copies the values of `source` to `array`.
     *
     * @private
     * @param {Array} source The array to copy values from.
     * @param {Array} [array=[]] The array to copy values to.
     * @returns {Array} Returns `array`.
     */
    function copyArray(source, array) {
      var index = -1,
          length = source.length;

      array || (array = Array(length));
      while (++index < length) {
        array[index] = source[index];
      }
      return array;
    }

    /**
     * Copies properties of `source` to `object`.
     *
     * @private
     * @param {Object} source The object to copy properties from.
     * @param {Array} props The property identifiers to copy.
     * @param {Object} [object={}] The object to copy properties to.
     * @param {Function} [customizer] The function to customize copied values.
     * @returns {Object} Returns `object`.
     */
    function copyObject(source, props, object, customizer) {
      var isNew = !object;
      object || (object = {});

      var index = -1,
          length = props.length;

      while (++index < length) {
        var key = props[index];

        var newValue = customizer
          ? customizer(object[key], source[key], key, object, source)
          : undefined;

        if (newValue === undefined) {
          newValue = source[key];
        }
        if (isNew) {
          baseAssignValue(object, key, newValue);
        } else {
          assignValue(object, key, newValue);
        }
      }
      return object;
    }

    /**
     * Copies own symbols of `source` to `object`.
     *
     * @private
     * @param {Object} source The object to copy symbols from.
     * @param {Object} [object={}] The object to copy symbols to.
     * @returns {Object} Returns `object`.
     */
    function copySymbols(source, object) {
      return copyObject(source, getSymbols(source), object);
    }

    /**
     * Copies own and inherited symbols of `source` to `object`.
     *
     * @private
     * @param {Object} source The object to copy symbols from.
     * @param {Object} [object={}] The object to copy symbols to.
     * @returns {Object} Returns `object`.
     */
    function copySymbolsIn(source, object) {
      return copyObject(source, getSymbolsIn(source), object);
    }

    /**
     * Creates a function like `_.groupBy`.
     *
     * @private
     * @param {Function} setter The function to set accumulator values.
     * @param {Function} [initializer] The accumulator object initializer.
     * @returns {Function} Returns the new aggregator function.
     */
    function createAggregator(setter, initializer) {
      return function(collection, iteratee) {
        var func = isArray(collection) ? arrayAggregator : baseAggregator,
            accumulator = initializer ? initializer() : {};

        return func(collection, setter, getIteratee(iteratee, 2), accumulator);
      };
    }

    /**
     * Creates a function like `_.assign`.
     *
     * @private
     * @param {Function} assigner The function to assign values.
     * @returns {Function} Returns the new assigner function.
     */
    function createAssigner(assigner) {
      return baseRest(function(object, sources) {
        var index = -1,
            length = sources.length,
            customizer = length > 1 ? sources[length - 1] : undefined,
            guard = length > 2 ? sources[2] : undefined;

        customizer = (assigner.length > 3 && typeof customizer == 'function')
          ? (length--, customizer)
          : undefined;

        if (guard && isIterateeCall(sources[0], sources[1], guard)) {
          customizer = length < 3 ? undefined : customizer;
          length = 1;
        }
        object = Object(object);
        while (++index < length) {
          var source = sources[index];
          if (source) {
            assigner(object, source, index, customizer);
          }
        }
        return object;
      });
    }

    /**
     * Creates a `baseEach` or `baseEachRight` function.
     *
     * @private
     * @param {Function} eachFunc The function to iterate over a collection.
     * @param {boolean} [fromRight] Specify iterating from right to left.
     * @returns {Function} Returns the new base function.
     */
    function createBaseEach(eachFunc, fromRight) {
      return function(collection, iteratee) {
        if (collection == null) {
          return collection;
        }
        if (!isArrayLike(collection)) {
          return eachFunc(collection, iteratee);
        }
        var length = collection.length,
            index = fromRight ? length : -1,
            iterable = Object(collection);

        while ((fromRight ? index-- : ++index < length)) {
          if (iteratee(iterable[index], index, iterable) === false) {
            break;
          }
        }
        return collection;
      };
    }

    /**
     * Creates a base function for methods like `_.forIn` and `_.forOwn`.
     *
     * @private
     * @param {boolean} [fromRight] Specify iterating from right to left.
     * @returns {Function} Returns the new base function.
     */
    function createBaseFor(fromRight) {
      return function(object, iteratee, keysFunc) {
        var index = -1,
            iterable = Object(object),
            props = keysFunc(object),
            length = props.length;

        while (length--) {
          var key = props[fromRight ? length : ++index];
          if (iteratee(iterable[key], key, iterable) === false) {
            break;
          }
        }
        return object;
      };
    }

    /**
     * Creates a function that wraps `func` to invoke it with the optional `this`
     * binding of `thisArg`.
     *
     * @private
     * @param {Function} func The function to wrap.
     * @param {number} bitmask The bitmask flags. See `createWrap` for more details.
     * @param {*} [thisArg] The `this` binding of `func`.
     * @returns {Function} Returns the new wrapped function.
     */
    function createBind(func, bitmask, thisArg) {
      var isBind = bitmask & WRAP_BIND_FLAG,
          Ctor = createCtor(func);

      function wrapper() {
        var fn = (this && this !== root && this instanceof wrapper) ? Ctor : func;
        return fn.apply(isBind ? thisArg : this, arguments);
      }
      return wrapper;
    }

    /**
     * Creates a function like `_.lowerFirst`.
     *
     * @private
     * @param {string} methodName The name of the `String` case method to use.
     * @returns {Function} Returns the new case function.
     */
    function createCaseFirst(methodName) {
      return function(string) {
        string = toString(string);

        var strSymbols = hasUnicode(string)
          ? stringToArray(string)
          : undefined;

        var chr = strSymbols
          ? strSymbols[0]
          : string.charAt(0);

        var trailing = strSymbols
          ? castSlice(strSymbols, 1).join('')
          : string.slice(1);

        return chr[methodName]() + trailing;
      };
    }

    /**
     * Creates a function like `_.camelCase`.
     *
     * @private
     * @param {Function} callback The function to combine each word.
     * @returns {Function} Returns the new compounder function.
     */
    function createCompounder(callback) {
      return function(string) {
        return arrayReduce(words(deburr(string).replace(reApos, '')), callback, '');
      };
    }

    /**
     * Creates a function that produces an instance of `Ctor` regardless of
     * whether it was invoked as part of a `new` expression or by `call` or `apply`.
     *
     * @private
     * @param {Function} Ctor The constructor to wrap.
     * @returns {Function} Returns the new wrapped function.
     */
    function createCtor(Ctor) {
      return function() {
        // Use a `switch` statement to work with class constructors. See
        // http://ecma-international.org/ecma-262/7.0/#sec-ecmascript-function-objects-call-thisargument-argumentslist
        // for more details.
        var args = arguments;
        switch (args.length) {
          case 0: return new Ctor;
          case 1: return new Ctor(args[0]);
          case 2: return new Ctor(args[0], args[1]);
          case 3: return new Ctor(args[0], args[1], args[2]);
          case 4: return new Ctor(args[0], args[1], args[2], args[3]);
          case 5: return new Ctor(args[0], args[1], args[2], args[3], args[4]);
          case 6: return new Ctor(args[0], args[1], args[2], args[3], args[4], args[5]);
          case 7: return new Ctor(args[0], args[1], args[2], args[3], args[4], args[5], args[6]);
        }
        var thisBinding = baseCreate(Ctor.prototype),
            result = Ctor.apply(thisBinding, args);

        // Mimic the constructor's `return` behavior.
        // See https://es5.github.io/#x13.2.2 for more details.
        return isObject(result) ? result : thisBinding;
      };
    }

    /**
     * Creates a function that wraps `func` to enable currying.
     *
     * @private
     * @param {Function} func The function to wrap.
     * @param {number} bitmask The bitmask flags. See `createWrap` for more details.
     * @param {number} arity The arity of `func`.
     * @returns {Function} Returns the new wrapped function.
     */
    function createCurry(func, bitmask, arity) {
      var Ctor = createCtor(func);

      function wrapper() {
        var length = arguments.length,
            args = Array(length),
            index = length,
            placeholder = getHolder(wrapper);

        while (index--) {
          args[index] = arguments[index];
        }
        var holders = (length < 3 && args[0] !== placeholder && args[length - 1] !== placeholder)
          ? []
          : replaceHolders(args, placeholder);

        length -= holders.length;
        if (length < arity) {
          return createRecurry(
            func, bitmask, createHybrid, wrapper.placeholder, undefined,
            args, holders, undefined, undefined, arity - length);
        }
        var fn = (this && this !== root && this instanceof wrapper) ? Ctor : func;
        return apply(fn, this, args);
      }
      return wrapper;
    }

    /**
     * Creates a `_.find` or `_.findLast` function.
     *
     * @private
     * @param {Function} findIndexFunc The function to find the collection index.
     * @returns {Function} Returns the new find function.
     */
    function createFind(findIndexFunc) {
      return function(collection, predicate, fromIndex) {
        var iterable = Object(collection);
        if (!isArrayLike(collection)) {
          var iteratee = getIteratee(predicate, 3);
          collection = keys(collection);
          predicate = function(key) { return iteratee(iterable[key], key, iterable); };
        }
        var index = findIndexFunc(collection, predicate, fromIndex);
        return index > -1 ? iterable[iteratee ? collection[index] : index] : undefined;
      };
    }

    /**
     * Creates a `_.flow` or `_.flowRight` function.
     *
     * @private
     * @param {boolean} [fromRight] Specify iterating from right to left.
     * @returns {Function} Returns the new flow function.
     */
    function createFlow(fromRight) {
      return flatRest(function(funcs) {
        var length = funcs.length,
            index = length,
            prereq = LodashWrapper.prototype.thru;

        if (fromRight) {
          funcs.reverse();
        }
        while (index--) {
          var func = funcs[index];
          if (typeof func != 'function') {
            throw new TypeError(FUNC_ERROR_TEXT);
          }
          if (prereq && !wrapper && getFuncName(func) == 'wrapper') {
            var wrapper = new LodashWrapper([], true);
          }
        }
        index = wrapper ? index : length;
        while (++index < length) {
          func = funcs[index];

          var funcName = getFuncName(func),
              data = funcName == 'wrapper' ? getData(func) : undefined;

          if (data && isLaziable(data[0]) &&
                data[1] == (WRAP_ARY_FLAG | WRAP_CURRY_FLAG | WRAP_PARTIAL_FLAG | WRAP_REARG_FLAG) &&
                !data[4].length && data[9] == 1
              ) {
            wrapper = wrapper[getFuncName(data[0])].apply(wrapper, data[3]);
          } else {
            wrapper = (func.length == 1 && isLaziable(func))
              ? wrapper[funcName]()
              : wrapper.thru(func);
          }
        }
        return function() {
          var args = arguments,
              value = args[0];

          if (wrapper && args.length == 1 && isArray(value)) {
            return wrapper.plant(value).value();
          }
          var index = 0,
              result = length ? funcs[index].apply(this, args) : value;

          while (++index < length) {
            result = funcs[index].call(this, result);
          }
          return result;
        };
      });
    }

    /**
     * Creates a function that wraps `func` to invoke it with optional `this`
     * binding of `thisArg`, partial application, and currying.
     *
     * @private
     * @param {Function|string} func The function or method name to wrap.
     * @param {number} bitmask The bitmask flags. See `createWrap` for more details.
     * @param {*} [thisArg] The `this` binding of `func`.
     * @param {Array} [partials] The arguments to prepend to those provided to
     *  the new function.
     * @param {Array} [holders] The `partials` placeholder indexes.
     * @param {Array} [partialsRight] The arguments to append to those provided
     *  to the new function.
     * @param {Array} [holdersRight] The `partialsRight` placeholder indexes.
     * @param {Array} [argPos] The argument positions of the new function.
     * @param {number} [ary] The arity cap of `func`.
     * @param {number} [arity] The arity of `func`.
     * @returns {Function} Returns the new wrapped function.
     */
    function createHybrid(func, bitmask, thisArg, partials, holders, partialsRight, holdersRight, argPos, ary, arity) {
      var isAry = bitmask & WRAP_ARY_FLAG,
          isBind = bitmask & WRAP_BIND_FLAG,
          isBindKey = bitmask & WRAP_BIND_KEY_FLAG,
          isCurried = bitmask & (WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG),
          isFlip = bitmask & WRAP_FLIP_FLAG,
          Ctor = isBindKey ? undefined : createCtor(func);

      function wrapper() {
        var length = arguments.length,
            args = Array(length),
            index = length;

        while (index--) {
          args[index] = arguments[index];
        }
        if (isCurried) {
          var placeholder = getHolder(wrapper),
              holdersCount = countHolders(args, placeholder);
        }
        if (partials) {
          args = composeArgs(args, partials, holders, isCurried);
        }
        if (partialsRight) {
          args = composeArgsRight(args, partialsRight, holdersRight, isCurried);
        }
        length -= holdersCount;
        if (isCurried && length < arity) {
          var newHolders = replaceHolders(args, placeholder);
          return createRecurry(
            func, bitmask, createHybrid, wrapper.placeholder, thisArg,
            args, newHolders, argPos, ary, arity - length
          );
        }
        var thisBinding = isBind ? thisArg : this,
            fn = isBindKey ? thisBinding[func] : func;

        length = args.length;
        if (argPos) {
          args = reorder(args, argPos);
        } else if (isFlip && length > 1) {
          args.reverse();
        }
        if (isAry && ary < length) {
          args.length = ary;
        }
        if (this && this !== root && this instanceof wrapper) {
          fn = Ctor || createCtor(fn);
        }
        return fn.apply(thisBinding, args);
      }
      return wrapper;
    }

    /**
     * Creates a function like `_.invertBy`.
     *
     * @private
     * @param {Function} setter The function to set accumulator values.
     * @param {Function} toIteratee The function to resolve iteratees.
     * @returns {Function} Returns the new inverter function.
     */
    function createInverter(setter, toIteratee) {
      return function(object, iteratee) {
        return baseInverter(object, setter, toIteratee(iteratee), {});
      };
    }

    /**
     * Creates a function that performs a mathematical operation on two values.
     *
     * @private
     * @param {Function} operator The function to perform the operation.
     * @param {number} [defaultValue] The value used for `undefined` arguments.
     * @returns {Function} Returns the new mathematical operation function.
     */
    function createMathOperation(operator, defaultValue) {
      return function(value, other) {
        var result;
        if (value === undefined && other === undefined) {
          return defaultValue;
        }
        if (value !== undefined) {
          result = value;
        }
        if (other !== undefined) {
          if (result === undefined) {
            return other;
          }
          if (typeof value == 'string' || typeof other == 'string') {
            value = baseToString(value);
            other = baseToString(other);
          } else {
            value = baseToNumber(value);
            other = baseToNumber(other);
          }
          result = operator(value, other);
        }
        return result;
      };
    }

    /**
     * Creates a function like `_.over`.
     *
     * @private
     * @param {Function} arrayFunc The function to iterate over iteratees.
     * @returns {Function} Returns the new over function.
     */
    function createOver(arrayFunc) {
      return flatRest(function(iteratees) {
        iteratees = arrayMap(iteratees, baseUnary(getIteratee()));
        return baseRest(function(args) {
          var thisArg = this;
          return arrayFunc(iteratees, function(iteratee) {
            return apply(iteratee, thisArg, args);
          });
        });
      });
    }

    /**
     * Creates the padding for `string` based on `length`. The `chars` string
     * is truncated if the number of characters exceeds `length`.
     *
     * @private
     * @param {number} length The padding length.
     * @param {string} [chars=' '] The string used as padding.
     * @returns {string} Returns the padding for `string`.
     */
    function createPadding(length, chars) {
      chars = chars === undefined ? ' ' : baseToString(chars);

      var charsLength = chars.length;
      if (charsLength < 2) {
        return charsLength ? baseRepeat(chars, length) : chars;
      }
      var result = baseRepeat(chars, nativeCeil(length / stringSize(chars)));
      return hasUnicode(chars)
        ? castSlice(stringToArray(result), 0, length).join('')
        : result.slice(0, length);
    }

    /**
     * Creates a function that wraps `func` to invoke it with the `this` binding
     * of `thisArg` and `partials` prepended to the arguments it receives.
     *
     * @private
     * @param {Function} func The function to wrap.
     * @param {number} bitmask The bitmask flags. See `createWrap` for more details.
     * @param {*} thisArg The `this` binding of `func`.
     * @param {Array} partials The arguments to prepend to those provided to
     *  the new function.
     * @returns {Function} Returns the new wrapped function.
     */
    function createPartial(func, bitmask, thisArg, partials) {
      var isBind = bitmask & WRAP_BIND_FLAG,
          Ctor = createCtor(func);

      function wrapper() {
        var argsIndex = -1,
            argsLength = arguments.length,
            leftIndex = -1,
            leftLength = partials.length,
            args = Array(leftLength + argsLength),
            fn = (this && this !== root && this instanceof wrapper) ? Ctor : func;

        while (++leftIndex < leftLength) {
          args[leftIndex] = partials[leftIndex];
        }
        while (argsLength--) {
          args[leftIndex++] = arguments[++argsIndex];
        }
        return apply(fn, isBind ? thisArg : this, args);
      }
      return wrapper;
    }

    /**
     * Creates a `_.range` or `_.rangeRight` function.
     *
     * @private
     * @param {boolean} [fromRight] Specify iterating from right to left.
     * @returns {Function} Returns the new range function.
     */
    function createRange(fromRight) {
      return function(start, end, step) {
        if (step && typeof step != 'number' && isIterateeCall(start, end, step)) {
          end = step = undefined;
        }
        // Ensure the sign of `-0` is preserved.
        start = toFinite(start);
        if (end === undefined) {
          end = start;
          start = 0;
        } else {
          end = toFinite(end);
        }
        step = step === undefined ? (start < end ? 1 : -1) : toFinite(step);
        return baseRange(start, end, step, fromRight);
      };
    }

    /**
     * Creates a function that performs a relational operation on two values.
     *
     * @private
     * @param {Function} operator The function to perform the operation.
     * @returns {Function} Returns the new relational operation function.
     */
    function createRelationalOperation(operator) {
      return function(value, other) {
        if (!(typeof value == 'string' && typeof other == 'string')) {
          value = toNumber(value);
          other = toNumber(other);
        }
        return operator(value, other);
      };
    }

    /**
     * Creates a function that wraps `func` to continue currying.
     *
     * @private
     * @param {Function} func The function to wrap.
     * @param {number} bitmask The bitmask flags. See `createWrap` for more details.
     * @param {Function} wrapFunc The function to create the `func` wrapper.
     * @param {*} placeholder The placeholder value.
     * @param {*} [thisArg] The `this` binding of `func`.
     * @param {Array} [partials] The arguments to prepend to those provided to
     *  the new function.
     * @param {Array} [holders] The `partials` placeholder indexes.
     * @param {Array} [argPos] The argument positions of the new function.
     * @param {number} [ary] The arity cap of `func`.
     * @param {number} [arity] The arity of `func`.
     * @returns {Function} Returns the new wrapped function.
     */
    function createRecurry(func, bitmask, wrapFunc, placeholder, thisArg, partials, holders, argPos, ary, arity) {
      var isCurry = bitmask & WRAP_CURRY_FLAG,
          newHolders = isCurry ? holders : undefined,
          newHoldersRight = isCurry ? undefined : holders,
          newPartials = isCurry ? partials : undefined,
          newPartialsRight = isCurry ? undefined : partials;

      bitmask |= (isCurry ? WRAP_PARTIAL_FLAG : WRAP_PARTIAL_RIGHT_FLAG);
      bitmask &= ~(isCurry ? WRAP_PARTIAL_RIGHT_FLAG : WRAP_PARTIAL_FLAG);

      if (!(bitmask & WRAP_CURRY_BOUND_FLAG)) {
        bitmask &= ~(WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG);
      }
      var newData = [
        func, bitmask, thisArg, newPartials, newHolders, newPartialsRight,
        newHoldersRight, argPos, ary, arity
      ];

      var result = wrapFunc.apply(undefined, newData);
      if (isLaziable(func)) {
        setData(result, newData);
      }
      result.placeholder = placeholder;
      return setWrapToString(result, func, bitmask);
    }

    /**
     * Creates a function like `_.round`.
     *
     * @private
     * @param {string} methodName The name of the `Math` method to use when rounding.
     * @returns {Function} Returns the new round function.
     */
    function createRound(methodName) {
      var func = Math[methodName];
      return function(number, precision) {
        number = toNumber(number);
        precision = precision == null ? 0 : nativeMin(toInteger(precision), 292);
        if (precision && nativeIsFinite(number)) {
          // Shift with exponential notation to avoid floating-point issues.
          // See [MDN](https://mdn.io/round#Examples) for more details.
          var pair = (toString(number) + 'e').split('e'),
              value = func(pair[0] + 'e' + (+pair[1] + precision));

          pair = (toString(value) + 'e').split('e');
          return +(pair[0] + 'e' + (+pair[1] - precision));
        }
        return func(number);
      };
    }

    /**
     * Creates a set object of `values`.
     *
     * @private
     * @param {Array} values The values to add to the set.
     * @returns {Object} Returns the new set.
     */
    var createSet = !(Set && (1 / setToArray(new Set([,-0]))[1]) == INFINITY) ? noop : function(values) {
      return new Set(values);
    };

    /**
     * Creates a `_.toPairs` or `_.toPairsIn` function.
     *
     * @private
     * @param {Function} keysFunc The function to get the keys of a given object.
     * @returns {Function} Returns the new pairs function.
     */
    function createToPairs(keysFunc) {
      return function(object) {
        var tag = getTag(object);
        if (tag == mapTag) {
          return mapToArray(object);
        }
        if (tag == setTag) {
          return setToPairs(object);
        }
        return baseToPairs(object, keysFunc(object));
      };
    }

    /**
     * Creates a function that either curries or invokes `func` with optional
     * `this` binding and partially applied arguments.
     *
     * @private
     * @param {Function|string} func The function or method name to wrap.
     * @param {number} bitmask The bitmask flags.
     *    1 - `_.bind`
     *    2 - `_.bindKey`
     *    4 - `_.curry` or `_.curryRight` of a bound function
     *    8 - `_.curry`
     *   16 - `_.curryRight`
     *   32 - `_.partial`
     *   64 - `_.partialRight`
     *  128 - `_.rearg`
     *  256 - `_.ary`
     *  512 - `_.flip`
     * @param {*} [thisArg] The `this` binding of `func`.
     * @param {Array} [partials] The arguments to be partially applied.
     * @param {Array} [holders] The `partials` placeholder indexes.
     * @param {Array} [argPos] The argument positions of the new function.
     * @param {number} [ary] The arity cap of `func`.
     * @param {number} [arity] The arity of `func`.
     * @returns {Function} Returns the new wrapped function.
     */
    function createWrap(func, bitmask, thisArg, partials, holders, argPos, ary, arity) {
      var isBindKey = bitmask & WRAP_BIND_KEY_FLAG;
      if (!isBindKey && typeof func != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      var length = partials ? partials.length : 0;
      if (!length) {
        bitmask &= ~(WRAP_PARTIAL_FLAG | WRAP_PARTIAL_RIGHT_FLAG);
        partials = holders = undefined;
      }
      ary = ary === undefined ? ary : nativeMax(toInteger(ary), 0);
      arity = arity === undefined ? arity : toInteger(arity);
      length -= holders ? holders.length : 0;

      if (bitmask & WRAP_PARTIAL_RIGHT_FLAG) {
        var partialsRight = partials,
            holdersRight = holders;

        partials = holders = undefined;
      }
      var data = isBindKey ? undefined : getData(func);

      var newData = [
        func, bitmask, thisArg, partials, holders, partialsRight, holdersRight,
        argPos, ary, arity
      ];

      if (data) {
        mergeData(newData, data);
      }
      func = newData[0];
      bitmask = newData[1];
      thisArg = newData[2];
      partials = newData[3];
      holders = newData[4];
      arity = newData[9] = newData[9] === undefined
        ? (isBindKey ? 0 : func.length)
        : nativeMax(newData[9] - length, 0);

      if (!arity && bitmask & (WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG)) {
        bitmask &= ~(WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG);
      }
      if (!bitmask || bitmask == WRAP_BIND_FLAG) {
        var result = createBind(func, bitmask, thisArg);
      } else if (bitmask == WRAP_CURRY_FLAG || bitmask == WRAP_CURRY_RIGHT_FLAG) {
        result = createCurry(func, bitmask, arity);
      } else if ((bitmask == WRAP_PARTIAL_FLAG || bitmask == (WRAP_BIND_FLAG | WRAP_PARTIAL_FLAG)) && !holders.length) {
        result = createPartial(func, bitmask, thisArg, partials);
      } else {
        result = createHybrid.apply(undefined, newData);
      }
      var setter = data ? baseSetData : setData;
      return setWrapToString(setter(result, newData), func, bitmask);
    }

    /**
     * Used by `_.defaults` to customize its `_.assignIn` use to assign properties
     * of source objects to the destination object for all destination properties
     * that resolve to `undefined`.
     *
     * @private
     * @param {*} objValue The destination value.
     * @param {*} srcValue The source value.
     * @param {string} key The key of the property to assign.
     * @param {Object} object The parent object of `objValue`.
     * @returns {*} Returns the value to assign.
     */
    function customDefaultsAssignIn(objValue, srcValue, key, object) {
      if (objValue === undefined ||
          (eq(objValue, objectProto[key]) && !hasOwnProperty.call(object, key))) {
        return srcValue;
      }
      return objValue;
    }

    /**
     * Used by `_.defaultsDeep` to customize its `_.merge` use to merge source
     * objects into destination objects that are passed thru.
     *
     * @private
     * @param {*} objValue The destination value.
     * @param {*} srcValue The source value.
     * @param {string} key The key of the property to merge.
     * @param {Object} object The parent object of `objValue`.
     * @param {Object} source The parent object of `srcValue`.
     * @param {Object} [stack] Tracks traversed source values and their merged
     *  counterparts.
     * @returns {*} Returns the value to assign.
     */
    function customDefaultsMerge(objValue, srcValue, key, object, source, stack) {
      if (isObject(objValue) && isObject(srcValue)) {
        // Recursively merge objects and arrays (susceptible to call stack limits).
        stack.set(srcValue, objValue);
        baseMerge(objValue, srcValue, undefined, customDefaultsMerge, stack);
        stack['delete'](srcValue);
      }
      return objValue;
    }

    /**
     * Used by `_.omit` to customize its `_.cloneDeep` use to only clone plain
     * objects.
     *
     * @private
     * @param {*} value The value to inspect.
     * @param {string} key The key of the property to inspect.
     * @returns {*} Returns the uncloned value or `undefined` to defer cloning to `_.cloneDeep`.
     */
    function customOmitClone(value) {
      return isPlainObject(value) ? undefined : value;
    }

    /**
     * A specialized version of `baseIsEqualDeep` for arrays with support for
     * partial deep comparisons.
     *
     * @private
     * @param {Array} array The array to compare.
     * @param {Array} other The other array to compare.
     * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details.
     * @param {Function} customizer The function to customize comparisons.
     * @param {Function} equalFunc The function to determine equivalents of values.
     * @param {Object} stack Tracks traversed `array` and `other` objects.
     * @returns {boolean} Returns `true` if the arrays are equivalent, else `false`.
     */
    function equalArrays(array, other, bitmask, customizer, equalFunc, stack) {
      var isPartial = bitmask & COMPARE_PARTIAL_FLAG,
          arrLength = array.length,
          othLength = other.length;

      if (arrLength != othLength && !(isPartial && othLength > arrLength)) {
        return false;
      }
      // Check that cyclic values are equal.
      var arrStacked = stack.get(array);
      var othStacked = stack.get(other);
      if (arrStacked && othStacked) {
        return arrStacked == other && othStacked == array;
      }
      var index = -1,
          result = true,
          seen = (bitmask & COMPARE_UNORDERED_FLAG) ? new SetCache : undefined;

      stack.set(array, other);
      stack.set(other, array);

      // Ignore non-index properties.
      while (++index < arrLength) {
        var arrValue = array[index],
            othValue = other[index];

        if (customizer) {
          var compared = isPartial
            ? customizer(othValue, arrValue, index, other, array, stack)
            : customizer(arrValue, othValue, index, array, other, stack);
        }
        if (compared !== undefined) {
          if (compared) {
            continue;
          }
          result = false;
          break;
        }
        // Recursively compare arrays (susceptible to call stack limits).
        if (seen) {
          if (!arraySome(other, function(othValue, othIndex) {
                if (!cacheHas(seen, othIndex) &&
                    (arrValue === othValue || equalFunc(arrValue, othValue, bitmask, customizer, stack))) {
                  return seen.push(othIndex);
                }
              })) {
            result = false;
            break;
          }
        } else if (!(
              arrValue === othValue ||
                equalFunc(arrValue, othValue, bitmask, customizer, stack)
            )) {
          result = false;
          break;
        }
      }
      stack['delete'](array);
      stack['delete'](other);
      return result;
    }

    /**
     * A specialized version of `baseIsEqualDeep` for comparing objects of
     * the same `toStringTag`.
     *
     * **Note:** This function only supports comparing values with tags of
     * `Boolean`, `Date`, `Error`, `Number`, `RegExp`, or `String`.
     *
     * @private
     * @param {Object} object The object to compare.
     * @param {Object} other The other object to compare.
     * @param {string} tag The `toStringTag` of the objects to compare.
     * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details.
     * @param {Function} customizer The function to customize comparisons.
     * @param {Function} equalFunc The function to determine equivalents of values.
     * @param {Object} stack Tracks traversed `object` and `other` objects.
     * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.
     */
    function equalByTag(object, other, tag, bitmask, customizer, equalFunc, stack) {
      switch (tag) {
        case dataViewTag:
          if ((object.byteLength != other.byteLength) ||
              (object.byteOffset != other.byteOffset)) {
            return false;
          }
          object = object.buffer;
          other = other.buffer;

        case arrayBufferTag:
          if ((object.byteLength != other.byteLength) ||
              !equalFunc(new Uint8Array(object), new Uint8Array(other))) {
            return false;
          }
          return true;

        case boolTag:
        case dateTag:
        case numberTag:
          // Coerce booleans to `1` or `0` and dates to milliseconds.
          // Invalid dates are coerced to `NaN`.
          return eq(+object, +other);

        case errorTag:
          return object.name == other.name && object.message == other.message;

        case regexpTag:
        case stringTag:
          // Coerce regexes to strings and treat strings, primitives and objects,
          // as equal. See http://www.ecma-international.org/ecma-262/7.0/#sec-regexp.prototype.tostring
          // for more details.
          return object == (other + '');

        case mapTag:
          var convert = mapToArray;

        case setTag:
          var isPartial = bitmask & COMPARE_PARTIAL_FLAG;
          convert || (convert = setToArray);

          if (object.size != other.size && !isPartial) {
            return false;
          }
          // Assume cyclic values are equal.
          var stacked = stack.get(object);
          if (stacked) {
            return stacked == other;
          }
          bitmask |= COMPARE_UNORDERED_FLAG;

          // Recursively compare objects (susceptible to call stack limits).
          stack.set(object, other);
          var result = equalArrays(convert(object), convert(other), bitmask, customizer, equalFunc, stack);
          stack['delete'](object);
          return result;

        case symbolTag:
          if (symbolValueOf) {
            return symbolValueOf.call(object) == symbolValueOf.call(other);
          }
      }
      return false;
    }

    /**
     * A specialized version of `baseIsEqualDeep` for objects with support for
     * partial deep comparisons.
     *
     * @private
     * @param {Object} object The object to compare.
     * @param {Object} other The other object to compare.
     * @param {number} bitmask The bitmask flags. See `baseIsEqual` for more details.
     * @param {Function} customizer The function to customize comparisons.
     * @param {Function} equalFunc The function to determine equivalents of values.
     * @param {Object} stack Tracks traversed `object` and `other` objects.
     * @returns {boolean} Returns `true` if the objects are equivalent, else `false`.
     */
    function equalObjects(object, other, bitmask, customizer, equalFunc, stack) {
      var isPartial = bitmask & COMPARE_PARTIAL_FLAG,
          objProps = getAllKeys(object),
          objLength = objProps.length,
          othProps = getAllKeys(other),
          othLength = othProps.length;

      if (objLength != othLength && !isPartial) {
        return false;
      }
      var index = objLength;
      while (index--) {
        var key = objProps[index];
        if (!(isPartial ? key in other : hasOwnProperty.call(other, key))) {
          return false;
        }
      }
      // Check that cyclic values are equal.
      var objStacked = stack.get(object);
      var othStacked = stack.get(other);
      if (objStacked && othStacked) {
        return objStacked == other && othStacked == object;
      }
      var result = true;
      stack.set(object, other);
      stack.set(other, object);

      var skipCtor = isPartial;
      while (++index < objLength) {
        key = objProps[index];
        var objValue = object[key],
            othValue = other[key];

        if (customizer) {
          var compared = isPartial
            ? customizer(othValue, objValue, key, other, object, stack)
            : customizer(objValue, othValue, key, object, other, stack);
        }
        // Recursively compare objects (susceptible to call stack limits).
        if (!(compared === undefined
              ? (objValue === othValue || equalFunc(objValue, othValue, bitmask, customizer, stack))
              : compared
            )) {
          result = false;
          break;
        }
        skipCtor || (skipCtor = key == 'constructor');
      }
      if (result && !skipCtor) {
        var objCtor = object.constructor,
            othCtor = other.constructor;

        // Non `Object` object instances with different constructors are not equal.
        if (objCtor != othCtor &&
            ('constructor' in object && 'constructor' in other) &&
            !(typeof objCtor == 'function' && objCtor instanceof objCtor &&
              typeof othCtor == 'function' && othCtor instanceof othCtor)) {
          result = false;
        }
      }
      stack['delete'](object);
      stack['delete'](other);
      return result;
    }

    /**
     * A specialized version of `baseRest` which flattens the rest array.
     *
     * @private
     * @param {Function} func The function to apply a rest parameter to.
     * @returns {Function} Returns the new function.
     */
    function flatRest(func) {
      return setToString(overRest(func, undefined, flatten), func + '');
    }

    /**
     * Creates an array of own enumerable property names and symbols of `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property names and symbols.
     */
    function getAllKeys(object) {
      return baseGetAllKeys(object, keys, getSymbols);
    }

    /**
     * Creates an array of own and inherited enumerable property names and
     * symbols of `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property names and symbols.
     */
    function getAllKeysIn(object) {
      return baseGetAllKeys(object, keysIn, getSymbolsIn);
    }

    /**
     * Gets metadata for `func`.
     *
     * @private
     * @param {Function} func The function to query.
     * @returns {*} Returns the metadata for `func`.
     */
    var getData = !metaMap ? noop : function(func) {
      return metaMap.get(func);
    };

    /**
     * Gets the name of `func`.
     *
     * @private
     * @param {Function} func The function to query.
     * @returns {string} Returns the function name.
     */
    function getFuncName(func) {
      var result = (func.name + ''),
          array = realNames[result],
          length = hasOwnProperty.call(realNames, result) ? array.length : 0;

      while (length--) {
        var data = array[length],
            otherFunc = data.func;
        if (otherFunc == null || otherFunc == func) {
          return data.name;
        }
      }
      return result;
    }

    /**
     * Gets the argument placeholder value for `func`.
     *
     * @private
     * @param {Function} func The function to inspect.
     * @returns {*} Returns the placeholder value.
     */
    function getHolder(func) {
      var object = hasOwnProperty.call(lodash, 'placeholder') ? lodash : func;
      return object.placeholder;
    }

    /**
     * Gets the appropriate "iteratee" function. If `_.iteratee` is customized,
     * this function returns the custom method, otherwise it returns `baseIteratee`.
     * If arguments are provided, the chosen function is invoked with them and
     * its result is returned.
     *
     * @private
     * @param {*} [value] The value to convert to an iteratee.
     * @param {number} [arity] The arity of the created iteratee.
     * @returns {Function} Returns the chosen function or its result.
     */
    function getIteratee() {
      var result = lodash.iteratee || iteratee;
      result = result === iteratee ? baseIteratee : result;
      return arguments.length ? result(arguments[0], arguments[1]) : result;
    }

    /**
     * Gets the data for `map`.
     *
     * @private
     * @param {Object} map The map to query.
     * @param {string} key The reference key.
     * @returns {*} Returns the map data.
     */
    function getMapData(map, key) {
      var data = map.__data__;
      return isKeyable(key)
        ? data[typeof key == 'string' ? 'string' : 'hash']
        : data.map;
    }

    /**
     * Gets the property names, values, and compare flags of `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @returns {Array} Returns the match data of `object`.
     */
    function getMatchData(object) {
      var result = keys(object),
          length = result.length;

      while (length--) {
        var key = result[length],
            value = object[key];

        result[length] = [key, value, isStrictComparable(value)];
      }
      return result;
    }

    /**
     * Gets the native function at `key` of `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @param {string} key The key of the method to get.
     * @returns {*} Returns the function if it's native, else `undefined`.
     */
    function getNative(object, key) {
      var value = getValue(object, key);
      return baseIsNative(value) ? value : undefined;
    }

    /**
     * A specialized version of `baseGetTag` which ignores `Symbol.toStringTag` values.
     *
     * @private
     * @param {*} value The value to query.
     * @returns {string} Returns the raw `toStringTag`.
     */
    function getRawTag(value) {
      var isOwn = hasOwnProperty.call(value, symToStringTag),
          tag = value[symToStringTag];

      try {
        value[symToStringTag] = undefined;
        var unmasked = true;
      } catch (e) {}

      var result = nativeObjectToString.call(value);
      if (unmasked) {
        if (isOwn) {
          value[symToStringTag] = tag;
        } else {
          delete value[symToStringTag];
        }
      }
      return result;
    }

    /**
     * Creates an array of the own enumerable symbols of `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of symbols.
     */
    var getSymbols = !nativeGetSymbols ? stubArray : function(object) {
      if (object == null) {
        return [];
      }
      object = Object(object);
      return arrayFilter(nativeGetSymbols(object), function(symbol) {
        return propertyIsEnumerable.call(object, symbol);
      });
    };

    /**
     * Creates an array of the own and inherited enumerable symbols of `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of symbols.
     */
    var getSymbolsIn = !nativeGetSymbols ? stubArray : function(object) {
      var result = [];
      while (object) {
        arrayPush(result, getSymbols(object));
        object = getPrototype(object);
      }
      return result;
    };

    /**
     * Gets the `toStringTag` of `value`.
     *
     * @private
     * @param {*} value The value to query.
     * @returns {string} Returns the `toStringTag`.
     */
    var getTag = baseGetTag;

    // Fallback for data views, maps, sets, and weak maps in IE 11 and promises in Node.js < 6.
    if ((DataView && getTag(new DataView(new ArrayBuffer(1))) != dataViewTag) ||
        (Map && getTag(new Map) != mapTag) ||
        (Promise && getTag(Promise.resolve()) != promiseTag) ||
        (Set && getTag(new Set) != setTag) ||
        (WeakMap && getTag(new WeakMap) != weakMapTag)) {
      getTag = function(value) {
        var result = baseGetTag(value),
            Ctor = result == objectTag ? value.constructor : undefined,
            ctorString = Ctor ? toSource(Ctor) : '';

        if (ctorString) {
          switch (ctorString) {
            case dataViewCtorString: return dataViewTag;
            case mapCtorString: return mapTag;
            case promiseCtorString: return promiseTag;
            case setCtorString: return setTag;
            case weakMapCtorString: return weakMapTag;
          }
        }
        return result;
      };
    }

    /**
     * Gets the view, applying any `transforms` to the `start` and `end` positions.
     *
     * @private
     * @param {number} start The start of the view.
     * @param {number} end The end of the view.
     * @param {Array} transforms The transformations to apply to the view.
     * @returns {Object} Returns an object containing the `start` and `end`
     *  positions of the view.
     */
    function getView(start, end, transforms) {
      var index = -1,
          length = transforms.length;

      while (++index < length) {
        var data = transforms[index],
            size = data.size;

        switch (data.type) {
          case 'drop':      start += size; break;
          case 'dropRight': end -= size; break;
          case 'take':      end = nativeMin(end, start + size); break;
          case 'takeRight': start = nativeMax(start, end - size); break;
        }
      }
      return { 'start': start, 'end': end };
    }

    /**
     * Extracts wrapper details from the `source` body comment.
     *
     * @private
     * @param {string} source The source to inspect.
     * @returns {Array} Returns the wrapper details.
     */
    function getWrapDetails(source) {
      var match = source.match(reWrapDetails);
      return match ? match[1].split(reSplitDetails) : [];
    }

    /**
     * Checks if `path` exists on `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @param {Array|string} path The path to check.
     * @param {Function} hasFunc The function to check properties.
     * @returns {boolean} Returns `true` if `path` exists, else `false`.
     */
    function hasPath(object, path, hasFunc) {
      path = castPath(path, object);

      var index = -1,
          length = path.length,
          result = false;

      while (++index < length) {
        var key = toKey(path[index]);
        if (!(result = object != null && hasFunc(object, key))) {
          break;
        }
        object = object[key];
      }
      if (result || ++index != length) {
        return result;
      }
      length = object == null ? 0 : object.length;
      return !!length && isLength(length) && isIndex(key, length) &&
        (isArray(object) || isArguments(object));
    }

    /**
     * Initializes an array clone.
     *
     * @private
     * @param {Array} array The array to clone.
     * @returns {Array} Returns the initialized clone.
     */
    function initCloneArray(array) {
      var length = array.length,
          result = new array.constructor(length);

      // Add properties assigned by `RegExp#exec`.
      if (length && typeof array[0] == 'string' && hasOwnProperty.call(array, 'index')) {
        result.index = array.index;
        result.input = array.input;
      }
      return result;
    }

    /**
     * Initializes an object clone.
     *
     * @private
     * @param {Object} object The object to clone.
     * @returns {Object} Returns the initialized clone.
     */
    function initCloneObject(object) {
      return (typeof object.constructor == 'function' && !isPrototype(object))
        ? baseCreate(getPrototype(object))
        : {};
    }

    /**
     * Initializes an object clone based on its `toStringTag`.
     *
     * **Note:** This function only supports cloning values with tags of
     * `Boolean`, `Date`, `Error`, `Map`, `Number`, `RegExp`, `Set`, or `String`.
     *
     * @private
     * @param {Object} object The object to clone.
     * @param {string} tag The `toStringTag` of the object to clone.
     * @param {boolean} [isDeep] Specify a deep clone.
     * @returns {Object} Returns the initialized clone.
     */
    function initCloneByTag(object, tag, isDeep) {
      var Ctor = object.constructor;
      switch (tag) {
        case arrayBufferTag:
          return cloneArrayBuffer(object);

        case boolTag:
        case dateTag:
          return new Ctor(+object);

        case dataViewTag:
          return cloneDataView(object, isDeep);

        case float32Tag: case float64Tag:
        case int8Tag: case int16Tag: case int32Tag:
        case uint8Tag: case uint8ClampedTag: case uint16Tag: case uint32Tag:
          return cloneTypedArray(object, isDeep);

        case mapTag:
          return new Ctor;

        case numberTag:
        case stringTag:
          return new Ctor(object);

        case regexpTag:
          return cloneRegExp(object);

        case setTag:
          return new Ctor;

        case symbolTag:
          return cloneSymbol(object);
      }
    }

    /**
     * Inserts wrapper `details` in a comment at the top of the `source` body.
     *
     * @private
     * @param {string} source The source to modify.
     * @returns {Array} details The details to insert.
     * @returns {string} Returns the modified source.
     */
    function insertWrapDetails(source, details) {
      var length = details.length;
      if (!length) {
        return source;
      }
      var lastIndex = length - 1;
      details[lastIndex] = (length > 1 ? '& ' : '') + details[lastIndex];
      details = details.join(length > 2 ? ', ' : ' ');
      return source.replace(reWrapComment, '{\n/* [wrapped with ' + details + '] */\n');
    }

    /**
     * Checks if `value` is a flattenable `arguments` object or array.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is flattenable, else `false`.
     */
    function isFlattenable(value) {
      return isArray(value) || isArguments(value) ||
        !!(spreadableSymbol && value && value[spreadableSymbol]);
    }

    /**
     * Checks if `value` is a valid array-like index.
     *
     * @private
     * @param {*} value The value to check.
     * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index.
     * @returns {boolean} Returns `true` if `value` is a valid index, else `false`.
     */
    function isIndex(value, length) {
      var type = typeof value;
      length = length == null ? MAX_SAFE_INTEGER : length;

      return !!length &&
        (type == 'number' ||
          (type != 'symbol' && reIsUint.test(value))) &&
            (value > -1 && value % 1 == 0 && value < length);
    }

    /**
     * Checks if the given arguments are from an iteratee call.
     *
     * @private
     * @param {*} value The potential iteratee value argument.
     * @param {*} index The potential iteratee index or key argument.
     * @param {*} object The potential iteratee object argument.
     * @returns {boolean} Returns `true` if the arguments are from an iteratee call,
     *  else `false`.
     */
    function isIterateeCall(value, index, object) {
      if (!isObject(object)) {
        return false;
      }
      var type = typeof index;
      if (type == 'number'
            ? (isArrayLike(object) && isIndex(index, object.length))
            : (type == 'string' && index in object)
          ) {
        return eq(object[index], value);
      }
      return false;
    }

    /**
     * Checks if `value` is a property name and not a property path.
     *
     * @private
     * @param {*} value The value to check.
     * @param {Object} [object] The object to query keys on.
     * @returns {boolean} Returns `true` if `value` is a property name, else `false`.
     */
    function isKey(value, object) {
      if (isArray(value)) {
        return false;
      }
      var type = typeof value;
      if (type == 'number' || type == 'symbol' || type == 'boolean' ||
          value == null || isSymbol(value)) {
        return true;
      }
      return reIsPlainProp.test(value) || !reIsDeepProp.test(value) ||
        (object != null && value in Object(object));
    }

    /**
     * Checks if `value` is suitable for use as unique object key.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is suitable, else `false`.
     */
    function isKeyable(value) {
      var type = typeof value;
      return (type == 'string' || type == 'number' || type == 'symbol' || type == 'boolean')
        ? (value !== '__proto__')
        : (value === null);
    }

    /**
     * Checks if `func` has a lazy counterpart.
     *
     * @private
     * @param {Function} func The function to check.
     * @returns {boolean} Returns `true` if `func` has a lazy counterpart,
     *  else `false`.
     */
    function isLaziable(func) {
      var funcName = getFuncName(func),
          other = lodash[funcName];

      if (typeof other != 'function' || !(funcName in LazyWrapper.prototype)) {
        return false;
      }
      if (func === other) {
        return true;
      }
      var data = getData(other);
      return !!data && func === data[0];
    }

    /**
     * Checks if `func` has its source masked.
     *
     * @private
     * @param {Function} func The function to check.
     * @returns {boolean} Returns `true` if `func` is masked, else `false`.
     */
    function isMasked(func) {
      return !!maskSrcKey && (maskSrcKey in func);
    }

    /**
     * Checks if `func` is capable of being masked.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `func` is maskable, else `false`.
     */
    var isMaskable = coreJsData ? isFunction : stubFalse;

    /**
     * Checks if `value` is likely a prototype object.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a prototype, else `false`.
     */
    function isPrototype(value) {
      var Ctor = value && value.constructor,
          proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto;

      return value === proto;
    }

    /**
     * Checks if `value` is suitable for strict equality comparisons, i.e. `===`.
     *
     * @private
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` if suitable for strict
     *  equality comparisons, else `false`.
     */
    function isStrictComparable(value) {
      return value === value && !isObject(value);
    }

    /**
     * A specialized version of `matchesProperty` for source values suitable
     * for strict equality comparisons, i.e. `===`.
     *
     * @private
     * @param {string} key The key of the property to get.
     * @param {*} srcValue The value to match.
     * @returns {Function} Returns the new spec function.
     */
    function matchesStrictComparable(key, srcValue) {
      return function(object) {
        if (object == null) {
          return false;
        }
        return object[key] === srcValue &&
          (srcValue !== undefined || (key in Object(object)));
      };
    }

    /**
     * A specialized version of `_.memoize` which clears the memoized function's
     * cache when it exceeds `MAX_MEMOIZE_SIZE`.
     *
     * @private
     * @param {Function} func The function to have its output memoized.
     * @returns {Function} Returns the new memoized function.
     */
    function memoizeCapped(func) {
      var result = memoize(func, function(key) {
        if (cache.size === MAX_MEMOIZE_SIZE) {
          cache.clear();
        }
        return key;
      });

      var cache = result.cache;
      return result;
    }

    /**
     * Merges the function metadata of `source` into `data`.
     *
     * Merging metadata reduces the number of wrappers used to invoke a function.
     * This is possible because methods like `_.bind`, `_.curry`, and `_.partial`
     * may be applied regardless of execution order. Methods like `_.ary` and
     * `_.rearg` modify function arguments, making the order in which they are
     * executed important, preventing the merging of metadata. However, we make
     * an exception for a safe combined case where curried functions have `_.ary`
     * and or `_.rearg` applied.
     *
     * @private
     * @param {Array} data The destination metadata.
     * @param {Array} source The source metadata.
     * @returns {Array} Returns `data`.
     */
    function mergeData(data, source) {
      var bitmask = data[1],
          srcBitmask = source[1],
          newBitmask = bitmask | srcBitmask,
          isCommon = newBitmask < (WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG | WRAP_ARY_FLAG);

      var isCombo =
        ((srcBitmask == WRAP_ARY_FLAG) && (bitmask == WRAP_CURRY_FLAG)) ||
        ((srcBitmask == WRAP_ARY_FLAG) && (bitmask == WRAP_REARG_FLAG) && (data[7].length <= source[8])) ||
        ((srcBitmask == (WRAP_ARY_FLAG | WRAP_REARG_FLAG)) && (source[7].length <= source[8]) && (bitmask == WRAP_CURRY_FLAG));

      // Exit early if metadata can't be merged.
      if (!(isCommon || isCombo)) {
        return data;
      }
      // Use source `thisArg` if available.
      if (srcBitmask & WRAP_BIND_FLAG) {
        data[2] = source[2];
        // Set when currying a bound function.
        newBitmask |= bitmask & WRAP_BIND_FLAG ? 0 : WRAP_CURRY_BOUND_FLAG;
      }
      // Compose partial arguments.
      var value = source[3];
      if (value) {
        var partials = data[3];
        data[3] = partials ? composeArgs(partials, value, source[4]) : value;
        data[4] = partials ? replaceHolders(data[3], PLACEHOLDER) : source[4];
      }
      // Compose partial right arguments.
      value = source[5];
      if (value) {
        partials = data[5];
        data[5] = partials ? composeArgsRight(partials, value, source[6]) : value;
        data[6] = partials ? replaceHolders(data[5], PLACEHOLDER) : source[6];
      }
      // Use source `argPos` if available.
      value = source[7];
      if (value) {
        data[7] = value;
      }
      // Use source `ary` if it's smaller.
      if (srcBitmask & WRAP_ARY_FLAG) {
        data[8] = data[8] == null ? source[8] : nativeMin(data[8], source[8]);
      }
      // Use source `arity` if one is not provided.
      if (data[9] == null) {
        data[9] = source[9];
      }
      // Use source `func` and merge bitmasks.
      data[0] = source[0];
      data[1] = newBitmask;

      return data;
    }

    /**
     * This function is like
     * [`Object.keys`](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)
     * except that it includes inherited enumerable properties.
     *
     * @private
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property names.
     */
    function nativeKeysIn(object) {
      var result = [];
      if (object != null) {
        for (var key in Object(object)) {
          result.push(key);
        }
      }
      return result;
    }

    /**
     * Converts `value` to a string using `Object.prototype.toString`.
     *
     * @private
     * @param {*} value The value to convert.
     * @returns {string} Returns the converted string.
     */
    function objectToString(value) {
      return nativeObjectToString.call(value);
    }

    /**
     * A specialized version of `baseRest` which transforms the rest array.
     *
     * @private
     * @param {Function} func The function to apply a rest parameter to.
     * @param {number} [start=func.length-1] The start position of the rest parameter.
     * @param {Function} transform The rest array transform.
     * @returns {Function} Returns the new function.
     */
    function overRest(func, start, transform) {
      start = nativeMax(start === undefined ? (func.length - 1) : start, 0);
      return function() {
        var args = arguments,
            index = -1,
            length = nativeMax(args.length - start, 0),
            array = Array(length);

        while (++index < length) {
          array[index] = args[start + index];
        }
        index = -1;
        var otherArgs = Array(start + 1);
        while (++index < start) {
          otherArgs[index] = args[index];
        }
        otherArgs[start] = transform(array);
        return apply(func, this, otherArgs);
      };
    }

    /**
     * Gets the parent value at `path` of `object`.
     *
     * @private
     * @param {Object} object The object to query.
     * @param {Array} path The path to get the parent value of.
     * @returns {*} Returns the parent value.
     */
    function parent(object, path) {
      return path.length < 2 ? object : baseGet(object, baseSlice(path, 0, -1));
    }

    /**
     * Reorder `array` according to the specified indexes where the element at
     * the first index is assigned as the first element, the element at
     * the second index is assigned as the second element, and so on.
     *
     * @private
     * @param {Array} array The array to reorder.
     * @param {Array} indexes The arranged array indexes.
     * @returns {Array} Returns `array`.
     */
    function reorder(array, indexes) {
      var arrLength = array.length,
          length = nativeMin(indexes.length, arrLength),
          oldArray = copyArray(array);

      while (length--) {
        var index = indexes[length];
        array[length] = isIndex(index, arrLength) ? oldArray[index] : undefined;
      }
      return array;
    }

    /**
     * Gets the value at `key`, unless `key` is "__proto__" or "constructor".
     *
     * @private
     * @param {Object} object The object to query.
     * @param {string} key The key of the property to get.
     * @returns {*} Returns the property value.
     */
    function safeGet(object, key) {
      if (key === 'constructor' && typeof object[key] === 'function') {
        return;
      }

      if (key == '__proto__') {
        return;
      }

      return object[key];
    }

    /**
     * Sets metadata for `func`.
     *
     * **Note:** If this function becomes hot, i.e. is invoked a lot in a short
     * period of time, it will trip its breaker and transition to an identity
     * function to avoid garbage collection pauses in V8. See
     * [V8 issue 2070](https://bugs.chromium.org/p/v8/issues/detail?id=2070)
     * for more details.
     *
     * @private
     * @param {Function} func The function to associate metadata with.
     * @param {*} data The metadata.
     * @returns {Function} Returns `func`.
     */
    var setData = shortOut(baseSetData);

    /**
     * A simple wrapper around the global [`setTimeout`](https://mdn.io/setTimeout).
     *
     * @private
     * @param {Function} func The function to delay.
     * @param {number} wait The number of milliseconds to delay invocation.
     * @returns {number|Object} Returns the timer id or timeout object.
     */
    var setTimeout = ctxSetTimeout || function(func, wait) {
      return root.setTimeout(func, wait);
    };

    /**
     * Sets the `toString` method of `func` to return `string`.
     *
     * @private
     * @param {Function} func The function to modify.
     * @param {Function} string The `toString` result.
     * @returns {Function} Returns `func`.
     */
    var setToString = shortOut(baseSetToString);

    /**
     * Sets the `toString` method of `wrapper` to mimic the source of `reference`
     * with wrapper details in a comment at the top of the source body.
     *
     * @private
     * @param {Function} wrapper The function to modify.
     * @param {Function} reference The reference function.
     * @param {number} bitmask The bitmask flags. See `createWrap` for more details.
     * @returns {Function} Returns `wrapper`.
     */
    function setWrapToString(wrapper, reference, bitmask) {
      var source = (reference + '');
      return setToString(wrapper, insertWrapDetails(source, updateWrapDetails(getWrapDetails(source), bitmask)));
    }

    /**
     * Creates a function that'll short out and invoke `identity` instead
     * of `func` when it's called `HOT_COUNT` or more times in `HOT_SPAN`
     * milliseconds.
     *
     * @private
     * @param {Function} func The function to restrict.
     * @returns {Function} Returns the new shortable function.
     */
    function shortOut(func) {
      var count = 0,
          lastCalled = 0;

      return function() {
        var stamp = nativeNow(),
            remaining = HOT_SPAN - (stamp - lastCalled);

        lastCalled = stamp;
        if (remaining > 0) {
          if (++count >= HOT_COUNT) {
            return arguments[0];
          }
        } else {
          count = 0;
        }
        return func.apply(undefined, arguments);
      };
    }

    /**
     * A specialized version of `_.shuffle` which mutates and sets the size of `array`.
     *
     * @private
     * @param {Array} array The array to shuffle.
     * @param {number} [size=array.length] The size of `array`.
     * @returns {Array} Returns `array`.
     */
    function shuffleSelf(array, size) {
      var index = -1,
          length = array.length,
          lastIndex = length - 1;

      size = size === undefined ? length : size;
      while (++index < size) {
        var rand = baseRandom(index, lastIndex),
            value = array[rand];

        array[rand] = array[index];
        array[index] = value;
      }
      array.length = size;
      return array;
    }

    /**
     * Converts `string` to a property path array.
     *
     * @private
     * @param {string} string The string to convert.
     * @returns {Array} Returns the property path array.
     */
    var stringToPath = memoizeCapped(function(string) {
      var result = [];
      if (string.charCodeAt(0) === 46 /* . */) {
        result.push('');
      }
      string.replace(rePropName, function(match, number, quote, subString) {
        result.push(quote ? subString.replace(reEscapeChar, '$1') : (number || match));
      });
      return result;
    });

    /**
     * Converts `value` to a string key if it's not a string or symbol.
     *
     * @private
     * @param {*} value The value to inspect.
     * @returns {string|symbol} Returns the key.
     */
    function toKey(value) {
      if (typeof value == 'string' || isSymbol(value)) {
        return value;
      }
      var result = (value + '');
      return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result;
    }

    /**
     * Converts `func` to its source code.
     *
     * @private
     * @param {Function} func The function to convert.
     * @returns {string} Returns the source code.
     */
    function toSource(func) {
      if (func != null) {
        try {
          return funcToString.call(func);
        } catch (e) {}
        try {
          return (func + '');
        } catch (e) {}
      }
      return '';
    }

    /**
     * Updates wrapper `details` based on `bitmask` flags.
     *
     * @private
     * @returns {Array} details The details to modify.
     * @param {number} bitmask The bitmask flags. See `createWrap` for more details.
     * @returns {Array} Returns `details`.
     */
    function updateWrapDetails(details, bitmask) {
      arrayEach(wrapFlags, function(pair) {
        var value = '_.' + pair[0];
        if ((bitmask & pair[1]) && !arrayIncludes(details, value)) {
          details.push(value);
        }
      });
      return details.sort();
    }

    /**
     * Creates a clone of `wrapper`.
     *
     * @private
     * @param {Object} wrapper The wrapper to clone.
     * @returns {Object} Returns the cloned wrapper.
     */
    function wrapperClone(wrapper) {
      if (wrapper instanceof LazyWrapper) {
        return wrapper.clone();
      }
      var result = new LodashWrapper(wrapper.__wrapped__, wrapper.__chain__);
      result.__actions__ = copyArray(wrapper.__actions__);
      result.__index__  = wrapper.__index__;
      result.__values__ = wrapper.__values__;
      return result;
    }

    /*------------------------------------------------------------------------*/

    /**
     * Creates an array of elements split into groups the length of `size`.
     * If `array` can't be split evenly, the final chunk will be the remaining
     * elements.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to process.
     * @param {number} [size=1] The length of each chunk
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Array} Returns the new array of chunks.
     * @example
     *
     * _.chunk(['a', 'b', 'c', 'd'], 2);
     * // => [['a', 'b'], ['c', 'd']]
     *
     * _.chunk(['a', 'b', 'c', 'd'], 3);
     * // => [['a', 'b', 'c'], ['d']]
     */
    function chunk(array, size, guard) {
      if ((guard ? isIterateeCall(array, size, guard) : size === undefined)) {
        size = 1;
      } else {
        size = nativeMax(toInteger(size), 0);
      }
      var length = array == null ? 0 : array.length;
      if (!length || size < 1) {
        return [];
      }
      var index = 0,
          resIndex = 0,
          result = Array(nativeCeil(length / size));

      while (index < length) {
        result[resIndex++] = baseSlice(array, index, (index += size));
      }
      return result;
    }

    /**
     * Creates an array with all falsey values removed. The values `false`, `null`,
     * `0`, `""`, `undefined`, and `NaN` are falsey.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to compact.
     * @returns {Array} Returns the new array of filtered values.
     * @example
     *
     * _.compact([0, 1, false, 2, '', 3]);
     * // => [1, 2, 3]
     */
    function compact(array) {
      var index = -1,
          length = array == null ? 0 : array.length,
          resIndex = 0,
          result = [];

      while (++index < length) {
        var value = array[index];
        if (value) {
          result[resIndex++] = value;
        }
      }
      return result;
    }

    /**
     * Creates a new array concatenating `array` with any additional arrays
     * and/or values.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to concatenate.
     * @param {...*} [values] The values to concatenate.
     * @returns {Array} Returns the new concatenated array.
     * @example
     *
     * var array = [1];
     * var other = _.concat(array, 2, [3], [[4]]);
     *
     * console.log(other);
     * // => [1, 2, 3, [4]]
     *
     * console.log(array);
     * // => [1]
     */
    function concat() {
      var length = arguments.length;
      if (!length) {
        return [];
      }
      var args = Array(length - 1),
          array = arguments[0],
          index = length;

      while (index--) {
        args[index - 1] = arguments[index];
      }
      return arrayPush(isArray(array) ? copyArray(array) : [array], baseFlatten(args, 1));
    }

    /**
     * Creates an array of `array` values not included in the other given arrays
     * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * for equality comparisons. The order and references of result values are
     * determined by the first array.
     *
     * **Note:** Unlike `_.pullAll`, this method returns a new array.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {...Array} [values] The values to exclude.
     * @returns {Array} Returns the new array of filtered values.
     * @see _.without, _.xor
     * @example
     *
     * _.difference([2, 1], [2, 3]);
     * // => [1]
     */
    var difference = baseRest(function(array, values) {
      return isArrayLikeObject(array)
        ? baseDifference(array, baseFlatten(values, 1, isArrayLikeObject, true))
        : [];
    });

    /**
     * This method is like `_.difference` except that it accepts `iteratee` which
     * is invoked for each element of `array` and `values` to generate the criterion
     * by which they're compared. The order and references of result values are
     * determined by the first array. The iteratee is invoked with one argument:
     * (value).
     *
     * **Note:** Unlike `_.pullAllBy`, this method returns a new array.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {...Array} [values] The values to exclude.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {Array} Returns the new array of filtered values.
     * @example
     *
     * _.differenceBy([2.1, 1.2], [2.3, 3.4], Math.floor);
     * // => [1.2]
     *
     * // The `_.property` iteratee shorthand.
     * _.differenceBy([{ 'x': 2 }, { 'x': 1 }], [{ 'x': 1 }], 'x');
     * // => [{ 'x': 2 }]
     */
    var differenceBy = baseRest(function(array, values) {
      var iteratee = last(values);
      if (isArrayLikeObject(iteratee)) {
        iteratee = undefined;
      }
      return isArrayLikeObject(array)
        ? baseDifference(array, baseFlatten(values, 1, isArrayLikeObject, true), getIteratee(iteratee, 2))
        : [];
    });

    /**
     * This method is like `_.difference` except that it accepts `comparator`
     * which is invoked to compare elements of `array` to `values`. The order and
     * references of result values are determined by the first array. The comparator
     * is invoked with two arguments: (arrVal, othVal).
     *
     * **Note:** Unlike `_.pullAllWith`, this method returns a new array.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {...Array} [values] The values to exclude.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new array of filtered values.
     * @example
     *
     * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }];
     *
     * _.differenceWith(objects, [{ 'x': 1, 'y': 2 }], _.isEqual);
     * // => [{ 'x': 2, 'y': 1 }]
     */
    var differenceWith = baseRest(function(array, values) {
      var comparator = last(values);
      if (isArrayLikeObject(comparator)) {
        comparator = undefined;
      }
      return isArrayLikeObject(array)
        ? baseDifference(array, baseFlatten(values, 1, isArrayLikeObject, true), undefined, comparator)
        : [];
    });

    /**
     * Creates a slice of `array` with `n` elements dropped from the beginning.
     *
     * @static
     * @memberOf _
     * @since 0.5.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {number} [n=1] The number of elements to drop.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * _.drop([1, 2, 3]);
     * // => [2, 3]
     *
     * _.drop([1, 2, 3], 2);
     * // => [3]
     *
     * _.drop([1, 2, 3], 5);
     * // => []
     *
     * _.drop([1, 2, 3], 0);
     * // => [1, 2, 3]
     */
    function drop(array, n, guard) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return [];
      }
      n = (guard || n === undefined) ? 1 : toInteger(n);
      return baseSlice(array, n < 0 ? 0 : n, length);
    }

    /**
     * Creates a slice of `array` with `n` elements dropped from the end.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {number} [n=1] The number of elements to drop.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * _.dropRight([1, 2, 3]);
     * // => [1, 2]
     *
     * _.dropRight([1, 2, 3], 2);
     * // => [1]
     *
     * _.dropRight([1, 2, 3], 5);
     * // => []
     *
     * _.dropRight([1, 2, 3], 0);
     * // => [1, 2, 3]
     */
    function dropRight(array, n, guard) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return [];
      }
      n = (guard || n === undefined) ? 1 : toInteger(n);
      n = length - n;
      return baseSlice(array, 0, n < 0 ? 0 : n);
    }

    /**
     * Creates a slice of `array` excluding elements dropped from the end.
     * Elements are dropped until `predicate` returns falsey. The predicate is
     * invoked with three arguments: (value, index, array).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'active': true },
     *   { 'user': 'fred',    'active': false },
     *   { 'user': 'pebbles', 'active': false }
     * ];
     *
     * _.dropRightWhile(users, function(o) { return !o.active; });
     * // => objects for ['barney']
     *
     * // The `_.matches` iteratee shorthand.
     * _.dropRightWhile(users, { 'user': 'pebbles', 'active': false });
     * // => objects for ['barney', 'fred']
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.dropRightWhile(users, ['active', false]);
     * // => objects for ['barney']
     *
     * // The `_.property` iteratee shorthand.
     * _.dropRightWhile(users, 'active');
     * // => objects for ['barney', 'fred', 'pebbles']
     */
    function dropRightWhile(array, predicate) {
      return (array && array.length)
        ? baseWhile(array, getIteratee(predicate, 3), true, true)
        : [];
    }

    /**
     * Creates a slice of `array` excluding elements dropped from the beginning.
     * Elements are dropped until `predicate` returns falsey. The predicate is
     * invoked with three arguments: (value, index, array).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'active': false },
     *   { 'user': 'fred',    'active': false },
     *   { 'user': 'pebbles', 'active': true }
     * ];
     *
     * _.dropWhile(users, function(o) { return !o.active; });
     * // => objects for ['pebbles']
     *
     * // The `_.matches` iteratee shorthand.
     * _.dropWhile(users, { 'user': 'barney', 'active': false });
     * // => objects for ['fred', 'pebbles']
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.dropWhile(users, ['active', false]);
     * // => objects for ['pebbles']
     *
     * // The `_.property` iteratee shorthand.
     * _.dropWhile(users, 'active');
     * // => objects for ['barney', 'fred', 'pebbles']
     */
    function dropWhile(array, predicate) {
      return (array && array.length)
        ? baseWhile(array, getIteratee(predicate, 3), true)
        : [];
    }

    /**
     * Fills elements of `array` with `value` from `start` up to, but not
     * including, `end`.
     *
     * **Note:** This method mutates `array`.
     *
     * @static
     * @memberOf _
     * @since 3.2.0
     * @category Array
     * @param {Array} array The array to fill.
     * @param {*} value The value to fill `array` with.
     * @param {number} [start=0] The start position.
     * @param {number} [end=array.length] The end position.
     * @returns {Array} Returns `array`.
     * @example
     *
     * var array = [1, 2, 3];
     *
     * _.fill(array, 'a');
     * console.log(array);
     * // => ['a', 'a', 'a']
     *
     * _.fill(Array(3), 2);
     * // => [2, 2, 2]
     *
     * _.fill([4, 6, 8, 10], '*', 1, 3);
     * // => [4, '*', '*', 10]
     */
    function fill(array, value, start, end) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return [];
      }
      if (start && typeof start != 'number' && isIterateeCall(array, value, start)) {
        start = 0;
        end = length;
      }
      return baseFill(array, value, start, end);
    }

    /**
     * This method is like `_.find` except that it returns the index of the first
     * element `predicate` returns truthy for instead of the element itself.
     *
     * @static
     * @memberOf _
     * @since 1.1.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @param {number} [fromIndex=0] The index to search from.
     * @returns {number} Returns the index of the found element, else `-1`.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'active': false },
     *   { 'user': 'fred',    'active': false },
     *   { 'user': 'pebbles', 'active': true }
     * ];
     *
     * _.findIndex(users, function(o) { return o.user == 'barney'; });
     * // => 0
     *
     * // The `_.matches` iteratee shorthand.
     * _.findIndex(users, { 'user': 'fred', 'active': false });
     * // => 1
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.findIndex(users, ['active', false]);
     * // => 0
     *
     * // The `_.property` iteratee shorthand.
     * _.findIndex(users, 'active');
     * // => 2
     */
    function findIndex(array, predicate, fromIndex) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return -1;
      }
      var index = fromIndex == null ? 0 : toInteger(fromIndex);
      if (index < 0) {
        index = nativeMax(length + index, 0);
      }
      return baseFindIndex(array, getIteratee(predicate, 3), index);
    }

    /**
     * This method is like `_.findIndex` except that it iterates over elements
     * of `collection` from right to left.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @param {number} [fromIndex=array.length-1] The index to search from.
     * @returns {number} Returns the index of the found element, else `-1`.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'active': true },
     *   { 'user': 'fred',    'active': false },
     *   { 'user': 'pebbles', 'active': false }
     * ];
     *
     * _.findLastIndex(users, function(o) { return o.user == 'pebbles'; });
     * // => 2
     *
     * // The `_.matches` iteratee shorthand.
     * _.findLastIndex(users, { 'user': 'barney', 'active': true });
     * // => 0
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.findLastIndex(users, ['active', false]);
     * // => 2
     *
     * // The `_.property` iteratee shorthand.
     * _.findLastIndex(users, 'active');
     * // => 0
     */
    function findLastIndex(array, predicate, fromIndex) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return -1;
      }
      var index = length - 1;
      if (fromIndex !== undefined) {
        index = toInteger(fromIndex);
        index = fromIndex < 0
          ? nativeMax(length + index, 0)
          : nativeMin(index, length - 1);
      }
      return baseFindIndex(array, getIteratee(predicate, 3), index, true);
    }

    /**
     * Flattens `array` a single level deep.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to flatten.
     * @returns {Array} Returns the new flattened array.
     * @example
     *
     * _.flatten([1, [2, [3, [4]], 5]]);
     * // => [1, 2, [3, [4]], 5]
     */
    function flatten(array) {
      var length = array == null ? 0 : array.length;
      return length ? baseFlatten(array, 1) : [];
    }

    /**
     * Recursively flattens `array`.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to flatten.
     * @returns {Array} Returns the new flattened array.
     * @example
     *
     * _.flattenDeep([1, [2, [3, [4]], 5]]);
     * // => [1, 2, 3, 4, 5]
     */
    function flattenDeep(array) {
      var length = array == null ? 0 : array.length;
      return length ? baseFlatten(array, INFINITY) : [];
    }

    /**
     * Recursively flatten `array` up to `depth` times.
     *
     * @static
     * @memberOf _
     * @since 4.4.0
     * @category Array
     * @param {Array} array The array to flatten.
     * @param {number} [depth=1] The maximum recursion depth.
     * @returns {Array} Returns the new flattened array.
     * @example
     *
     * var array = [1, [2, [3, [4]], 5]];
     *
     * _.flattenDepth(array, 1);
     * // => [1, 2, [3, [4]], 5]
     *
     * _.flattenDepth(array, 2);
     * // => [1, 2, 3, [4], 5]
     */
    function flattenDepth(array, depth) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return [];
      }
      depth = depth === undefined ? 1 : toInteger(depth);
      return baseFlatten(array, depth);
    }

    /**
     * The inverse of `_.toPairs`; this method returns an object composed
     * from key-value `pairs`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} pairs The key-value pairs.
     * @returns {Object} Returns the new object.
     * @example
     *
     * _.fromPairs([['a', 1], ['b', 2]]);
     * // => { 'a': 1, 'b': 2 }
     */
    function fromPairs(pairs) {
      var index = -1,
          length = pairs == null ? 0 : pairs.length,
          result = {};

      while (++index < length) {
        var pair = pairs[index];
        result[pair[0]] = pair[1];
      }
      return result;
    }

    /**
     * Gets the first element of `array`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @alias first
     * @category Array
     * @param {Array} array The array to query.
     * @returns {*} Returns the first element of `array`.
     * @example
     *
     * _.head([1, 2, 3]);
     * // => 1
     *
     * _.head([]);
     * // => undefined
     */
    function head(array) {
      return (array && array.length) ? array[0] : undefined;
    }

    /**
     * Gets the index at which the first occurrence of `value` is found in `array`
     * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * for equality comparisons. If `fromIndex` is negative, it's used as the
     * offset from the end of `array`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {*} value The value to search for.
     * @param {number} [fromIndex=0] The index to search from.
     * @returns {number} Returns the index of the matched value, else `-1`.
     * @example
     *
     * _.indexOf([1, 2, 1, 2], 2);
     * // => 1
     *
     * // Search from the `fromIndex`.
     * _.indexOf([1, 2, 1, 2], 2, 2);
     * // => 3
     */
    function indexOf(array, value, fromIndex) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return -1;
      }
      var index = fromIndex == null ? 0 : toInteger(fromIndex);
      if (index < 0) {
        index = nativeMax(length + index, 0);
      }
      return baseIndexOf(array, value, index);
    }

    /**
     * Gets all but the last element of `array`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to query.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * _.initial([1, 2, 3]);
     * // => [1, 2]
     */
    function initial(array) {
      var length = array == null ? 0 : array.length;
      return length ? baseSlice(array, 0, -1) : [];
    }

    /**
     * Creates an array of unique values that are included in all given arrays
     * using [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * for equality comparisons. The order and references of result values are
     * determined by the first array.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @returns {Array} Returns the new array of intersecting values.
     * @example
     *
     * _.intersection([2, 1], [2, 3]);
     * // => [2]
     */
    var intersection = baseRest(function(arrays) {
      var mapped = arrayMap(arrays, castArrayLikeObject);
      return (mapped.length && mapped[0] === arrays[0])
        ? baseIntersection(mapped)
        : [];
    });

    /**
     * This method is like `_.intersection` except that it accepts `iteratee`
     * which is invoked for each element of each `arrays` to generate the criterion
     * by which they're compared. The order and references of result values are
     * determined by the first array. The iteratee is invoked with one argument:
     * (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {Array} Returns the new array of intersecting values.
     * @example
     *
     * _.intersectionBy([2.1, 1.2], [2.3, 3.4], Math.floor);
     * // => [2.1]
     *
     * // The `_.property` iteratee shorthand.
     * _.intersectionBy([{ 'x': 1 }], [{ 'x': 2 }, { 'x': 1 }], 'x');
     * // => [{ 'x': 1 }]
     */
    var intersectionBy = baseRest(function(arrays) {
      var iteratee = last(arrays),
          mapped = arrayMap(arrays, castArrayLikeObject);

      if (iteratee === last(mapped)) {
        iteratee = undefined;
      } else {
        mapped.pop();
      }
      return (mapped.length && mapped[0] === arrays[0])
        ? baseIntersection(mapped, getIteratee(iteratee, 2))
        : [];
    });

    /**
     * This method is like `_.intersection` except that it accepts `comparator`
     * which is invoked to compare elements of `arrays`. The order and references
     * of result values are determined by the first array. The comparator is
     * invoked with two arguments: (arrVal, othVal).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new array of intersecting values.
     * @example
     *
     * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }];
     * var others = [{ 'x': 1, 'y': 1 }, { 'x': 1, 'y': 2 }];
     *
     * _.intersectionWith(objects, others, _.isEqual);
     * // => [{ 'x': 1, 'y': 2 }]
     */
    var intersectionWith = baseRest(function(arrays) {
      var comparator = last(arrays),
          mapped = arrayMap(arrays, castArrayLikeObject);

      comparator = typeof comparator == 'function' ? comparator : undefined;
      if (comparator) {
        mapped.pop();
      }
      return (mapped.length && mapped[0] === arrays[0])
        ? baseIntersection(mapped, undefined, comparator)
        : [];
    });

    /**
     * Converts all elements in `array` into a string separated by `separator`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to convert.
     * @param {string} [separator=','] The element separator.
     * @returns {string} Returns the joined string.
     * @example
     *
     * _.join(['a', 'b', 'c'], '~');
     * // => 'a~b~c'
     */
    function join(array, separator) {
      return array == null ? '' : nativeJoin.call(array, separator);
    }

    /**
     * Gets the last element of `array`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to query.
     * @returns {*} Returns the last element of `array`.
     * @example
     *
     * _.last([1, 2, 3]);
     * // => 3
     */
    function last(array) {
      var length = array == null ? 0 : array.length;
      return length ? array[length - 1] : undefined;
    }

    /**
     * This method is like `_.indexOf` except that it iterates over elements of
     * `array` from right to left.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {*} value The value to search for.
     * @param {number} [fromIndex=array.length-1] The index to search from.
     * @returns {number} Returns the index of the matched value, else `-1`.
     * @example
     *
     * _.lastIndexOf([1, 2, 1, 2], 2);
     * // => 3
     *
     * // Search from the `fromIndex`.
     * _.lastIndexOf([1, 2, 1, 2], 2, 2);
     * // => 1
     */
    function lastIndexOf(array, value, fromIndex) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return -1;
      }
      var index = length;
      if (fromIndex !== undefined) {
        index = toInteger(fromIndex);
        index = index < 0 ? nativeMax(length + index, 0) : nativeMin(index, length - 1);
      }
      return value === value
        ? strictLastIndexOf(array, value, index)
        : baseFindIndex(array, baseIsNaN, index, true);
    }

    /**
     * Gets the element at index `n` of `array`. If `n` is negative, the nth
     * element from the end is returned.
     *
     * @static
     * @memberOf _
     * @since 4.11.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {number} [n=0] The index of the element to return.
     * @returns {*} Returns the nth element of `array`.
     * @example
     *
     * var array = ['a', 'b', 'c', 'd'];
     *
     * _.nth(array, 1);
     * // => 'b'
     *
     * _.nth(array, -2);
     * // => 'c';
     */
    function nth(array, n) {
      return (array && array.length) ? baseNth(array, toInteger(n)) : undefined;
    }

    /**
     * Removes all given values from `array` using
     * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * for equality comparisons.
     *
     * **Note:** Unlike `_.without`, this method mutates `array`. Use `_.remove`
     * to remove elements from an array by predicate.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Array
     * @param {Array} array The array to modify.
     * @param {...*} [values] The values to remove.
     * @returns {Array} Returns `array`.
     * @example
     *
     * var array = ['a', 'b', 'c', 'a', 'b', 'c'];
     *
     * _.pull(array, 'a', 'c');
     * console.log(array);
     * // => ['b', 'b']
     */
    var pull = baseRest(pullAll);

    /**
     * This method is like `_.pull` except that it accepts an array of values to remove.
     *
     * **Note:** Unlike `_.difference`, this method mutates `array`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to modify.
     * @param {Array} values The values to remove.
     * @returns {Array} Returns `array`.
     * @example
     *
     * var array = ['a', 'b', 'c', 'a', 'b', 'c'];
     *
     * _.pullAll(array, ['a', 'c']);
     * console.log(array);
     * // => ['b', 'b']
     */
    function pullAll(array, values) {
      return (array && array.length && values && values.length)
        ? basePullAll(array, values)
        : array;
    }

    /**
     * This method is like `_.pullAll` except that it accepts `iteratee` which is
     * invoked for each element of `array` and `values` to generate the criterion
     * by which they're compared. The iteratee is invoked with one argument: (value).
     *
     * **Note:** Unlike `_.differenceBy`, this method mutates `array`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to modify.
     * @param {Array} values The values to remove.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {Array} Returns `array`.
     * @example
     *
     * var array = [{ 'x': 1 }, { 'x': 2 }, { 'x': 3 }, { 'x': 1 }];
     *
     * _.pullAllBy(array, [{ 'x': 1 }, { 'x': 3 }], 'x');
     * console.log(array);
     * // => [{ 'x': 2 }]
     */
    function pullAllBy(array, values, iteratee) {
      return (array && array.length && values && values.length)
        ? basePullAll(array, values, getIteratee(iteratee, 2))
        : array;
    }

    /**
     * This method is like `_.pullAll` except that it accepts `comparator` which
     * is invoked to compare elements of `array` to `values`. The comparator is
     * invoked with two arguments: (arrVal, othVal).
     *
     * **Note:** Unlike `_.differenceWith`, this method mutates `array`.
     *
     * @static
     * @memberOf _
     * @since 4.6.0
     * @category Array
     * @param {Array} array The array to modify.
     * @param {Array} values The values to remove.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns `array`.
     * @example
     *
     * var array = [{ 'x': 1, 'y': 2 }, { 'x': 3, 'y': 4 }, { 'x': 5, 'y': 6 }];
     *
     * _.pullAllWith(array, [{ 'x': 3, 'y': 4 }], _.isEqual);
     * console.log(array);
     * // => [{ 'x': 1, 'y': 2 }, { 'x': 5, 'y': 6 }]
     */
    function pullAllWith(array, values, comparator) {
      return (array && array.length && values && values.length)
        ? basePullAll(array, values, undefined, comparator)
        : array;
    }

    /**
     * Removes elements from `array` corresponding to `indexes` and returns an
     * array of removed elements.
     *
     * **Note:** Unlike `_.at`, this method mutates `array`.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to modify.
     * @param {...(number|number[])} [indexes] The indexes of elements to remove.
     * @returns {Array} Returns the new array of removed elements.
     * @example
     *
     * var array = ['a', 'b', 'c', 'd'];
     * var pulled = _.pullAt(array, [1, 3]);
     *
     * console.log(array);
     * // => ['a', 'c']
     *
     * console.log(pulled);
     * // => ['b', 'd']
     */
    var pullAt = flatRest(function(array, indexes) {
      var length = array == null ? 0 : array.length,
          result = baseAt(array, indexes);

      basePullAt(array, arrayMap(indexes, function(index) {
        return isIndex(index, length) ? +index : index;
      }).sort(compareAscending));

      return result;
    });

    /**
     * Removes all elements from `array` that `predicate` returns truthy for
     * and returns an array of the removed elements. The predicate is invoked
     * with three arguments: (value, index, array).
     *
     * **Note:** Unlike `_.filter`, this method mutates `array`. Use `_.pull`
     * to pull elements from an array by value.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Array
     * @param {Array} array The array to modify.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the new array of removed elements.
     * @example
     *
     * var array = [1, 2, 3, 4];
     * var evens = _.remove(array, function(n) {
     *   return n % 2 == 0;
     * });
     *
     * console.log(array);
     * // => [1, 3]
     *
     * console.log(evens);
     * // => [2, 4]
     */
    function remove(array, predicate) {
      var result = [];
      if (!(array && array.length)) {
        return result;
      }
      var index = -1,
          indexes = [],
          length = array.length;

      predicate = getIteratee(predicate, 3);
      while (++index < length) {
        var value = array[index];
        if (predicate(value, index, array)) {
          result.push(value);
          indexes.push(index);
        }
      }
      basePullAt(array, indexes);
      return result;
    }

    /**
     * Reverses `array` so that the first element becomes the last, the second
     * element becomes the second to last, and so on.
     *
     * **Note:** This method mutates `array` and is based on
     * [`Array#reverse`](https://mdn.io/Array/reverse).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to modify.
     * @returns {Array} Returns `array`.
     * @example
     *
     * var array = [1, 2, 3];
     *
     * _.reverse(array);
     * // => [3, 2, 1]
     *
     * console.log(array);
     * // => [3, 2, 1]
     */
    function reverse(array) {
      return array == null ? array : nativeReverse.call(array);
    }

    /**
     * Creates a slice of `array` from `start` up to, but not including, `end`.
     *
     * **Note:** This method is used instead of
     * [`Array#slice`](https://mdn.io/Array/slice) to ensure dense arrays are
     * returned.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to slice.
     * @param {number} [start=0] The start position.
     * @param {number} [end=array.length] The end position.
     * @returns {Array} Returns the slice of `array`.
     */
    function slice(array, start, end) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return [];
      }
      if (end && typeof end != 'number' && isIterateeCall(array, start, end)) {
        start = 0;
        end = length;
      }
      else {
        start = start == null ? 0 : toInteger(start);
        end = end === undefined ? length : toInteger(end);
      }
      return baseSlice(array, start, end);
    }

    /**
     * Uses a binary search to determine the lowest index at which `value`
     * should be inserted into `array` in order to maintain its sort order.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The sorted array to inspect.
     * @param {*} value The value to evaluate.
     * @returns {number} Returns the index at which `value` should be inserted
     *  into `array`.
     * @example
     *
     * _.sortedIndex([30, 50], 40);
     * // => 1
     */
    function sortedIndex(array, value) {
      return baseSortedIndex(array, value);
    }

    /**
     * This method is like `_.sortedIndex` except that it accepts `iteratee`
     * which is invoked for `value` and each element of `array` to compute their
     * sort ranking. The iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The sorted array to inspect.
     * @param {*} value The value to evaluate.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {number} Returns the index at which `value` should be inserted
     *  into `array`.
     * @example
     *
     * var objects = [{ 'x': 4 }, { 'x': 5 }];
     *
     * _.sortedIndexBy(objects, { 'x': 4 }, function(o) { return o.x; });
     * // => 0
     *
     * // The `_.property` iteratee shorthand.
     * _.sortedIndexBy(objects, { 'x': 4 }, 'x');
     * // => 0
     */
    function sortedIndexBy(array, value, iteratee) {
      return baseSortedIndexBy(array, value, getIteratee(iteratee, 2));
    }

    /**
     * This method is like `_.indexOf` except that it performs a binary
     * search on a sorted `array`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {*} value The value to search for.
     * @returns {number} Returns the index of the matched value, else `-1`.
     * @example
     *
     * _.sortedIndexOf([4, 5, 5, 5, 6], 5);
     * // => 1
     */
    function sortedIndexOf(array, value) {
      var length = array == null ? 0 : array.length;
      if (length) {
        var index = baseSortedIndex(array, value);
        if (index < length && eq(array[index], value)) {
          return index;
        }
      }
      return -1;
    }

    /**
     * This method is like `_.sortedIndex` except that it returns the highest
     * index at which `value` should be inserted into `array` in order to
     * maintain its sort order.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The sorted array to inspect.
     * @param {*} value The value to evaluate.
     * @returns {number} Returns the index at which `value` should be inserted
     *  into `array`.
     * @example
     *
     * _.sortedLastIndex([4, 5, 5, 5, 6], 5);
     * // => 4
     */
    function sortedLastIndex(array, value) {
      return baseSortedIndex(array, value, true);
    }

    /**
     * This method is like `_.sortedLastIndex` except that it accepts `iteratee`
     * which is invoked for `value` and each element of `array` to compute their
     * sort ranking. The iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The sorted array to inspect.
     * @param {*} value The value to evaluate.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {number} Returns the index at which `value` should be inserted
     *  into `array`.
     * @example
     *
     * var objects = [{ 'x': 4 }, { 'x': 5 }];
     *
     * _.sortedLastIndexBy(objects, { 'x': 4 }, function(o) { return o.x; });
     * // => 1
     *
     * // The `_.property` iteratee shorthand.
     * _.sortedLastIndexBy(objects, { 'x': 4 }, 'x');
     * // => 1
     */
    function sortedLastIndexBy(array, value, iteratee) {
      return baseSortedIndexBy(array, value, getIteratee(iteratee, 2), true);
    }

    /**
     * This method is like `_.lastIndexOf` except that it performs a binary
     * search on a sorted `array`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {*} value The value to search for.
     * @returns {number} Returns the index of the matched value, else `-1`.
     * @example
     *
     * _.sortedLastIndexOf([4, 5, 5, 5, 6], 5);
     * // => 3
     */
    function sortedLastIndexOf(array, value) {
      var length = array == null ? 0 : array.length;
      if (length) {
        var index = baseSortedIndex(array, value, true) - 1;
        if (eq(array[index], value)) {
          return index;
        }
      }
      return -1;
    }

    /**
     * This method is like `_.uniq` except that it's designed and optimized
     * for sorted arrays.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @returns {Array} Returns the new duplicate free array.
     * @example
     *
     * _.sortedUniq([1, 1, 2]);
     * // => [1, 2]
     */
    function sortedUniq(array) {
      return (array && array.length)
        ? baseSortedUniq(array)
        : [];
    }

    /**
     * This method is like `_.uniqBy` except that it's designed and optimized
     * for sorted arrays.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {Function} [iteratee] The iteratee invoked per element.
     * @returns {Array} Returns the new duplicate free array.
     * @example
     *
     * _.sortedUniqBy([1.1, 1.2, 2.3, 2.4], Math.floor);
     * // => [1.1, 2.3]
     */
    function sortedUniqBy(array, iteratee) {
      return (array && array.length)
        ? baseSortedUniq(array, getIteratee(iteratee, 2))
        : [];
    }

    /**
     * Gets all but the first element of `array`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to query.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * _.tail([1, 2, 3]);
     * // => [2, 3]
     */
    function tail(array) {
      var length = array == null ? 0 : array.length;
      return length ? baseSlice(array, 1, length) : [];
    }

    /**
     * Creates a slice of `array` with `n` elements taken from the beginning.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {number} [n=1] The number of elements to take.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * _.take([1, 2, 3]);
     * // => [1]
     *
     * _.take([1, 2, 3], 2);
     * // => [1, 2]
     *
     * _.take([1, 2, 3], 5);
     * // => [1, 2, 3]
     *
     * _.take([1, 2, 3], 0);
     * // => []
     */
    function take(array, n, guard) {
      if (!(array && array.length)) {
        return [];
      }
      n = (guard || n === undefined) ? 1 : toInteger(n);
      return baseSlice(array, 0, n < 0 ? 0 : n);
    }

    /**
     * Creates a slice of `array` with `n` elements taken from the end.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {number} [n=1] The number of elements to take.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * _.takeRight([1, 2, 3]);
     * // => [3]
     *
     * _.takeRight([1, 2, 3], 2);
     * // => [2, 3]
     *
     * _.takeRight([1, 2, 3], 5);
     * // => [1, 2, 3]
     *
     * _.takeRight([1, 2, 3], 0);
     * // => []
     */
    function takeRight(array, n, guard) {
      var length = array == null ? 0 : array.length;
      if (!length) {
        return [];
      }
      n = (guard || n === undefined) ? 1 : toInteger(n);
      n = length - n;
      return baseSlice(array, n < 0 ? 0 : n, length);
    }

    /**
     * Creates a slice of `array` with elements taken from the end. Elements are
     * taken until `predicate` returns falsey. The predicate is invoked with
     * three arguments: (value, index, array).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'active': true },
     *   { 'user': 'fred',    'active': false },
     *   { 'user': 'pebbles', 'active': false }
     * ];
     *
     * _.takeRightWhile(users, function(o) { return !o.active; });
     * // => objects for ['fred', 'pebbles']
     *
     * // The `_.matches` iteratee shorthand.
     * _.takeRightWhile(users, { 'user': 'pebbles', 'active': false });
     * // => objects for ['pebbles']
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.takeRightWhile(users, ['active', false]);
     * // => objects for ['fred', 'pebbles']
     *
     * // The `_.property` iteratee shorthand.
     * _.takeRightWhile(users, 'active');
     * // => []
     */
    function takeRightWhile(array, predicate) {
      return (array && array.length)
        ? baseWhile(array, getIteratee(predicate, 3), false, true)
        : [];
    }

    /**
     * Creates a slice of `array` with elements taken from the beginning. Elements
     * are taken until `predicate` returns falsey. The predicate is invoked with
     * three arguments: (value, index, array).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Array
     * @param {Array} array The array to query.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the slice of `array`.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'active': false },
     *   { 'user': 'fred',    'active': false },
     *   { 'user': 'pebbles', 'active': true }
     * ];
     *
     * _.takeWhile(users, function(o) { return !o.active; });
     * // => objects for ['barney', 'fred']
     *
     * // The `_.matches` iteratee shorthand.
     * _.takeWhile(users, { 'user': 'barney', 'active': false });
     * // => objects for ['barney']
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.takeWhile(users, ['active', false]);
     * // => objects for ['barney', 'fred']
     *
     * // The `_.property` iteratee shorthand.
     * _.takeWhile(users, 'active');
     * // => []
     */
    function takeWhile(array, predicate) {
      return (array && array.length)
        ? baseWhile(array, getIteratee(predicate, 3))
        : [];
    }

    /**
     * Creates an array of unique values, in order, from all given arrays using
     * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * for equality comparisons.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @returns {Array} Returns the new array of combined values.
     * @example
     *
     * _.union([2], [1, 2]);
     * // => [2, 1]
     */
    var union = baseRest(function(arrays) {
      return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject, true));
    });

    /**
     * This method is like `_.union` except that it accepts `iteratee` which is
     * invoked for each element of each `arrays` to generate the criterion by
     * which uniqueness is computed. Result values are chosen from the first
     * array in which the value occurs. The iteratee is invoked with one argument:
     * (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {Array} Returns the new array of combined values.
     * @example
     *
     * _.unionBy([2.1], [1.2, 2.3], Math.floor);
     * // => [2.1, 1.2]
     *
     * // The `_.property` iteratee shorthand.
     * _.unionBy([{ 'x': 1 }], [{ 'x': 2 }, { 'x': 1 }], 'x');
     * // => [{ 'x': 1 }, { 'x': 2 }]
     */
    var unionBy = baseRest(function(arrays) {
      var iteratee = last(arrays);
      if (isArrayLikeObject(iteratee)) {
        iteratee = undefined;
      }
      return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject, true), getIteratee(iteratee, 2));
    });

    /**
     * This method is like `_.union` except that it accepts `comparator` which
     * is invoked to compare elements of `arrays`. Result values are chosen from
     * the first array in which the value occurs. The comparator is invoked
     * with two arguments: (arrVal, othVal).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new array of combined values.
     * @example
     *
     * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }];
     * var others = [{ 'x': 1, 'y': 1 }, { 'x': 1, 'y': 2 }];
     *
     * _.unionWith(objects, others, _.isEqual);
     * // => [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }, { 'x': 1, 'y': 1 }]
     */
    var unionWith = baseRest(function(arrays) {
      var comparator = last(arrays);
      comparator = typeof comparator == 'function' ? comparator : undefined;
      return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject, true), undefined, comparator);
    });

    /**
     * Creates a duplicate-free version of an array, using
     * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * for equality comparisons, in which only the first occurrence of each element
     * is kept. The order of result values is determined by the order they occur
     * in the array.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @returns {Array} Returns the new duplicate free array.
     * @example
     *
     * _.uniq([2, 1, 2]);
     * // => [2, 1]
     */
    function uniq(array) {
      return (array && array.length) ? baseUniq(array) : [];
    }

    /**
     * This method is like `_.uniq` except that it accepts `iteratee` which is
     * invoked for each element in `array` to generate the criterion by which
     * uniqueness is computed. The order of result values is determined by the
     * order they occur in the array. The iteratee is invoked with one argument:
     * (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {Array} Returns the new duplicate free array.
     * @example
     *
     * _.uniqBy([2.1, 1.2, 2.3], Math.floor);
     * // => [2.1, 1.2]
     *
     * // The `_.property` iteratee shorthand.
     * _.uniqBy([{ 'x': 1 }, { 'x': 2 }, { 'x': 1 }], 'x');
     * // => [{ 'x': 1 }, { 'x': 2 }]
     */
    function uniqBy(array, iteratee) {
      return (array && array.length) ? baseUniq(array, getIteratee(iteratee, 2)) : [];
    }

    /**
     * This method is like `_.uniq` except that it accepts `comparator` which
     * is invoked to compare elements of `array`. The order of result values is
     * determined by the order they occur in the array.The comparator is invoked
     * with two arguments: (arrVal, othVal).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new duplicate free array.
     * @example
     *
     * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }, { 'x': 1, 'y': 2 }];
     *
     * _.uniqWith(objects, _.isEqual);
     * // => [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }]
     */
    function uniqWith(array, comparator) {
      comparator = typeof comparator == 'function' ? comparator : undefined;
      return (array && array.length) ? baseUniq(array, undefined, comparator) : [];
    }

    /**
     * This method is like `_.zip` except that it accepts an array of grouped
     * elements and creates an array regrouping the elements to their pre-zip
     * configuration.
     *
     * @static
     * @memberOf _
     * @since 1.2.0
     * @category Array
     * @param {Array} array The array of grouped elements to process.
     * @returns {Array} Returns the new array of regrouped elements.
     * @example
     *
     * var zipped = _.zip(['a', 'b'], [1, 2], [true, false]);
     * // => [['a', 1, true], ['b', 2, false]]
     *
     * _.unzip(zipped);
     * // => [['a', 'b'], [1, 2], [true, false]]
     */
    function unzip(array) {
      if (!(array && array.length)) {
        return [];
      }
      var length = 0;
      array = arrayFilter(array, function(group) {
        if (isArrayLikeObject(group)) {
          length = nativeMax(group.length, length);
          return true;
        }
      });
      return baseTimes(length, function(index) {
        return arrayMap(array, baseProperty(index));
      });
    }

    /**
     * This method is like `_.unzip` except that it accepts `iteratee` to specify
     * how regrouped values should be combined. The iteratee is invoked with the
     * elements of each group: (...group).
     *
     * @static
     * @memberOf _
     * @since 3.8.0
     * @category Array
     * @param {Array} array The array of grouped elements to process.
     * @param {Function} [iteratee=_.identity] The function to combine
     *  regrouped values.
     * @returns {Array} Returns the new array of regrouped elements.
     * @example
     *
     * var zipped = _.zip([1, 2], [10, 20], [100, 200]);
     * // => [[1, 10, 100], [2, 20, 200]]
     *
     * _.unzipWith(zipped, _.add);
     * // => [3, 30, 300]
     */
    function unzipWith(array, iteratee) {
      if (!(array && array.length)) {
        return [];
      }
      var result = unzip(array);
      if (iteratee == null) {
        return result;
      }
      return arrayMap(result, function(group) {
        return apply(iteratee, undefined, group);
      });
    }

    /**
     * Creates an array excluding all given values using
     * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * for equality comparisons.
     *
     * **Note:** Unlike `_.pull`, this method returns a new array.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {Array} array The array to inspect.
     * @param {...*} [values] The values to exclude.
     * @returns {Array} Returns the new array of filtered values.
     * @see _.difference, _.xor
     * @example
     *
     * _.without([2, 1, 2, 3], 1, 2);
     * // => [3]
     */
    var without = baseRest(function(array, values) {
      return isArrayLikeObject(array)
        ? baseDifference(array, values)
        : [];
    });

    /**
     * Creates an array of unique values that is the
     * [symmetric difference](https://en.wikipedia.org/wiki/Symmetric_difference)
     * of the given arrays. The order of result values is determined by the order
     * they occur in the arrays.
     *
     * @static
     * @memberOf _
     * @since 2.4.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @returns {Array} Returns the new array of filtered values.
     * @see _.difference, _.without
     * @example
     *
     * _.xor([2, 1], [2, 3]);
     * // => [1, 3]
     */
    var xor = baseRest(function(arrays) {
      return baseXor(arrayFilter(arrays, isArrayLikeObject));
    });

    /**
     * This method is like `_.xor` except that it accepts `iteratee` which is
     * invoked for each element of each `arrays` to generate the criterion by
     * which by which they're compared. The order of result values is determined
     * by the order they occur in the arrays. The iteratee is invoked with one
     * argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {Array} Returns the new array of filtered values.
     * @example
     *
     * _.xorBy([2.1, 1.2], [2.3, 3.4], Math.floor);
     * // => [1.2, 3.4]
     *
     * // The `_.property` iteratee shorthand.
     * _.xorBy([{ 'x': 1 }], [{ 'x': 2 }, { 'x': 1 }], 'x');
     * // => [{ 'x': 2 }]
     */
    var xorBy = baseRest(function(arrays) {
      var iteratee = last(arrays);
      if (isArrayLikeObject(iteratee)) {
        iteratee = undefined;
      }
      return baseXor(arrayFilter(arrays, isArrayLikeObject), getIteratee(iteratee, 2));
    });

    /**
     * This method is like `_.xor` except that it accepts `comparator` which is
     * invoked to compare elements of `arrays`. The order of result values is
     * determined by the order they occur in the arrays. The comparator is invoked
     * with two arguments: (arrVal, othVal).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Array
     * @param {...Array} [arrays] The arrays to inspect.
     * @param {Function} [comparator] The comparator invoked per element.
     * @returns {Array} Returns the new array of filtered values.
     * @example
     *
     * var objects = [{ 'x': 1, 'y': 2 }, { 'x': 2, 'y': 1 }];
     * var others = [{ 'x': 1, 'y': 1 }, { 'x': 1, 'y': 2 }];
     *
     * _.xorWith(objects, others, _.isEqual);
     * // => [{ 'x': 2, 'y': 1 }, { 'x': 1, 'y': 1 }]
     */
    var xorWith = baseRest(function(arrays) {
      var comparator = last(arrays);
      comparator = typeof comparator == 'function' ? comparator : undefined;
      return baseXor(arrayFilter(arrays, isArrayLikeObject), undefined, comparator);
    });

    /**
     * Creates an array of grouped elements, the first of which contains the
     * first elements of the given arrays, the second of which contains the
     * second elements of the given arrays, and so on.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Array
     * @param {...Array} [arrays] The arrays to process.
     * @returns {Array} Returns the new array of grouped elements.
     * @example
     *
     * _.zip(['a', 'b'], [1, 2], [true, false]);
     * // => [['a', 1, true], ['b', 2, false]]
     */
    var zip = baseRest(unzip);

    /**
     * This method is like `_.fromPairs` except that it accepts two arrays,
     * one of property identifiers and one of corresponding values.
     *
     * @static
     * @memberOf _
     * @since 0.4.0
     * @category Array
     * @param {Array} [props=[]] The property identifiers.
     * @param {Array} [values=[]] The property values.
     * @returns {Object} Returns the new object.
     * @example
     *
     * _.zipObject(['a', 'b'], [1, 2]);
     * // => { 'a': 1, 'b': 2 }
     */
    function zipObject(props, values) {
      return baseZipObject(props || [], values || [], assignValue);
    }

    /**
     * This method is like `_.zipObject` except that it supports property paths.
     *
     * @static
     * @memberOf _
     * @since 4.1.0
     * @category Array
     * @param {Array} [props=[]] The property identifiers.
     * @param {Array} [values=[]] The property values.
     * @returns {Object} Returns the new object.
     * @example
     *
     * _.zipObjectDeep(['a.b[0].c', 'a.b[1].d'], [1, 2]);
     * // => { 'a': { 'b': [{ 'c': 1 }, { 'd': 2 }] } }
     */
    function zipObjectDeep(props, values) {
      return baseZipObject(props || [], values || [], baseSet);
    }

    /**
     * This method is like `_.zip` except that it accepts `iteratee` to specify
     * how grouped values should be combined. The iteratee is invoked with the
     * elements of each group: (...group).
     *
     * @static
     * @memberOf _
     * @since 3.8.0
     * @category Array
     * @param {...Array} [arrays] The arrays to process.
     * @param {Function} [iteratee=_.identity] The function to combine
     *  grouped values.
     * @returns {Array} Returns the new array of grouped elements.
     * @example
     *
     * _.zipWith([1, 2], [10, 20], [100, 200], function(a, b, c) {
     *   return a + b + c;
     * });
     * // => [111, 222]
     */
    var zipWith = baseRest(function(arrays) {
      var length = arrays.length,
          iteratee = length > 1 ? arrays[length - 1] : undefined;

      iteratee = typeof iteratee == 'function' ? (arrays.pop(), iteratee) : undefined;
      return unzipWith(arrays, iteratee);
    });

    /*------------------------------------------------------------------------*/

    /**
     * Creates a `lodash` wrapper instance that wraps `value` with explicit method
     * chain sequences enabled. The result of such sequences must be unwrapped
     * with `_#value`.
     *
     * @static
     * @memberOf _
     * @since 1.3.0
     * @category Seq
     * @param {*} value The value to wrap.
     * @returns {Object} Returns the new `lodash` wrapper instance.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'age': 36 },
     *   { 'user': 'fred',    'age': 40 },
     *   { 'user': 'pebbles', 'age': 1 }
     * ];
     *
     * var youngest = _
     *   .chain(users)
     *   .sortBy('age')
     *   .map(function(o) {
     *     return o.user + ' is ' + o.age;
     *   })
     *   .head()
     *   .value();
     * // => 'pebbles is 1'
     */
    function chain(value) {
      var result = lodash(value);
      result.__chain__ = true;
      return result;
    }

    /**
     * This method invokes `interceptor` and returns `value`. The interceptor
     * is invoked with one argument; (value). The purpose of this method is to
     * "tap into" a method chain sequence in order to modify intermediate results.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Seq
     * @param {*} value The value to provide to `interceptor`.
     * @param {Function} interceptor The function to invoke.
     * @returns {*} Returns `value`.
     * @example
     *
     * _([1, 2, 3])
     *  .tap(function(array) {
     *    // Mutate input array.
     *    array.pop();
     *  })
     *  .reverse()
     *  .value();
     * // => [2, 1]
     */
    function tap(value, interceptor) {
      interceptor(value);
      return value;
    }

    /**
     * This method is like `_.tap` except that it returns the result of `interceptor`.
     * The purpose of this method is to "pass thru" values replacing intermediate
     * results in a method chain sequence.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Seq
     * @param {*} value The value to provide to `interceptor`.
     * @param {Function} interceptor The function to invoke.
     * @returns {*} Returns the result of `interceptor`.
     * @example
     *
     * _('  abc  ')
     *  .chain()
     *  .trim()
     *  .thru(function(value) {
     *    return [value];
     *  })
     *  .value();
     * // => ['abc']
     */
    function thru(value, interceptor) {
      return interceptor(value);
    }

    /**
     * This method is the wrapper version of `_.at`.
     *
     * @name at
     * @memberOf _
     * @since 1.0.0
     * @category Seq
     * @param {...(string|string[])} [paths] The property paths to pick.
     * @returns {Object} Returns the new `lodash` wrapper instance.
     * @example
     *
     * var object = { 'a': [{ 'b': { 'c': 3 } }, 4] };
     *
     * _(object).at(['a[0].b.c', 'a[1]']).value();
     * // => [3, 4]
     */
    var wrapperAt = flatRest(function(paths) {
      var length = paths.length,
          start = length ? paths[0] : 0,
          value = this.__wrapped__,
          interceptor = function(object) { return baseAt(object, paths); };

      if (length > 1 || this.__actions__.length ||
          !(value instanceof LazyWrapper) || !isIndex(start)) {
        return this.thru(interceptor);
      }
      value = value.slice(start, +start + (length ? 1 : 0));
      value.__actions__.push({
        'func': thru,
        'args': [interceptor],
        'thisArg': undefined
      });
      return new LodashWrapper(value, this.__chain__).thru(function(array) {
        if (length && !array.length) {
          array.push(undefined);
        }
        return array;
      });
    });

    /**
     * Creates a `lodash` wrapper instance with explicit method chain sequences enabled.
     *
     * @name chain
     * @memberOf _
     * @since 0.1.0
     * @category Seq
     * @returns {Object} Returns the new `lodash` wrapper instance.
     * @example
     *
     * var users = [
     *   { 'user': 'barney', 'age': 36 },
     *   { 'user': 'fred',   'age': 40 }
     * ];
     *
     * // A sequence without explicit chaining.
     * _(users).head();
     * // => { 'user': 'barney', 'age': 36 }
     *
     * // A sequence with explicit chaining.
     * _(users)
     *   .chain()
     *   .head()
     *   .pick('user')
     *   .value();
     * // => { 'user': 'barney' }
     */
    function wrapperChain() {
      return chain(this);
    }

    /**
     * Executes the chain sequence and returns the wrapped result.
     *
     * @name commit
     * @memberOf _
     * @since 3.2.0
     * @category Seq
     * @returns {Object} Returns the new `lodash` wrapper instance.
     * @example
     *
     * var array = [1, 2];
     * var wrapped = _(array).push(3);
     *
     * console.log(array);
     * // => [1, 2]
     *
     * wrapped = wrapped.commit();
     * console.log(array);
     * // => [1, 2, 3]
     *
     * wrapped.last();
     * // => 3
     *
     * console.log(array);
     * // => [1, 2, 3]
     */
    function wrapperCommit() {
      return new LodashWrapper(this.value(), this.__chain__);
    }

    /**
     * Gets the next value on a wrapped object following the
     * [iterator protocol](https://mdn.io/iteration_protocols#iterator).
     *
     * @name next
     * @memberOf _
     * @since 4.0.0
     * @category Seq
     * @returns {Object} Returns the next iterator value.
     * @example
     *
     * var wrapped = _([1, 2]);
     *
     * wrapped.next();
     * // => { 'done': false, 'value': 1 }
     *
     * wrapped.next();
     * // => { 'done': false, 'value': 2 }
     *
     * wrapped.next();
     * // => { 'done': true, 'value': undefined }
     */
    function wrapperNext() {
      if (this.__values__ === undefined) {
        this.__values__ = toArray(this.value());
      }
      var done = this.__index__ >= this.__values__.length,
          value = done ? undefined : this.__values__[this.__index__++];

      return { 'done': done, 'value': value };
    }

    /**
     * Enables the wrapper to be iterable.
     *
     * @name Symbol.iterator
     * @memberOf _
     * @since 4.0.0
     * @category Seq
     * @returns {Object} Returns the wrapper object.
     * @example
     *
     * var wrapped = _([1, 2]);
     *
     * wrapped[Symbol.iterator]() === wrapped;
     * // => true
     *
     * Array.from(wrapped);
     * // => [1, 2]
     */
    function wrapperToIterator() {
      return this;
    }

    /**
     * Creates a clone of the chain sequence planting `value` as the wrapped value.
     *
     * @name plant
     * @memberOf _
     * @since 3.2.0
     * @category Seq
     * @param {*} value The value to plant.
     * @returns {Object} Returns the new `lodash` wrapper instance.
     * @example
     *
     * function square(n) {
     *   return n * n;
     * }
     *
     * var wrapped = _([1, 2]).map(square);
     * var other = wrapped.plant([3, 4]);
     *
     * other.value();
     * // => [9, 16]
     *
     * wrapped.value();
     * // => [1, 4]
     */
    function wrapperPlant(value) {
      var result,
          parent = this;

      while (parent instanceof baseLodash) {
        var clone = wrapperClone(parent);
        clone.__index__ = 0;
        clone.__values__ = undefined;
        if (result) {
          previous.__wrapped__ = clone;
        } else {
          result = clone;
        }
        var previous = clone;
        parent = parent.__wrapped__;
      }
      previous.__wrapped__ = value;
      return result;
    }

    /**
     * This method is the wrapper version of `_.reverse`.
     *
     * **Note:** This method mutates the wrapped array.
     *
     * @name reverse
     * @memberOf _
     * @since 0.1.0
     * @category Seq
     * @returns {Object} Returns the new `lodash` wrapper instance.
     * @example
     *
     * var array = [1, 2, 3];
     *
     * _(array).reverse().value()
     * // => [3, 2, 1]
     *
     * console.log(array);
     * // => [3, 2, 1]
     */
    function wrapperReverse() {
      var value = this.__wrapped__;
      if (value instanceof LazyWrapper) {
        var wrapped = value;
        if (this.__actions__.length) {
          wrapped = new LazyWrapper(this);
        }
        wrapped = wrapped.reverse();
        wrapped.__actions__.push({
          'func': thru,
          'args': [reverse],
          'thisArg': undefined
        });
        return new LodashWrapper(wrapped, this.__chain__);
      }
      return this.thru(reverse);
    }

    /**
     * Executes the chain sequence to resolve the unwrapped value.
     *
     * @name value
     * @memberOf _
     * @since 0.1.0
     * @alias toJSON, valueOf
     * @category Seq
     * @returns {*} Returns the resolved unwrapped value.
     * @example
     *
     * _([1, 2, 3]).value();
     * // => [1, 2, 3]
     */
    function wrapperValue() {
      return baseWrapperValue(this.__wrapped__, this.__actions__);
    }

    /*------------------------------------------------------------------------*/

    /**
     * Creates an object composed of keys generated from the results of running
     * each element of `collection` thru `iteratee`. The corresponding value of
     * each key is the number of times the key was returned by `iteratee`. The
     * iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 0.5.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The iteratee to transform keys.
     * @returns {Object} Returns the composed aggregate object.
     * @example
     *
     * _.countBy([6.1, 4.2, 6.3], Math.floor);
     * // => { '4': 1, '6': 2 }
     *
     * // The `_.property` iteratee shorthand.
     * _.countBy(['one', 'two', 'three'], 'length');
     * // => { '3': 2, '5': 1 }
     */
    var countBy = createAggregator(function(result, value, key) {
      if (hasOwnProperty.call(result, key)) {
        ++result[key];
      } else {
        baseAssignValue(result, key, 1);
      }
    });

    /**
     * Checks if `predicate` returns truthy for **all** elements of `collection`.
     * Iteration is stopped once `predicate` returns falsey. The predicate is
     * invoked with three arguments: (value, index|key, collection).
     *
     * **Note:** This method returns `true` for
     * [empty collections](https://en.wikipedia.org/wiki/Empty_set) because
     * [everything is true](https://en.wikipedia.org/wiki/Vacuous_truth) of
     * elements of empty collections.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {boolean} Returns `true` if all elements pass the predicate check,
     *  else `false`.
     * @example
     *
     * _.every([true, 1, null, 'yes'], Boolean);
     * // => false
     *
     * var users = [
     *   { 'user': 'barney', 'age': 36, 'active': false },
     *   { 'user': 'fred',   'age': 40, 'active': false }
     * ];
     *
     * // The `_.matches` iteratee shorthand.
     * _.every(users, { 'user': 'barney', 'active': false });
     * // => false
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.every(users, ['active', false]);
     * // => true
     *
     * // The `_.property` iteratee shorthand.
     * _.every(users, 'active');
     * // => false
     */
    function every(collection, predicate, guard) {
      var func = isArray(collection) ? arrayEvery : baseEvery;
      if (guard && isIterateeCall(collection, predicate, guard)) {
        predicate = undefined;
      }
      return func(collection, getIteratee(predicate, 3));
    }

    /**
     * Iterates over elements of `collection`, returning an array of all elements
     * `predicate` returns truthy for. The predicate is invoked with three
     * arguments: (value, index|key, collection).
     *
     * **Note:** Unlike `_.remove`, this method returns a new array.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the new filtered array.
     * @see _.reject
     * @example
     *
     * var users = [
     *   { 'user': 'barney', 'age': 36, 'active': true },
     *   { 'user': 'fred',   'age': 40, 'active': false }
     * ];
     *
     * _.filter(users, function(o) { return !o.active; });
     * // => objects for ['fred']
     *
     * // The `_.matches` iteratee shorthand.
     * _.filter(users, { 'age': 36, 'active': true });
     * // => objects for ['barney']
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.filter(users, ['active', false]);
     * // => objects for ['fred']
     *
     * // The `_.property` iteratee shorthand.
     * _.filter(users, 'active');
     * // => objects for ['barney']
     *
     * // Combining several predicates using `_.overEvery` or `_.overSome`.
     * _.filter(users, _.overSome([{ 'age': 36 }, ['age', 40]]));
     * // => objects for ['fred', 'barney']
     */
    function filter(collection, predicate) {
      var func = isArray(collection) ? arrayFilter : baseFilter;
      return func(collection, getIteratee(predicate, 3));
    }

    /**
     * Iterates over elements of `collection`, returning the first element
     * `predicate` returns truthy for. The predicate is invoked with three
     * arguments: (value, index|key, collection).
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to inspect.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @param {number} [fromIndex=0] The index to search from.
     * @returns {*} Returns the matched element, else `undefined`.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'age': 36, 'active': true },
     *   { 'user': 'fred',    'age': 40, 'active': false },
     *   { 'user': 'pebbles', 'age': 1,  'active': true }
     * ];
     *
     * _.find(users, function(o) { return o.age < 40; });
     * // => object for 'barney'
     *
     * // The `_.matches` iteratee shorthand.
     * _.find(users, { 'age': 1, 'active': true });
     * // => object for 'pebbles'
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.find(users, ['active', false]);
     * // => object for 'fred'
     *
     * // The `_.property` iteratee shorthand.
     * _.find(users, 'active');
     * // => object for 'barney'
     */
    var find = createFind(findIndex);

    /**
     * This method is like `_.find` except that it iterates over elements of
     * `collection` from right to left.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Collection
     * @param {Array|Object} collection The collection to inspect.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @param {number} [fromIndex=collection.length-1] The index to search from.
     * @returns {*} Returns the matched element, else `undefined`.
     * @example
     *
     * _.findLast([1, 2, 3, 4], function(n) {
     *   return n % 2 == 1;
     * });
     * // => 3
     */
    var findLast = createFind(findLastIndex);

    /**
     * Creates a flattened array of values by running each element in `collection`
     * thru `iteratee` and flattening the mapped results. The iteratee is invoked
     * with three arguments: (value, index|key, collection).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the new flattened array.
     * @example
     *
     * function duplicate(n) {
     *   return [n, n];
     * }
     *
     * _.flatMap([1, 2], duplicate);
     * // => [1, 1, 2, 2]
     */
    function flatMap(collection, iteratee) {
      return baseFlatten(map(collection, iteratee), 1);
    }

    /**
     * This method is like `_.flatMap` except that it recursively flattens the
     * mapped results.
     *
     * @static
     * @memberOf _
     * @since 4.7.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the new flattened array.
     * @example
     *
     * function duplicate(n) {
     *   return [[[n, n]]];
     * }
     *
     * _.flatMapDeep([1, 2], duplicate);
     * // => [1, 1, 2, 2]
     */
    function flatMapDeep(collection, iteratee) {
      return baseFlatten(map(collection, iteratee), INFINITY);
    }

    /**
     * This method is like `_.flatMap` except that it recursively flattens the
     * mapped results up to `depth` times.
     *
     * @static
     * @memberOf _
     * @since 4.7.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @param {number} [depth=1] The maximum recursion depth.
     * @returns {Array} Returns the new flattened array.
     * @example
     *
     * function duplicate(n) {
     *   return [[[n, n]]];
     * }
     *
     * _.flatMapDepth([1, 2], duplicate, 2);
     * // => [[1, 1], [2, 2]]
     */
    function flatMapDepth(collection, iteratee, depth) {
      depth = depth === undefined ? 1 : toInteger(depth);
      return baseFlatten(map(collection, iteratee), depth);
    }

    /**
     * Iterates over elements of `collection` and invokes `iteratee` for each element.
     * The iteratee is invoked with three arguments: (value, index|key, collection).
     * Iteratee functions may exit iteration early by explicitly returning `false`.
     *
     * **Note:** As with other "Collections" methods, objects with a "length"
     * property are iterated like arrays. To avoid this behavior use `_.forIn`
     * or `_.forOwn` for object iteration.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @alias each
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Array|Object} Returns `collection`.
     * @see _.forEachRight
     * @example
     *
     * _.forEach([1, 2], function(value) {
     *   console.log(value);
     * });
     * // => Logs `1` then `2`.
     *
     * _.forEach({ 'a': 1, 'b': 2 }, function(value, key) {
     *   console.log(key);
     * });
     * // => Logs 'a' then 'b' (iteration order is not guaranteed).
     */
    function forEach(collection, iteratee) {
      var func = isArray(collection) ? arrayEach : baseEach;
      return func(collection, getIteratee(iteratee, 3));
    }

    /**
     * This method is like `_.forEach` except that it iterates over elements of
     * `collection` from right to left.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @alias eachRight
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Array|Object} Returns `collection`.
     * @see _.forEach
     * @example
     *
     * _.forEachRight([1, 2], function(value) {
     *   console.log(value);
     * });
     * // => Logs `2` then `1`.
     */
    function forEachRight(collection, iteratee) {
      var func = isArray(collection) ? arrayEachRight : baseEachRight;
      return func(collection, getIteratee(iteratee, 3));
    }

    /**
     * Creates an object composed of keys generated from the results of running
     * each element of `collection` thru `iteratee`. The order of grouped values
     * is determined by the order they occur in `collection`. The corresponding
     * value of each key is an array of elements responsible for generating the
     * key. The iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The iteratee to transform keys.
     * @returns {Object} Returns the composed aggregate object.
     * @example
     *
     * _.groupBy([6.1, 4.2, 6.3], Math.floor);
     * // => { '4': [4.2], '6': [6.1, 6.3] }
     *
     * // The `_.property` iteratee shorthand.
     * _.groupBy(['one', 'two', 'three'], 'length');
     * // => { '3': ['one', 'two'], '5': ['three'] }
     */
    var groupBy = createAggregator(function(result, value, key) {
      if (hasOwnProperty.call(result, key)) {
        result[key].push(value);
      } else {
        baseAssignValue(result, key, [value]);
      }
    });

    /**
     * Checks if `value` is in `collection`. If `collection` is a string, it's
     * checked for a substring of `value`, otherwise
     * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * is used for equality comparisons. If `fromIndex` is negative, it's used as
     * the offset from the end of `collection`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object|string} collection The collection to inspect.
     * @param {*} value The value to search for.
     * @param {number} [fromIndex=0] The index to search from.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.reduce`.
     * @returns {boolean} Returns `true` if `value` is found, else `false`.
     * @example
     *
     * _.includes([1, 2, 3], 1);
     * // => true
     *
     * _.includes([1, 2, 3], 1, 2);
     * // => false
     *
     * _.includes({ 'a': 1, 'b': 2 }, 1);
     * // => true
     *
     * _.includes('abcd', 'bc');
     * // => true
     */
    function includes(collection, value, fromIndex, guard) {
      collection = isArrayLike(collection) ? collection : values(collection);
      fromIndex = (fromIndex && !guard) ? toInteger(fromIndex) : 0;

      var length = collection.length;
      if (fromIndex < 0) {
        fromIndex = nativeMax(length + fromIndex, 0);
      }
      return isString(collection)
        ? (fromIndex <= length && collection.indexOf(value, fromIndex) > -1)
        : (!!length && baseIndexOf(collection, value, fromIndex) > -1);
    }

    /**
     * Invokes the method at `path` of each element in `collection`, returning
     * an array of the results of each invoked method. Any additional arguments
     * are provided to each invoked method. If `path` is a function, it's invoked
     * for, and `this` bound to, each element in `collection`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Array|Function|string} path The path of the method to invoke or
     *  the function invoked per iteration.
     * @param {...*} [args] The arguments to invoke each method with.
     * @returns {Array} Returns the array of results.
     * @example
     *
     * _.invokeMap([[5, 1, 7], [3, 2, 1]], 'sort');
     * // => [[1, 5, 7], [1, 2, 3]]
     *
     * _.invokeMap([123, 456], String.prototype.split, '');
     * // => [['1', '2', '3'], ['4', '5', '6']]
     */
    var invokeMap = baseRest(function(collection, path, args) {
      var index = -1,
          isFunc = typeof path == 'function',
          result = isArrayLike(collection) ? Array(collection.length) : [];

      baseEach(collection, function(value) {
        result[++index] = isFunc ? apply(path, value, args) : baseInvoke(value, path, args);
      });
      return result;
    });

    /**
     * Creates an object composed of keys generated from the results of running
     * each element of `collection` thru `iteratee`. The corresponding value of
     * each key is the last element responsible for generating the key. The
     * iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The iteratee to transform keys.
     * @returns {Object} Returns the composed aggregate object.
     * @example
     *
     * var array = [
     *   { 'dir': 'left', 'code': 97 },
     *   { 'dir': 'right', 'code': 100 }
     * ];
     *
     * _.keyBy(array, function(o) {
     *   return String.fromCharCode(o.code);
     * });
     * // => { 'a': { 'dir': 'left', 'code': 97 }, 'd': { 'dir': 'right', 'code': 100 } }
     *
     * _.keyBy(array, 'dir');
     * // => { 'left': { 'dir': 'left', 'code': 97 }, 'right': { 'dir': 'right', 'code': 100 } }
     */
    var keyBy = createAggregator(function(result, value, key) {
      baseAssignValue(result, key, value);
    });

    /**
     * Creates an array of values by running each element in `collection` thru
     * `iteratee`. The iteratee is invoked with three arguments:
     * (value, index|key, collection).
     *
     * Many lodash methods are guarded to work as iteratees for methods like
     * `_.every`, `_.filter`, `_.map`, `_.mapValues`, `_.reject`, and `_.some`.
     *
     * The guarded methods are:
     * `ary`, `chunk`, `curry`, `curryRight`, `drop`, `dropRight`, `every`,
     * `fill`, `invert`, `parseInt`, `random`, `range`, `rangeRight`, `repeat`,
     * `sampleSize`, `slice`, `some`, `sortBy`, `split`, `take`, `takeRight`,
     * `template`, `trim`, `trimEnd`, `trimStart`, and `words`
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the new mapped array.
     * @example
     *
     * function square(n) {
     *   return n * n;
     * }
     *
     * _.map([4, 8], square);
     * // => [16, 64]
     *
     * _.map({ 'a': 4, 'b': 8 }, square);
     * // => [16, 64] (iteration order is not guaranteed)
     *
     * var users = [
     *   { 'user': 'barney' },
     *   { 'user': 'fred' }
     * ];
     *
     * // The `_.property` iteratee shorthand.
     * _.map(users, 'user');
     * // => ['barney', 'fred']
     */
    function map(collection, iteratee) {
      var func = isArray(collection) ? arrayMap : baseMap;
      return func(collection, getIteratee(iteratee, 3));
    }

    /**
     * This method is like `_.sortBy` except that it allows specifying the sort
     * orders of the iteratees to sort by. If `orders` is unspecified, all values
     * are sorted in ascending order. Otherwise, specify an order of "desc" for
     * descending or "asc" for ascending sort order of corresponding values.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Array[]|Function[]|Object[]|string[]} [iteratees=[_.identity]]
     *  The iteratees to sort by.
     * @param {string[]} [orders] The sort orders of `iteratees`.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.reduce`.
     * @returns {Array} Returns the new sorted array.
     * @example
     *
     * var users = [
     *   { 'user': 'fred',   'age': 48 },
     *   { 'user': 'barney', 'age': 34 },
     *   { 'user': 'fred',   'age': 40 },
     *   { 'user': 'barney', 'age': 36 }
     * ];
     *
     * // Sort by `user` in ascending order and by `age` in descending order.
     * _.orderBy(users, ['user', 'age'], ['asc', 'desc']);
     * // => objects for [['barney', 36], ['barney', 34], ['fred', 48], ['fred', 40]]
     */
    function orderBy(collection, iteratees, orders, guard) {
      if (collection == null) {
        return [];
      }
      if (!isArray(iteratees)) {
        iteratees = iteratees == null ? [] : [iteratees];
      }
      orders = guard ? undefined : orders;
      if (!isArray(orders)) {
        orders = orders == null ? [] : [orders];
      }
      return baseOrderBy(collection, iteratees, orders);
    }

    /**
     * Creates an array of elements split into two groups, the first of which
     * contains elements `predicate` returns truthy for, the second of which
     * contains elements `predicate` returns falsey for. The predicate is
     * invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the array of grouped elements.
     * @example
     *
     * var users = [
     *   { 'user': 'barney',  'age': 36, 'active': false },
     *   { 'user': 'fred',    'age': 40, 'active': true },
     *   { 'user': 'pebbles', 'age': 1,  'active': false }
     * ];
     *
     * _.partition(users, function(o) { return o.active; });
     * // => objects for [['fred'], ['barney', 'pebbles']]
     *
     * // The `_.matches` iteratee shorthand.
     * _.partition(users, { 'age': 1, 'active': false });
     * // => objects for [['pebbles'], ['barney', 'fred']]
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.partition(users, ['active', false]);
     * // => objects for [['barney', 'pebbles'], ['fred']]
     *
     * // The `_.property` iteratee shorthand.
     * _.partition(users, 'active');
     * // => objects for [['fred'], ['barney', 'pebbles']]
     */
    var partition = createAggregator(function(result, value, key) {
      result[key ? 0 : 1].push(value);
    }, function() { return [[], []]; });

    /**
     * Reduces `collection` to a value which is the accumulated result of running
     * each element in `collection` thru `iteratee`, where each successive
     * invocation is supplied the return value of the previous. If `accumulator`
     * is not given, the first element of `collection` is used as the initial
     * value. The iteratee is invoked with four arguments:
     * (accumulator, value, index|key, collection).
     *
     * Many lodash methods are guarded to work as iteratees for methods like
     * `_.reduce`, `_.reduceRight`, and `_.transform`.
     *
     * The guarded methods are:
     * `assign`, `defaults`, `defaultsDeep`, `includes`, `merge`, `orderBy`,
     * and `sortBy`
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @param {*} [accumulator] The initial value.
     * @returns {*} Returns the accumulated value.
     * @see _.reduceRight
     * @example
     *
     * _.reduce([1, 2], function(sum, n) {
     *   return sum + n;
     * }, 0);
     * // => 3
     *
     * _.reduce({ 'a': 1, 'b': 2, 'c': 1 }, function(result, value, key) {
     *   (result[value] || (result[value] = [])).push(key);
     *   return result;
     * }, {});
     * // => { '1': ['a', 'c'], '2': ['b'] } (iteration order is not guaranteed)
     */
    function reduce(collection, iteratee, accumulator) {
      var func = isArray(collection) ? arrayReduce : baseReduce,
          initAccum = arguments.length < 3;

      return func(collection, getIteratee(iteratee, 4), accumulator, initAccum, baseEach);
    }

    /**
     * This method is like `_.reduce` except that it iterates over elements of
     * `collection` from right to left.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @param {*} [accumulator] The initial value.
     * @returns {*} Returns the accumulated value.
     * @see _.reduce
     * @example
     *
     * var array = [[0, 1], [2, 3], [4, 5]];
     *
     * _.reduceRight(array, function(flattened, other) {
     *   return flattened.concat(other);
     * }, []);
     * // => [4, 5, 2, 3, 0, 1]
     */
    function reduceRight(collection, iteratee, accumulator) {
      var func = isArray(collection) ? arrayReduceRight : baseReduce,
          initAccum = arguments.length < 3;

      return func(collection, getIteratee(iteratee, 4), accumulator, initAccum, baseEachRight);
    }

    /**
     * The opposite of `_.filter`; this method returns the elements of `collection`
     * that `predicate` does **not** return truthy for.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the new filtered array.
     * @see _.filter
     * @example
     *
     * var users = [
     *   { 'user': 'barney', 'age': 36, 'active': false },
     *   { 'user': 'fred',   'age': 40, 'active': true }
     * ];
     *
     * _.reject(users, function(o) { return !o.active; });
     * // => objects for ['fred']
     *
     * // The `_.matches` iteratee shorthand.
     * _.reject(users, { 'age': 40, 'active': true });
     * // => objects for ['barney']
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.reject(users, ['active', false]);
     * // => objects for ['fred']
     *
     * // The `_.property` iteratee shorthand.
     * _.reject(users, 'active');
     * // => objects for ['barney']
     */
    function reject(collection, predicate) {
      var func = isArray(collection) ? arrayFilter : baseFilter;
      return func(collection, negate(getIteratee(predicate, 3)));
    }

    /**
     * Gets a random element from `collection`.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Collection
     * @param {Array|Object} collection The collection to sample.
     * @returns {*} Returns the random element.
     * @example
     *
     * _.sample([1, 2, 3, 4]);
     * // => 2
     */
    function sample(collection) {
      var func = isArray(collection) ? arraySample : baseSample;
      return func(collection);
    }

    /**
     * Gets `n` random elements at unique keys from `collection` up to the
     * size of `collection`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Collection
     * @param {Array|Object} collection The collection to sample.
     * @param {number} [n=1] The number of elements to sample.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Array} Returns the random elements.
     * @example
     *
     * _.sampleSize([1, 2, 3], 2);
     * // => [3, 1]
     *
     * _.sampleSize([1, 2, 3], 4);
     * // => [2, 3, 1]
     */
    function sampleSize(collection, n, guard) {
      if ((guard ? isIterateeCall(collection, n, guard) : n === undefined)) {
        n = 1;
      } else {
        n = toInteger(n);
      }
      var func = isArray(collection) ? arraySampleSize : baseSampleSize;
      return func(collection, n);
    }

    /**
     * Creates an array of shuffled values, using a version of the
     * [Fisher-Yates shuffle](https://en.wikipedia.org/wiki/Fisher-Yates_shuffle).
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to shuffle.
     * @returns {Array} Returns the new shuffled array.
     * @example
     *
     * _.shuffle([1, 2, 3, 4]);
     * // => [4, 1, 3, 2]
     */
    function shuffle(collection) {
      var func = isArray(collection) ? arrayShuffle : baseShuffle;
      return func(collection);
    }

    /**
     * Gets the size of `collection` by returning its length for array-like
     * values or the number of own enumerable string keyed properties for objects.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object|string} collection The collection to inspect.
     * @returns {number} Returns the collection size.
     * @example
     *
     * _.size([1, 2, 3]);
     * // => 3
     *
     * _.size({ 'a': 1, 'b': 2 });
     * // => 2
     *
     * _.size('pebbles');
     * // => 7
     */
    function size(collection) {
      if (collection == null) {
        return 0;
      }
      if (isArrayLike(collection)) {
        return isString(collection) ? stringSize(collection) : collection.length;
      }
      var tag = getTag(collection);
      if (tag == mapTag || tag == setTag) {
        return collection.size;
      }
      return baseKeys(collection).length;
    }

    /**
     * Checks if `predicate` returns truthy for **any** element of `collection`.
     * Iteration is stopped once `predicate` returns truthy. The predicate is
     * invoked with three arguments: (value, index|key, collection).
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {boolean} Returns `true` if any element passes the predicate check,
     *  else `false`.
     * @example
     *
     * _.some([null, 0, 'yes', false], Boolean);
     * // => true
     *
     * var users = [
     *   { 'user': 'barney', 'active': true },
     *   { 'user': 'fred',   'active': false }
     * ];
     *
     * // The `_.matches` iteratee shorthand.
     * _.some(users, { 'user': 'barney', 'active': false });
     * // => false
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.some(users, ['active', false]);
     * // => true
     *
     * // The `_.property` iteratee shorthand.
     * _.some(users, 'active');
     * // => true
     */
    function some(collection, predicate, guard) {
      var func = isArray(collection) ? arraySome : baseSome;
      if (guard && isIterateeCall(collection, predicate, guard)) {
        predicate = undefined;
      }
      return func(collection, getIteratee(predicate, 3));
    }

    /**
     * Creates an array of elements, sorted in ascending order by the results of
     * running each element in a collection thru each iteratee. This method
     * performs a stable sort, that is, it preserves the original sort order of
     * equal elements. The iteratees are invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Collection
     * @param {Array|Object} collection The collection to iterate over.
     * @param {...(Function|Function[])} [iteratees=[_.identity]]
     *  The iteratees to sort by.
     * @returns {Array} Returns the new sorted array.
     * @example
     *
     * var users = [
     *   { 'user': 'fred',   'age': 48 },
     *   { 'user': 'barney', 'age': 36 },
     *   { 'user': 'fred',   'age': 30 },
     *   { 'user': 'barney', 'age': 34 }
     * ];
     *
     * _.sortBy(users, [function(o) { return o.user; }]);
     * // => objects for [['barney', 36], ['barney', 34], ['fred', 48], ['fred', 30]]
     *
     * _.sortBy(users, ['user', 'age']);
     * // => objects for [['barney', 34], ['barney', 36], ['fred', 30], ['fred', 48]]
     */
    var sortBy = baseRest(function(collection, iteratees) {
      if (collection == null) {
        return [];
      }
      var length = iteratees.length;
      if (length > 1 && isIterateeCall(collection, iteratees[0], iteratees[1])) {
        iteratees = [];
      } else if (length > 2 && isIterateeCall(iteratees[0], iteratees[1], iteratees[2])) {
        iteratees = [iteratees[0]];
      }
      return baseOrderBy(collection, baseFlatten(iteratees, 1), []);
    });

    /*------------------------------------------------------------------------*/

    /**
     * Gets the timestamp of the number of milliseconds that have elapsed since
     * the Unix epoch (1 January 1970 00:00:00 UTC).
     *
     * @static
     * @memberOf _
     * @since 2.4.0
     * @category Date
     * @returns {number} Returns the timestamp.
     * @example
     *
     * _.defer(function(stamp) {
     *   console.log(_.now() - stamp);
     * }, _.now());
     * // => Logs the number of milliseconds it took for the deferred invocation.
     */
    var now = ctxNow || function() {
      return root.Date.now();
    };

    /*------------------------------------------------------------------------*/

    /**
     * The opposite of `_.before`; this method creates a function that invokes
     * `func` once it's called `n` or more times.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {number} n The number of calls before `func` is invoked.
     * @param {Function} func The function to restrict.
     * @returns {Function} Returns the new restricted function.
     * @example
     *
     * var saves = ['profile', 'settings'];
     *
     * var done = _.after(saves.length, function() {
     *   console.log('done saving!');
     * });
     *
     * _.forEach(saves, function(type) {
     *   asyncSave({ 'type': type, 'complete': done });
     * });
     * // => Logs 'done saving!' after the two async saves have completed.
     */
    function after(n, func) {
      if (typeof func != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      n = toInteger(n);
      return function() {
        if (--n < 1) {
          return func.apply(this, arguments);
        }
      };
    }

    /**
     * Creates a function that invokes `func`, with up to `n` arguments,
     * ignoring any additional arguments.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Function
     * @param {Function} func The function to cap arguments for.
     * @param {number} [n=func.length] The arity cap.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Function} Returns the new capped function.
     * @example
     *
     * _.map(['6', '8', '10'], _.ary(parseInt, 1));
     * // => [6, 8, 10]
     */
    function ary(func, n, guard) {
      n = guard ? undefined : n;
      n = (func && n == null) ? func.length : n;
      return createWrap(func, WRAP_ARY_FLAG, undefined, undefined, undefined, undefined, n);
    }

    /**
     * Creates a function that invokes `func`, with the `this` binding and arguments
     * of the created function, while it's called less than `n` times. Subsequent
     * calls to the created function return the result of the last `func` invocation.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Function
     * @param {number} n The number of calls at which `func` is no longer invoked.
     * @param {Function} func The function to restrict.
     * @returns {Function} Returns the new restricted function.
     * @example
     *
     * jQuery(element).on('click', _.before(5, addContactToList));
     * // => Allows adding up to 4 contacts to the list.
     */
    function before(n, func) {
      var result;
      if (typeof func != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      n = toInteger(n);
      return function() {
        if (--n > 0) {
          result = func.apply(this, arguments);
        }
        if (n <= 1) {
          func = undefined;
        }
        return result;
      };
    }

    /**
     * Creates a function that invokes `func` with the `this` binding of `thisArg`
     * and `partials` prepended to the arguments it receives.
     *
     * The `_.bind.placeholder` value, which defaults to `_` in monolithic builds,
     * may be used as a placeholder for partially applied arguments.
     *
     * **Note:** Unlike native `Function#bind`, this method doesn't set the "length"
     * property of bound functions.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {Function} func The function to bind.
     * @param {*} thisArg The `this` binding of `func`.
     * @param {...*} [partials] The arguments to be partially applied.
     * @returns {Function} Returns the new bound function.
     * @example
     *
     * function greet(greeting, punctuation) {
     *   return greeting + ' ' + this.user + punctuation;
     * }
     *
     * var object = { 'user': 'fred' };
     *
     * var bound = _.bind(greet, object, 'hi');
     * bound('!');
     * // => 'hi fred!'
     *
     * // Bound with placeholders.
     * var bound = _.bind(greet, object, _, '!');
     * bound('hi');
     * // => 'hi fred!'
     */
    var bind = baseRest(function(func, thisArg, partials) {
      var bitmask = WRAP_BIND_FLAG;
      if (partials.length) {
        var holders = replaceHolders(partials, getHolder(bind));
        bitmask |= WRAP_PARTIAL_FLAG;
      }
      return createWrap(func, bitmask, thisArg, partials, holders);
    });

    /**
     * Creates a function that invokes the method at `object[key]` with `partials`
     * prepended to the arguments it receives.
     *
     * This method differs from `_.bind` by allowing bound functions to reference
     * methods that may be redefined or don't yet exist. See
     * [Peter Michaux's article](http://peter.michaux.ca/articles/lazy-function-definition-pattern)
     * for more details.
     *
     * The `_.bindKey.placeholder` value, which defaults to `_` in monolithic
     * builds, may be used as a placeholder for partially applied arguments.
     *
     * @static
     * @memberOf _
     * @since 0.10.0
     * @category Function
     * @param {Object} object The object to invoke the method on.
     * @param {string} key The key of the method.
     * @param {...*} [partials] The arguments to be partially applied.
     * @returns {Function} Returns the new bound function.
     * @example
     *
     * var object = {
     *   'user': 'fred',
     *   'greet': function(greeting, punctuation) {
     *     return greeting + ' ' + this.user + punctuation;
     *   }
     * };
     *
     * var bound = _.bindKey(object, 'greet', 'hi');
     * bound('!');
     * // => 'hi fred!'
     *
     * object.greet = function(greeting, punctuation) {
     *   return greeting + 'ya ' + this.user + punctuation;
     * };
     *
     * bound('!');
     * // => 'hiya fred!'
     *
     * // Bound with placeholders.
     * var bound = _.bindKey(object, 'greet', _, '!');
     * bound('hi');
     * // => 'hiya fred!'
     */
    var bindKey = baseRest(function(object, key, partials) {
      var bitmask = WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG;
      if (partials.length) {
        var holders = replaceHolders(partials, getHolder(bindKey));
        bitmask |= WRAP_PARTIAL_FLAG;
      }
      return createWrap(key, bitmask, object, partials, holders);
    });

    /**
     * Creates a function that accepts arguments of `func` and either invokes
     * `func` returning its result, if at least `arity` number of arguments have
     * been provided, or returns a function that accepts the remaining `func`
     * arguments, and so on. The arity of `func` may be specified if `func.length`
     * is not sufficient.
     *
     * The `_.curry.placeholder` value, which defaults to `_` in monolithic builds,
     * may be used as a placeholder for provided arguments.
     *
     * **Note:** This method doesn't set the "length" property of curried functions.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Function
     * @param {Function} func The function to curry.
     * @param {number} [arity=func.length] The arity of `func`.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Function} Returns the new curried function.
     * @example
     *
     * var abc = function(a, b, c) {
     *   return [a, b, c];
     * };
     *
     * var curried = _.curry(abc);
     *
     * curried(1)(2)(3);
     * // => [1, 2, 3]
     *
     * curried(1, 2)(3);
     * // => [1, 2, 3]
     *
     * curried(1, 2, 3);
     * // => [1, 2, 3]
     *
     * // Curried with placeholders.
     * curried(1)(_, 3)(2);
     * // => [1, 2, 3]
     */
    function curry(func, arity, guard) {
      arity = guard ? undefined : arity;
      var result = createWrap(func, WRAP_CURRY_FLAG, undefined, undefined, undefined, undefined, undefined, arity);
      result.placeholder = curry.placeholder;
      return result;
    }

    /**
     * This method is like `_.curry` except that arguments are applied to `func`
     * in the manner of `_.partialRight` instead of `_.partial`.
     *
     * The `_.curryRight.placeholder` value, which defaults to `_` in monolithic
     * builds, may be used as a placeholder for provided arguments.
     *
     * **Note:** This method doesn't set the "length" property of curried functions.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Function
     * @param {Function} func The function to curry.
     * @param {number} [arity=func.length] The arity of `func`.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Function} Returns the new curried function.
     * @example
     *
     * var abc = function(a, b, c) {
     *   return [a, b, c];
     * };
     *
     * var curried = _.curryRight(abc);
     *
     * curried(3)(2)(1);
     * // => [1, 2, 3]
     *
     * curried(2, 3)(1);
     * // => [1, 2, 3]
     *
     * curried(1, 2, 3);
     * // => [1, 2, 3]
     *
     * // Curried with placeholders.
     * curried(3)(1, _)(2);
     * // => [1, 2, 3]
     */
    function curryRight(func, arity, guard) {
      arity = guard ? undefined : arity;
      var result = createWrap(func, WRAP_CURRY_RIGHT_FLAG, undefined, undefined, undefined, undefined, undefined, arity);
      result.placeholder = curryRight.placeholder;
      return result;
    }

    /**
     * Creates a debounced function that delays invoking `func` until after `wait`
     * milliseconds have elapsed since the last time the debounced function was
     * invoked. The debounced function comes with a `cancel` method to cancel
     * delayed `func` invocations and a `flush` method to immediately invoke them.
     * Provide `options` to indicate whether `func` should be invoked on the
     * leading and/or trailing edge of the `wait` timeout. The `func` is invoked
     * with the last arguments provided to the debounced function. Subsequent
     * calls to the debounced function return the result of the last `func`
     * invocation.
     *
     * **Note:** If `leading` and `trailing` options are `true`, `func` is
     * invoked on the trailing edge of the timeout only if the debounced function
     * is invoked more than once during the `wait` timeout.
     *
     * If `wait` is `0` and `leading` is `false`, `func` invocation is deferred
     * until to the next tick, similar to `setTimeout` with a timeout of `0`.
     *
     * See [David Corbacho's article](https://css-tricks.com/debouncing-throttling-explained-examples/)
     * for details over the differences between `_.debounce` and `_.throttle`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {Function} func The function to debounce.
     * @param {number} [wait=0] The number of milliseconds to delay.
     * @param {Object} [options={}] The options object.
     * @param {boolean} [options.leading=false]
     *  Specify invoking on the leading edge of the timeout.
     * @param {number} [options.maxWait]
     *  The maximum time `func` is allowed to be delayed before it's invoked.
     * @param {boolean} [options.trailing=true]
     *  Specify invoking on the trailing edge of the timeout.
     * @returns {Function} Returns the new debounced function.
     * @example
     *
     * // Avoid costly calculations while the window size is in flux.
     * jQuery(window).on('resize', _.debounce(calculateLayout, 150));
     *
     * // Invoke `sendMail` when clicked, debouncing subsequent calls.
     * jQuery(element).on('click', _.debounce(sendMail, 300, {
     *   'leading': true,
     *   'trailing': false
     * }));
     *
     * // Ensure `batchLog` is invoked once after 1 second of debounced calls.
     * var debounced = _.debounce(batchLog, 250, { 'maxWait': 1000 });
     * var source = new EventSource('/stream');
     * jQuery(source).on('message', debounced);
     *
     * // Cancel the trailing debounced invocation.
     * jQuery(window).on('popstate', debounced.cancel);
     */
    function debounce(func, wait, options) {
      var lastArgs,
          lastThis,
          maxWait,
          result,
          timerId,
          lastCallTime,
          lastInvokeTime = 0,
          leading = false,
          maxing = false,
          trailing = true;

      if (typeof func != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      wait = toNumber(wait) || 0;
      if (isObject(options)) {
        leading = !!options.leading;
        maxing = 'maxWait' in options;
        maxWait = maxing ? nativeMax(toNumber(options.maxWait) || 0, wait) : maxWait;
        trailing = 'trailing' in options ? !!options.trailing : trailing;
      }

      function invokeFunc(time) {
        var args = lastArgs,
            thisArg = lastThis;

        lastArgs = lastThis = undefined;
        lastInvokeTime = time;
        result = func.apply(thisArg, args);
        return result;
      }

      function leadingEdge(time) {
        // Reset any `maxWait` timer.
        lastInvokeTime = time;
        // Start the timer for the trailing edge.
        timerId = setTimeout(timerExpired, wait);
        // Invoke the leading edge.
        return leading ? invokeFunc(time) : result;
      }

      function remainingWait(time) {
        var timeSinceLastCall = time - lastCallTime,
            timeSinceLastInvoke = time - lastInvokeTime,
            timeWaiting = wait - timeSinceLastCall;

        return maxing
          ? nativeMin(timeWaiting, maxWait - timeSinceLastInvoke)
          : timeWaiting;
      }

      function shouldInvoke(time) {
        var timeSinceLastCall = time - lastCallTime,
            timeSinceLastInvoke = time - lastInvokeTime;

        // Either this is the first call, activity has stopped and we're at the
        // trailing edge, the system time has gone backwards and we're treating
        // it as the trailing edge, or we've hit the `maxWait` limit.
        return (lastCallTime === undefined || (timeSinceLastCall >= wait) ||
          (timeSinceLastCall < 0) || (maxing && timeSinceLastInvoke >= maxWait));
      }

      function timerExpired() {
        var time = now();
        if (shouldInvoke(time)) {
          return trailingEdge(time);
        }
        // Restart the timer.
        timerId = setTimeout(timerExpired, remainingWait(time));
      }

      function trailingEdge(time) {
        timerId = undefined;

        // Only invoke if we have `lastArgs` which means `func` has been
        // debounced at least once.
        if (trailing && lastArgs) {
          return invokeFunc(time);
        }
        lastArgs = lastThis = undefined;
        return result;
      }

      function cancel() {
        if (timerId !== undefined) {
          clearTimeout(timerId);
        }
        lastInvokeTime = 0;
        lastArgs = lastCallTime = lastThis = timerId = undefined;
      }

      function flush() {
        return timerId === undefined ? result : trailingEdge(now());
      }

      function debounced() {
        var time = now(),
            isInvoking = shouldInvoke(time);

        lastArgs = arguments;
        lastThis = this;
        lastCallTime = time;

        if (isInvoking) {
          if (timerId === undefined) {
            return leadingEdge(lastCallTime);
          }
          if (maxing) {
            // Handle invocations in a tight loop.
            clearTimeout(timerId);
            timerId = setTimeout(timerExpired, wait);
            return invokeFunc(lastCallTime);
          }
        }
        if (timerId === undefined) {
          timerId = setTimeout(timerExpired, wait);
        }
        return result;
      }
      debounced.cancel = cancel;
      debounced.flush = flush;
      return debounced;
    }

    /**
     * Defers invoking the `func` until the current call stack has cleared. Any
     * additional arguments are provided to `func` when it's invoked.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {Function} func The function to defer.
     * @param {...*} [args] The arguments to invoke `func` with.
     * @returns {number} Returns the timer id.
     * @example
     *
     * _.defer(function(text) {
     *   console.log(text);
     * }, 'deferred');
     * // => Logs 'deferred' after one millisecond.
     */
    var defer = baseRest(function(func, args) {
      return baseDelay(func, 1, args);
    });

    /**
     * Invokes `func` after `wait` milliseconds. Any additional arguments are
     * provided to `func` when it's invoked.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {Function} func The function to delay.
     * @param {number} wait The number of milliseconds to delay invocation.
     * @param {...*} [args] The arguments to invoke `func` with.
     * @returns {number} Returns the timer id.
     * @example
     *
     * _.delay(function(text) {
     *   console.log(text);
     * }, 1000, 'later');
     * // => Logs 'later' after one second.
     */
    var delay = baseRest(function(func, wait, args) {
      return baseDelay(func, toNumber(wait) || 0, args);
    });

    /**
     * Creates a function that invokes `func` with arguments reversed.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Function
     * @param {Function} func The function to flip arguments for.
     * @returns {Function} Returns the new flipped function.
     * @example
     *
     * var flipped = _.flip(function() {
     *   return _.toArray(arguments);
     * });
     *
     * flipped('a', 'b', 'c', 'd');
     * // => ['d', 'c', 'b', 'a']
     */
    function flip(func) {
      return createWrap(func, WRAP_FLIP_FLAG);
    }

    /**
     * Creates a function that memoizes the result of `func`. If `resolver` is
     * provided, it determines the cache key for storing the result based on the
     * arguments provided to the memoized function. By default, the first argument
     * provided to the memoized function is used as the map cache key. The `func`
     * is invoked with the `this` binding of the memoized function.
     *
     * **Note:** The cache is exposed as the `cache` property on the memoized
     * function. Its creation may be customized by replacing the `_.memoize.Cache`
     * constructor with one whose instances implement the
     * [`Map`](http://ecma-international.org/ecma-262/7.0/#sec-properties-of-the-map-prototype-object)
     * method interface of `clear`, `delete`, `get`, `has`, and `set`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {Function} func The function to have its output memoized.
     * @param {Function} [resolver] The function to resolve the cache key.
     * @returns {Function} Returns the new memoized function.
     * @example
     *
     * var object = { 'a': 1, 'b': 2 };
     * var other = { 'c': 3, 'd': 4 };
     *
     * var values = _.memoize(_.values);
     * values(object);
     * // => [1, 2]
     *
     * values(other);
     * // => [3, 4]
     *
     * object.a = 2;
     * values(object);
     * // => [1, 2]
     *
     * // Modify the result cache.
     * values.cache.set(object, ['a', 'b']);
     * values(object);
     * // => ['a', 'b']
     *
     * // Replace `_.memoize.Cache`.
     * _.memoize.Cache = WeakMap;
     */
    function memoize(func, resolver) {
      if (typeof func != 'function' || (resolver != null && typeof resolver != 'function')) {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      var memoized = function() {
        var args = arguments,
            key = resolver ? resolver.apply(this, args) : args[0],
            cache = memoized.cache;

        if (cache.has(key)) {
          return cache.get(key);
        }
        var result = func.apply(this, args);
        memoized.cache = cache.set(key, result) || cache;
        return result;
      };
      memoized.cache = new (memoize.Cache || MapCache);
      return memoized;
    }

    // Expose `MapCache`.
    memoize.Cache = MapCache;

    /**
     * Creates a function that negates the result of the predicate `func`. The
     * `func` predicate is invoked with the `this` binding and arguments of the
     * created function.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Function
     * @param {Function} predicate The predicate to negate.
     * @returns {Function} Returns the new negated function.
     * @example
     *
     * function isEven(n) {
     *   return n % 2 == 0;
     * }
     *
     * _.filter([1, 2, 3, 4, 5, 6], _.negate(isEven));
     * // => [1, 3, 5]
     */
    function negate(predicate) {
      if (typeof predicate != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      return function() {
        var args = arguments;
        switch (args.length) {
          case 0: return !predicate.call(this);
          case 1: return !predicate.call(this, args[0]);
          case 2: return !predicate.call(this, args[0], args[1]);
          case 3: return !predicate.call(this, args[0], args[1], args[2]);
        }
        return !predicate.apply(this, args);
      };
    }

    /**
     * Creates a function that is restricted to invoking `func` once. Repeat calls
     * to the function return the value of the first invocation. The `func` is
     * invoked with the `this` binding and arguments of the created function.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {Function} func The function to restrict.
     * @returns {Function} Returns the new restricted function.
     * @example
     *
     * var initialize = _.once(createApplication);
     * initialize();
     * initialize();
     * // => `createApplication` is invoked once
     */
    function once(func) {
      return before(2, func);
    }

    /**
     * Creates a function that invokes `func` with its arguments transformed.
     *
     * @static
     * @since 4.0.0
     * @memberOf _
     * @category Function
     * @param {Function} func The function to wrap.
     * @param {...(Function|Function[])} [transforms=[_.identity]]
     *  The argument transforms.
     * @returns {Function} Returns the new function.
     * @example
     *
     * function doubled(n) {
     *   return n * 2;
     * }
     *
     * function square(n) {
     *   return n * n;
     * }
     *
     * var func = _.overArgs(function(x, y) {
     *   return [x, y];
     * }, [square, doubled]);
     *
     * func(9, 3);
     * // => [81, 6]
     *
     * func(10, 5);
     * // => [100, 10]
     */
    var overArgs = castRest(function(func, transforms) {
      transforms = (transforms.length == 1 && isArray(transforms[0]))
        ? arrayMap(transforms[0], baseUnary(getIteratee()))
        : arrayMap(baseFlatten(transforms, 1), baseUnary(getIteratee()));

      var funcsLength = transforms.length;
      return baseRest(function(args) {
        var index = -1,
            length = nativeMin(args.length, funcsLength);

        while (++index < length) {
          args[index] = transforms[index].call(this, args[index]);
        }
        return apply(func, this, args);
      });
    });

    /**
     * Creates a function that invokes `func` with `partials` prepended to the
     * arguments it receives. This method is like `_.bind` except it does **not**
     * alter the `this` binding.
     *
     * The `_.partial.placeholder` value, which defaults to `_` in monolithic
     * builds, may be used as a placeholder for partially applied arguments.
     *
     * **Note:** This method doesn't set the "length" property of partially
     * applied functions.
     *
     * @static
     * @memberOf _
     * @since 0.2.0
     * @category Function
     * @param {Function} func The function to partially apply arguments to.
     * @param {...*} [partials] The arguments to be partially applied.
     * @returns {Function} Returns the new partially applied function.
     * @example
     *
     * function greet(greeting, name) {
     *   return greeting + ' ' + name;
     * }
     *
     * var sayHelloTo = _.partial(greet, 'hello');
     * sayHelloTo('fred');
     * // => 'hello fred'
     *
     * // Partially applied with placeholders.
     * var greetFred = _.partial(greet, _, 'fred');
     * greetFred('hi');
     * // => 'hi fred'
     */
    var partial = baseRest(function(func, partials) {
      var holders = replaceHolders(partials, getHolder(partial));
      return createWrap(func, WRAP_PARTIAL_FLAG, undefined, partials, holders);
    });

    /**
     * This method is like `_.partial` except that partially applied arguments
     * are appended to the arguments it receives.
     *
     * The `_.partialRight.placeholder` value, which defaults to `_` in monolithic
     * builds, may be used as a placeholder for partially applied arguments.
     *
     * **Note:** This method doesn't set the "length" property of partially
     * applied functions.
     *
     * @static
     * @memberOf _
     * @since 1.0.0
     * @category Function
     * @param {Function} func The function to partially apply arguments to.
     * @param {...*} [partials] The arguments to be partially applied.
     * @returns {Function} Returns the new partially applied function.
     * @example
     *
     * function greet(greeting, name) {
     *   return greeting + ' ' + name;
     * }
     *
     * var greetFred = _.partialRight(greet, 'fred');
     * greetFred('hi');
     * // => 'hi fred'
     *
     * // Partially applied with placeholders.
     * var sayHelloTo = _.partialRight(greet, 'hello', _);
     * sayHelloTo('fred');
     * // => 'hello fred'
     */
    var partialRight = baseRest(function(func, partials) {
      var holders = replaceHolders(partials, getHolder(partialRight));
      return createWrap(func, WRAP_PARTIAL_RIGHT_FLAG, undefined, partials, holders);
    });

    /**
     * Creates a function that invokes `func` with arguments arranged according
     * to the specified `indexes` where the argument value at the first index is
     * provided as the first argument, the argument value at the second index is
     * provided as the second argument, and so on.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Function
     * @param {Function} func The function to rearrange arguments for.
     * @param {...(number|number[])} indexes The arranged argument indexes.
     * @returns {Function} Returns the new function.
     * @example
     *
     * var rearged = _.rearg(function(a, b, c) {
     *   return [a, b, c];
     * }, [2, 0, 1]);
     *
     * rearged('b', 'c', 'a')
     * // => ['a', 'b', 'c']
     */
    var rearg = flatRest(function(func, indexes) {
      return createWrap(func, WRAP_REARG_FLAG, undefined, undefined, undefined, indexes);
    });

    /**
     * Creates a function that invokes `func` with the `this` binding of the
     * created function and arguments from `start` and beyond provided as
     * an array.
     *
     * **Note:** This method is based on the
     * [rest parameter](https://mdn.io/rest_parameters).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Function
     * @param {Function} func The function to apply a rest parameter to.
     * @param {number} [start=func.length-1] The start position of the rest parameter.
     * @returns {Function} Returns the new function.
     * @example
     *
     * var say = _.rest(function(what, names) {
     *   return what + ' ' + _.initial(names).join(', ') +
     *     (_.size(names) > 1 ? ', & ' : '') + _.last(names);
     * });
     *
     * say('hello', 'fred', 'barney', 'pebbles');
     * // => 'hello fred, barney, & pebbles'
     */
    function rest(func, start) {
      if (typeof func != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      start = start === undefined ? start : toInteger(start);
      return baseRest(func, start);
    }

    /**
     * Creates a function that invokes `func` with the `this` binding of the
     * create function and an array of arguments much like
     * [`Function#apply`](http://www.ecma-international.org/ecma-262/7.0/#sec-function.prototype.apply).
     *
     * **Note:** This method is based on the
     * [spread operator](https://mdn.io/spread_operator).
     *
     * @static
     * @memberOf _
     * @since 3.2.0
     * @category Function
     * @param {Function} func The function to spread arguments over.
     * @param {number} [start=0] The start position of the spread.
     * @returns {Function} Returns the new function.
     * @example
     *
     * var say = _.spread(function(who, what) {
     *   return who + ' says ' + what;
     * });
     *
     * say(['fred', 'hello']);
     * // => 'fred says hello'
     *
     * var numbers = Promise.all([
     *   Promise.resolve(40),
     *   Promise.resolve(36)
     * ]);
     *
     * numbers.then(_.spread(function(x, y) {
     *   return x + y;
     * }));
     * // => a Promise of 76
     */
    function spread(func, start) {
      if (typeof func != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      start = start == null ? 0 : nativeMax(toInteger(start), 0);
      return baseRest(function(args) {
        var array = args[start],
            otherArgs = castSlice(args, 0, start);

        if (array) {
          arrayPush(otherArgs, array);
        }
        return apply(func, this, otherArgs);
      });
    }

    /**
     * Creates a throttled function that only invokes `func` at most once per
     * every `wait` milliseconds. The throttled function comes with a `cancel`
     * method to cancel delayed `func` invocations and a `flush` method to
     * immediately invoke them. Provide `options` to indicate whether `func`
     * should be invoked on the leading and/or trailing edge of the `wait`
     * timeout. The `func` is invoked with the last arguments provided to the
     * throttled function. Subsequent calls to the throttled function return the
     * result of the last `func` invocation.
     *
     * **Note:** If `leading` and `trailing` options are `true`, `func` is
     * invoked on the trailing edge of the timeout only if the throttled function
     * is invoked more than once during the `wait` timeout.
     *
     * If `wait` is `0` and `leading` is `false`, `func` invocation is deferred
     * until to the next tick, similar to `setTimeout` with a timeout of `0`.
     *
     * See [David Corbacho's article](https://css-tricks.com/debouncing-throttling-explained-examples/)
     * for details over the differences between `_.throttle` and `_.debounce`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {Function} func The function to throttle.
     * @param {number} [wait=0] The number of milliseconds to throttle invocations to.
     * @param {Object} [options={}] The options object.
     * @param {boolean} [options.leading=true]
     *  Specify invoking on the leading edge of the timeout.
     * @param {boolean} [options.trailing=true]
     *  Specify invoking on the trailing edge of the timeout.
     * @returns {Function} Returns the new throttled function.
     * @example
     *
     * // Avoid excessively updating the position while scrolling.
     * jQuery(window).on('scroll', _.throttle(updatePosition, 100));
     *
     * // Invoke `renewToken` when the click event is fired, but not more than once every 5 minutes.
     * var throttled = _.throttle(renewToken, 300000, { 'trailing': false });
     * jQuery(element).on('click', throttled);
     *
     * // Cancel the trailing throttled invocation.
     * jQuery(window).on('popstate', throttled.cancel);
     */
    function throttle(func, wait, options) {
      var leading = true,
          trailing = true;

      if (typeof func != 'function') {
        throw new TypeError(FUNC_ERROR_TEXT);
      }
      if (isObject(options)) {
        leading = 'leading' in options ? !!options.leading : leading;
        trailing = 'trailing' in options ? !!options.trailing : trailing;
      }
      return debounce(func, wait, {
        'leading': leading,
        'maxWait': wait,
        'trailing': trailing
      });
    }

    /**
     * Creates a function that accepts up to one argument, ignoring any
     * additional arguments.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Function
     * @param {Function} func The function to cap arguments for.
     * @returns {Function} Returns the new capped function.
     * @example
     *
     * _.map(['6', '8', '10'], _.unary(parseInt));
     * // => [6, 8, 10]
     */
    function unary(func) {
      return ary(func, 1);
    }

    /**
     * Creates a function that provides `value` to `wrapper` as its first
     * argument. Any additional arguments provided to the function are appended
     * to those provided to the `wrapper`. The wrapper is invoked with the `this`
     * binding of the created function.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Function
     * @param {*} value The value to wrap.
     * @param {Function} [wrapper=identity] The wrapper function.
     * @returns {Function} Returns the new function.
     * @example
     *
     * var p = _.wrap(_.escape, function(func, text) {
     *   return '<p>' + func(text) + '</p>';
     * });
     *
     * p('fred, barney, & pebbles');
     * // => '<p>fred, barney, &amp; pebbles</p>'
     */
    function wrap(value, wrapper) {
      return partial(castFunction(wrapper), value);
    }

    /*------------------------------------------------------------------------*/

    /**
     * Casts `value` as an array if it's not one.
     *
     * @static
     * @memberOf _
     * @since 4.4.0
     * @category Lang
     * @param {*} value The value to inspect.
     * @returns {Array} Returns the cast array.
     * @example
     *
     * _.castArray(1);
     * // => [1]
     *
     * _.castArray({ 'a': 1 });
     * // => [{ 'a': 1 }]
     *
     * _.castArray('abc');
     * // => ['abc']
     *
     * _.castArray(null);
     * // => [null]
     *
     * _.castArray(undefined);
     * // => [undefined]
     *
     * _.castArray();
     * // => []
     *
     * var array = [1, 2, 3];
     * console.log(_.castArray(array) === array);
     * // => true
     */
    function castArray() {
      if (!arguments.length) {
        return [];
      }
      var value = arguments[0];
      return isArray(value) ? value : [value];
    }

    /**
     * Creates a shallow clone of `value`.
     *
     * **Note:** This method is loosely based on the
     * [structured clone algorithm](https://mdn.io/Structured_clone_algorithm)
     * and supports cloning arrays, array buffers, booleans, date objects, maps,
     * numbers, `Object` objects, regexes, sets, strings, symbols, and typed
     * arrays. The own enumerable properties of `arguments` objects are cloned
     * as plain objects. An empty object is returned for uncloneable values such
     * as error objects, functions, DOM nodes, and WeakMaps.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to clone.
     * @returns {*} Returns the cloned value.
     * @see _.cloneDeep
     * @example
     *
     * var objects = [{ 'a': 1 }, { 'b': 2 }];
     *
     * var shallow = _.clone(objects);
     * console.log(shallow[0] === objects[0]);
     * // => true
     */
    function clone(value) {
      return baseClone(value, CLONE_SYMBOLS_FLAG);
    }

    /**
     * This method is like `_.clone` except that it accepts `customizer` which
     * is invoked to produce the cloned value. If `customizer` returns `undefined`,
     * cloning is handled by the method instead. The `customizer` is invoked with
     * up to four arguments; (value [, index|key, object, stack]).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to clone.
     * @param {Function} [customizer] The function to customize cloning.
     * @returns {*} Returns the cloned value.
     * @see _.cloneDeepWith
     * @example
     *
     * function customizer(value) {
     *   if (_.isElement(value)) {
     *     return value.cloneNode(false);
     *   }
     * }
     *
     * var el = _.cloneWith(document.body, customizer);
     *
     * console.log(el === document.body);
     * // => false
     * console.log(el.nodeName);
     * // => 'BODY'
     * console.log(el.childNodes.length);
     * // => 0
     */
    function cloneWith(value, customizer) {
      customizer = typeof customizer == 'function' ? customizer : undefined;
      return baseClone(value, CLONE_SYMBOLS_FLAG, customizer);
    }

    /**
     * This method is like `_.clone` except that it recursively clones `value`.
     *
     * @static
     * @memberOf _
     * @since 1.0.0
     * @category Lang
     * @param {*} value The value to recursively clone.
     * @returns {*} Returns the deep cloned value.
     * @see _.clone
     * @example
     *
     * var objects = [{ 'a': 1 }, { 'b': 2 }];
     *
     * var deep = _.cloneDeep(objects);
     * console.log(deep[0] === objects[0]);
     * // => false
     */
    function cloneDeep(value) {
      return baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG);
    }

    /**
     * This method is like `_.cloneWith` except that it recursively clones `value`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to recursively clone.
     * @param {Function} [customizer] The function to customize cloning.
     * @returns {*} Returns the deep cloned value.
     * @see _.cloneWith
     * @example
     *
     * function customizer(value) {
     *   if (_.isElement(value)) {
     *     return value.cloneNode(true);
     *   }
     * }
     *
     * var el = _.cloneDeepWith(document.body, customizer);
     *
     * console.log(el === document.body);
     * // => false
     * console.log(el.nodeName);
     * // => 'BODY'
     * console.log(el.childNodes.length);
     * // => 20
     */
    function cloneDeepWith(value, customizer) {
      customizer = typeof customizer == 'function' ? customizer : undefined;
      return baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG, customizer);
    }

    /**
     * Checks if `object` conforms to `source` by invoking the predicate
     * properties of `source` with the corresponding property values of `object`.
     *
     * **Note:** This method is equivalent to `_.conforms` when `source` is
     * partially applied.
     *
     * @static
     * @memberOf _
     * @since 4.14.0
     * @category Lang
     * @param {Object} object The object to inspect.
     * @param {Object} source The object of property predicates to conform to.
     * @returns {boolean} Returns `true` if `object` conforms, else `false`.
     * @example
     *
     * var object = { 'a': 1, 'b': 2 };
     *
     * _.conformsTo(object, { 'b': function(n) { return n > 1; } });
     * // => true
     *
     * _.conformsTo(object, { 'b': function(n) { return n > 2; } });
     * // => false
     */
    function conformsTo(object, source) {
      return source == null || baseConformsTo(object, source, keys(source));
    }

    /**
     * Performs a
     * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)
     * comparison between two values to determine if they are equivalent.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {boolean} Returns `true` if the values are equivalent, else `false`.
     * @example
     *
     * var object = { 'a': 1 };
     * var other = { 'a': 1 };
     *
     * _.eq(object, object);
     * // => true
     *
     * _.eq(object, other);
     * // => false
     *
     * _.eq('a', 'a');
     * // => true
     *
     * _.eq('a', Object('a'));
     * // => false
     *
     * _.eq(NaN, NaN);
     * // => true
     */
    function eq(value, other) {
      return value === other || (value !== value && other !== other);
    }

    /**
     * Checks if `value` is greater than `other`.
     *
     * @static
     * @memberOf _
     * @since 3.9.0
     * @category Lang
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {boolean} Returns `true` if `value` is greater than `other`,
     *  else `false`.
     * @see _.lt
     * @example
     *
     * _.gt(3, 1);
     * // => true
     *
     * _.gt(3, 3);
     * // => false
     *
     * _.gt(1, 3);
     * // => false
     */
    var gt = createRelationalOperation(baseGt);

    /**
     * Checks if `value` is greater than or equal to `other`.
     *
     * @static
     * @memberOf _
     * @since 3.9.0
     * @category Lang
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {boolean} Returns `true` if `value` is greater than or equal to
     *  `other`, else `false`.
     * @see _.lte
     * @example
     *
     * _.gte(3, 1);
     * // => true
     *
     * _.gte(3, 3);
     * // => true
     *
     * _.gte(1, 3);
     * // => false
     */
    var gte = createRelationalOperation(function(value, other) {
      return value >= other;
    });

    /**
     * Checks if `value` is likely an `arguments` object.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an `arguments` object,
     *  else `false`.
     * @example
     *
     * _.isArguments(function() { return arguments; }());
     * // => true
     *
     * _.isArguments([1, 2, 3]);
     * // => false
     */
    var isArguments = baseIsArguments(function() { return arguments; }()) ? baseIsArguments : function(value) {
      return isObjectLike(value) && hasOwnProperty.call(value, 'callee') &&
        !propertyIsEnumerable.call(value, 'callee');
    };

    /**
     * Checks if `value` is classified as an `Array` object.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an array, else `false`.
     * @example
     *
     * _.isArray([1, 2, 3]);
     * // => true
     *
     * _.isArray(document.body.children);
     * // => false
     *
     * _.isArray('abc');
     * // => false
     *
     * _.isArray(_.noop);
     * // => false
     */
    var isArray = Array.isArray;

    /**
     * Checks if `value` is classified as an `ArrayBuffer` object.
     *
     * @static
     * @memberOf _
     * @since 4.3.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an array buffer, else `false`.
     * @example
     *
     * _.isArrayBuffer(new ArrayBuffer(2));
     * // => true
     *
     * _.isArrayBuffer(new Array(2));
     * // => false
     */
    var isArrayBuffer = nodeIsArrayBuffer ? baseUnary(nodeIsArrayBuffer) : baseIsArrayBuffer;

    /**
     * Checks if `value` is array-like. A value is considered array-like if it's
     * not a function and has a `value.length` that's an integer greater than or
     * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is array-like, else `false`.
     * @example
     *
     * _.isArrayLike([1, 2, 3]);
     * // => true
     *
     * _.isArrayLike(document.body.children);
     * // => true
     *
     * _.isArrayLike('abc');
     * // => true
     *
     * _.isArrayLike(_.noop);
     * // => false
     */
    function isArrayLike(value) {
      return value != null && isLength(value.length) && !isFunction(value);
    }

    /**
     * This method is like `_.isArrayLike` except that it also checks if `value`
     * is an object.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an array-like object,
     *  else `false`.
     * @example
     *
     * _.isArrayLikeObject([1, 2, 3]);
     * // => true
     *
     * _.isArrayLikeObject(document.body.children);
     * // => true
     *
     * _.isArrayLikeObject('abc');
     * // => false
     *
     * _.isArrayLikeObject(_.noop);
     * // => false
     */
    function isArrayLikeObject(value) {
      return isObjectLike(value) && isArrayLike(value);
    }

    /**
     * Checks if `value` is classified as a boolean primitive or object.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a boolean, else `false`.
     * @example
     *
     * _.isBoolean(false);
     * // => true
     *
     * _.isBoolean(null);
     * // => false
     */
    function isBoolean(value) {
      return value === true || value === false ||
        (isObjectLike(value) && baseGetTag(value) == boolTag);
    }

    /**
     * Checks if `value` is a buffer.
     *
     * @static
     * @memberOf _
     * @since 4.3.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a buffer, else `false`.
     * @example
     *
     * _.isBuffer(new Buffer(2));
     * // => true
     *
     * _.isBuffer(new Uint8Array(2));
     * // => false
     */
    var isBuffer = nativeIsBuffer || stubFalse;

    /**
     * Checks if `value` is classified as a `Date` object.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a date object, else `false`.
     * @example
     *
     * _.isDate(new Date);
     * // => true
     *
     * _.isDate('Mon April 23 2012');
     * // => false
     */
    var isDate = nodeIsDate ? baseUnary(nodeIsDate) : baseIsDate;

    /**
     * Checks if `value` is likely a DOM element.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a DOM element, else `false`.
     * @example
     *
     * _.isElement(document.body);
     * // => true
     *
     * _.isElement('<body>');
     * // => false
     */
    function isElement(value) {
      return isObjectLike(value) && value.nodeType === 1 && !isPlainObject(value);
    }

    /**
     * Checks if `value` is an empty object, collection, map, or set.
     *
     * Objects are considered empty if they have no own enumerable string keyed
     * properties.
     *
     * Array-like values such as `arguments` objects, arrays, buffers, strings, or
     * jQuery-like collections are considered empty if they have a `length` of `0`.
     * Similarly, maps and sets are considered empty if they have a `size` of `0`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is empty, else `false`.
     * @example
     *
     * _.isEmpty(null);
     * // => true
     *
     * _.isEmpty(true);
     * // => true
     *
     * _.isEmpty(1);
     * // => true
     *
     * _.isEmpty([1, 2, 3]);
     * // => false
     *
     * _.isEmpty({ 'a': 1 });
     * // => false
     */
    function isEmpty(value) {
      if (value == null) {
        return true;
      }
      if (isArrayLike(value) &&
          (isArray(value) || typeof value == 'string' || typeof value.splice == 'function' ||
            isBuffer(value) || isTypedArray(value) || isArguments(value))) {
        return !value.length;
      }
      var tag = getTag(value);
      if (tag == mapTag || tag == setTag) {
        return !value.size;
      }
      if (isPrototype(value)) {
        return !baseKeys(value).length;
      }
      for (var key in value) {
        if (hasOwnProperty.call(value, key)) {
          return false;
        }
      }
      return true;
    }

    /**
     * Performs a deep comparison between two values to determine if they are
     * equivalent.
     *
     * **Note:** This method supports comparing arrays, array buffers, booleans,
     * date objects, error objects, maps, numbers, `Object` objects, regexes,
     * sets, strings, symbols, and typed arrays. `Object` objects are compared
     * by their own, not inherited, enumerable properties. Functions and DOM
     * nodes are compared by strict equality, i.e. `===`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {boolean} Returns `true` if the values are equivalent, else `false`.
     * @example
     *
     * var object = { 'a': 1 };
     * var other = { 'a': 1 };
     *
     * _.isEqual(object, other);
     * // => true
     *
     * object === other;
     * // => false
     */
    function isEqual(value, other) {
      return baseIsEqual(value, other);
    }

    /**
     * This method is like `_.isEqual` except that it accepts `customizer` which
     * is invoked to compare values. If `customizer` returns `undefined`, comparisons
     * are handled by the method instead. The `customizer` is invoked with up to
     * six arguments: (objValue, othValue [, index|key, object, other, stack]).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @param {Function} [customizer] The function to customize comparisons.
     * @returns {boolean} Returns `true` if the values are equivalent, else `false`.
     * @example
     *
     * function isGreeting(value) {
     *   return /^h(?:i|ello)$/.test(value);
     * }
     *
     * function customizer(objValue, othValue) {
     *   if (isGreeting(objValue) && isGreeting(othValue)) {
     *     return true;
     *   }
     * }
     *
     * var array = ['hello', 'goodbye'];
     * var other = ['hi', 'goodbye'];
     *
     * _.isEqualWith(array, other, customizer);
     * // => true
     */
    function isEqualWith(value, other, customizer) {
      customizer = typeof customizer == 'function' ? customizer : undefined;
      var result = customizer ? customizer(value, other) : undefined;
      return result === undefined ? baseIsEqual(value, other, undefined, customizer) : !!result;
    }

    /**
     * Checks if `value` is an `Error`, `EvalError`, `RangeError`, `ReferenceError`,
     * `SyntaxError`, `TypeError`, or `URIError` object.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an error object, else `false`.
     * @example
     *
     * _.isError(new Error);
     * // => true
     *
     * _.isError(Error);
     * // => false
     */
    function isError(value) {
      if (!isObjectLike(value)) {
        return false;
      }
      var tag = baseGetTag(value);
      return tag == errorTag || tag == domExcTag ||
        (typeof value.message == 'string' && typeof value.name == 'string' && !isPlainObject(value));
    }

    /**
     * Checks if `value` is a finite primitive number.
     *
     * **Note:** This method is based on
     * [`Number.isFinite`](https://mdn.io/Number/isFinite).
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a finite number, else `false`.
     * @example
     *
     * _.isFinite(3);
     * // => true
     *
     * _.isFinite(Number.MIN_VALUE);
     * // => true
     *
     * _.isFinite(Infinity);
     * // => false
     *
     * _.isFinite('3');
     * // => false
     */
    function isFinite(value) {
      return typeof value == 'number' && nativeIsFinite(value);
    }

    /**
     * Checks if `value` is classified as a `Function` object.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a function, else `false`.
     * @example
     *
     * _.isFunction(_);
     * // => true
     *
     * _.isFunction(/abc/);
     * // => false
     */
    function isFunction(value) {
      if (!isObject(value)) {
        return false;
      }
      // The use of `Object#toString` avoids issues with the `typeof` operator
      // in Safari 9 which returns 'object' for typed arrays and other constructors.
      var tag = baseGetTag(value);
      return tag == funcTag || tag == genTag || tag == asyncTag || tag == proxyTag;
    }

    /**
     * Checks if `value` is an integer.
     *
     * **Note:** This method is based on
     * [`Number.isInteger`](https://mdn.io/Number/isInteger).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an integer, else `false`.
     * @example
     *
     * _.isInteger(3);
     * // => true
     *
     * _.isInteger(Number.MIN_VALUE);
     * // => false
     *
     * _.isInteger(Infinity);
     * // => false
     *
     * _.isInteger('3');
     * // => false
     */
    function isInteger(value) {
      return typeof value == 'number' && value == toInteger(value);
    }

    /**
     * Checks if `value` is a valid array-like length.
     *
     * **Note:** This method is loosely based on
     * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a valid length, else `false`.
     * @example
     *
     * _.isLength(3);
     * // => true
     *
     * _.isLength(Number.MIN_VALUE);
     * // => false
     *
     * _.isLength(Infinity);
     * // => false
     *
     * _.isLength('3');
     * // => false
     */
    function isLength(value) {
      return typeof value == 'number' &&
        value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;
    }

    /**
     * Checks if `value` is the
     * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types)
     * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is an object, else `false`.
     * @example
     *
     * _.isObject({});
     * // => true
     *
     * _.isObject([1, 2, 3]);
     * // => true
     *
     * _.isObject(_.noop);
     * // => true
     *
     * _.isObject(null);
     * // => false
     */
    function isObject(value) {
      var type = typeof value;
      return value != null && (type == 'object' || type == 'function');
    }

    /**
     * Checks if `value` is object-like. A value is object-like if it's not `null`
     * and has a `typeof` result of "object".
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is object-like, else `false`.
     * @example
     *
     * _.isObjectLike({});
     * // => true
     *
     * _.isObjectLike([1, 2, 3]);
     * // => true
     *
     * _.isObjectLike(_.noop);
     * // => false
     *
     * _.isObjectLike(null);
     * // => false
     */
    function isObjectLike(value) {
      return value != null && typeof value == 'object';
    }

    /**
     * Checks if `value` is classified as a `Map` object.
     *
     * @static
     * @memberOf _
     * @since 4.3.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a map, else `false`.
     * @example
     *
     * _.isMap(new Map);
     * // => true
     *
     * _.isMap(new WeakMap);
     * // => false
     */
    var isMap = nodeIsMap ? baseUnary(nodeIsMap) : baseIsMap;

    /**
     * Performs a partial deep comparison between `object` and `source` to
     * determine if `object` contains equivalent property values.
     *
     * **Note:** This method is equivalent to `_.matches` when `source` is
     * partially applied.
     *
     * Partial comparisons will match empty array and empty object `source`
     * values against any array or object value, respectively. See `_.isEqual`
     * for a list of supported value comparisons.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Lang
     * @param {Object} object The object to inspect.
     * @param {Object} source The object of property values to match.
     * @returns {boolean} Returns `true` if `object` is a match, else `false`.
     * @example
     *
     * var object = { 'a': 1, 'b': 2 };
     *
     * _.isMatch(object, { 'b': 2 });
     * // => true
     *
     * _.isMatch(object, { 'b': 1 });
     * // => false
     */
    function isMatch(object, source) {
      return object === source || baseIsMatch(object, source, getMatchData(source));
    }

    /**
     * This method is like `_.isMatch` except that it accepts `customizer` which
     * is invoked to compare values. If `customizer` returns `undefined`, comparisons
     * are handled by the method instead. The `customizer` is invoked with five
     * arguments: (objValue, srcValue, index|key, object, source).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {Object} object The object to inspect.
     * @param {Object} source The object of property values to match.
     * @param {Function} [customizer] The function to customize comparisons.
     * @returns {boolean} Returns `true` if `object` is a match, else `false`.
     * @example
     *
     * function isGreeting(value) {
     *   return /^h(?:i|ello)$/.test(value);
     * }
     *
     * function customizer(objValue, srcValue) {
     *   if (isGreeting(objValue) && isGreeting(srcValue)) {
     *     return true;
     *   }
     * }
     *
     * var object = { 'greeting': 'hello' };
     * var source = { 'greeting': 'hi' };
     *
     * _.isMatchWith(object, source, customizer);
     * // => true
     */
    function isMatchWith(object, source, customizer) {
      customizer = typeof customizer == 'function' ? customizer : undefined;
      return baseIsMatch(object, source, getMatchData(source), customizer);
    }

    /**
     * Checks if `value` is `NaN`.
     *
     * **Note:** This method is based on
     * [`Number.isNaN`](https://mdn.io/Number/isNaN) and is not the same as
     * global [`isNaN`](https://mdn.io/isNaN) which returns `true` for
     * `undefined` and other non-number values.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is `NaN`, else `false`.
     * @example
     *
     * _.isNaN(NaN);
     * // => true
     *
     * _.isNaN(new Number(NaN));
     * // => true
     *
     * isNaN(undefined);
     * // => true
     *
     * _.isNaN(undefined);
     * // => false
     */
    function isNaN(value) {
      // An `NaN` primitive is the only value that is not equal to itself.
      // Perform the `toStringTag` check first to avoid errors with some
      // ActiveX objects in IE.
      return isNumber(value) && value != +value;
    }

    /**
     * Checks if `value` is a pristine native function.
     *
     * **Note:** This method can't reliably detect native functions in the presence
     * of the core-js package because core-js circumvents this kind of detection.
     * Despite multiple requests, the core-js maintainer has made it clear: any
     * attempt to fix the detection will be obstructed. As a result, we're left
     * with little choice but to throw an error. Unfortunately, this also affects
     * packages, like [babel-polyfill](https://www.npmjs.com/package/babel-polyfill),
     * which rely on core-js.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a native function,
     *  else `false`.
     * @example
     *
     * _.isNative(Array.prototype.push);
     * // => true
     *
     * _.isNative(_);
     * // => false
     */
    function isNative(value) {
      if (isMaskable(value)) {
        throw new Error(CORE_ERROR_TEXT);
      }
      return baseIsNative(value);
    }

    /**
     * Checks if `value` is `null`.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is `null`, else `false`.
     * @example
     *
     * _.isNull(null);
     * // => true
     *
     * _.isNull(void 0);
     * // => false
     */
    function isNull(value) {
      return value === null;
    }

    /**
     * Checks if `value` is `null` or `undefined`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is nullish, else `false`.
     * @example
     *
     * _.isNil(null);
     * // => true
     *
     * _.isNil(void 0);
     * // => true
     *
     * _.isNil(NaN);
     * // => false
     */
    function isNil(value) {
      return value == null;
    }

    /**
     * Checks if `value` is classified as a `Number` primitive or object.
     *
     * **Note:** To exclude `Infinity`, `-Infinity`, and `NaN`, which are
     * classified as numbers, use the `_.isFinite` method.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a number, else `false`.
     * @example
     *
     * _.isNumber(3);
     * // => true
     *
     * _.isNumber(Number.MIN_VALUE);
     * // => true
     *
     * _.isNumber(Infinity);
     * // => true
     *
     * _.isNumber('3');
     * // => false
     */
    function isNumber(value) {
      return typeof value == 'number' ||
        (isObjectLike(value) && baseGetTag(value) == numberTag);
    }

    /**
     * Checks if `value` is a plain object, that is, an object created by the
     * `Object` constructor or one with a `[[Prototype]]` of `null`.
     *
     * @static
     * @memberOf _
     * @since 0.8.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a plain object, else `false`.
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     * }
     *
     * _.isPlainObject(new Foo);
     * // => false
     *
     * _.isPlainObject([1, 2, 3]);
     * // => false
     *
     * _.isPlainObject({ 'x': 0, 'y': 0 });
     * // => true
     *
     * _.isPlainObject(Object.create(null));
     * // => true
     */
    function isPlainObject(value) {
      if (!isObjectLike(value) || baseGetTag(value) != objectTag) {
        return false;
      }
      var proto = getPrototype(value);
      if (proto === null) {
        return true;
      }
      var Ctor = hasOwnProperty.call(proto, 'constructor') && proto.constructor;
      return typeof Ctor == 'function' && Ctor instanceof Ctor &&
        funcToString.call(Ctor) == objectCtorString;
    }

    /**
     * Checks if `value` is classified as a `RegExp` object.
     *
     * @static
     * @memberOf _
     * @since 0.1.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a regexp, else `false`.
     * @example
     *
     * _.isRegExp(/abc/);
     * // => true
     *
     * _.isRegExp('/abc/');
     * // => false
     */
    var isRegExp = nodeIsRegExp ? baseUnary(nodeIsRegExp) : baseIsRegExp;

    /**
     * Checks if `value` is a safe integer. An integer is safe if it's an IEEE-754
     * double precision number which isn't the result of a rounded unsafe integer.
     *
     * **Note:** This method is based on
     * [`Number.isSafeInteger`](https://mdn.io/Number/isSafeInteger).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a safe integer, else `false`.
     * @example
     *
     * _.isSafeInteger(3);
     * // => true
     *
     * _.isSafeInteger(Number.MIN_VALUE);
     * // => false
     *
     * _.isSafeInteger(Infinity);
     * // => false
     *
     * _.isSafeInteger('3');
     * // => false
     */
    function isSafeInteger(value) {
      return isInteger(value) && value >= -MAX_SAFE_INTEGER && value <= MAX_SAFE_INTEGER;
    }

    /**
     * Checks if `value` is classified as a `Set` object.
     *
     * @static
     * @memberOf _
     * @since 4.3.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a set, else `false`.
     * @example
     *
     * _.isSet(new Set);
     * // => true
     *
     * _.isSet(new WeakSet);
     * // => false
     */
    var isSet = nodeIsSet ? baseUnary(nodeIsSet) : baseIsSet;

    /**
     * Checks if `value` is classified as a `String` primitive or object.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a string, else `false`.
     * @example
     *
     * _.isString('abc');
     * // => true
     *
     * _.isString(1);
     * // => false
     */
    function isString(value) {
      return typeof value == 'string' ||
        (!isArray(value) && isObjectLike(value) && baseGetTag(value) == stringTag);
    }

    /**
     * Checks if `value` is classified as a `Symbol` primitive or object.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a symbol, else `false`.
     * @example
     *
     * _.isSymbol(Symbol.iterator);
     * // => true
     *
     * _.isSymbol('abc');
     * // => false
     */
    function isSymbol(value) {
      return typeof value == 'symbol' ||
        (isObjectLike(value) && baseGetTag(value) == symbolTag);
    }

    /**
     * Checks if `value` is classified as a typed array.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.
     * @example
     *
     * _.isTypedArray(new Uint8Array);
     * // => true
     *
     * _.isTypedArray([]);
     * // => false
     */
    var isTypedArray = nodeIsTypedArray ? baseUnary(nodeIsTypedArray) : baseIsTypedArray;

    /**
     * Checks if `value` is `undefined`.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is `undefined`, else `false`.
     * @example
     *
     * _.isUndefined(void 0);
     * // => true
     *
     * _.isUndefined(null);
     * // => false
     */
    function isUndefined(value) {
      return value === undefined;
    }

    /**
     * Checks if `value` is classified as a `WeakMap` object.
     *
     * @static
     * @memberOf _
     * @since 4.3.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a weak map, else `false`.
     * @example
     *
     * _.isWeakMap(new WeakMap);
     * // => true
     *
     * _.isWeakMap(new Map);
     * // => false
     */
    function isWeakMap(value) {
      return isObjectLike(value) && getTag(value) == weakMapTag;
    }

    /**
     * Checks if `value` is classified as a `WeakSet` object.
     *
     * @static
     * @memberOf _
     * @since 4.3.0
     * @category Lang
     * @param {*} value The value to check.
     * @returns {boolean} Returns `true` if `value` is a weak set, else `false`.
     * @example
     *
     * _.isWeakSet(new WeakSet);
     * // => true
     *
     * _.isWeakSet(new Set);
     * // => false
     */
    function isWeakSet(value) {
      return isObjectLike(value) && baseGetTag(value) == weakSetTag;
    }

    /**
     * Checks if `value` is less than `other`.
     *
     * @static
     * @memberOf _
     * @since 3.9.0
     * @category Lang
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {boolean} Returns `true` if `value` is less than `other`,
     *  else `false`.
     * @see _.gt
     * @example
     *
     * _.lt(1, 3);
     * // => true
     *
     * _.lt(3, 3);
     * // => false
     *
     * _.lt(3, 1);
     * // => false
     */
    var lt = createRelationalOperation(baseLt);

    /**
     * Checks if `value` is less than or equal to `other`.
     *
     * @static
     * @memberOf _
     * @since 3.9.0
     * @category Lang
     * @param {*} value The value to compare.
     * @param {*} other The other value to compare.
     * @returns {boolean} Returns `true` if `value` is less than or equal to
     *  `other`, else `false`.
     * @see _.gte
     * @example
     *
     * _.lte(1, 3);
     * // => true
     *
     * _.lte(3, 3);
     * // => true
     *
     * _.lte(3, 1);
     * // => false
     */
    var lte = createRelationalOperation(function(value, other) {
      return value <= other;
    });

    /**
     * Converts `value` to an array.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Lang
     * @param {*} value The value to convert.
     * @returns {Array} Returns the converted array.
     * @example
     *
     * _.toArray({ 'a': 1, 'b': 2 });
     * // => [1, 2]
     *
     * _.toArray('abc');
     * // => ['a', 'b', 'c']
     *
     * _.toArray(1);
     * // => []
     *
     * _.toArray(null);
     * // => []
     */
    function toArray(value) {
      if (!value) {
        return [];
      }
      if (isArrayLike(value)) {
        return isString(value) ? stringToArray(value) : copyArray(value);
      }
      if (symIterator && value[symIterator]) {
        return iteratorToArray(value[symIterator]());
      }
      var tag = getTag(value),
          func = tag == mapTag ? mapToArray : (tag == setTag ? setToArray : values);

      return func(value);
    }

    /**
     * Converts `value` to a finite number.
     *
     * @static
     * @memberOf _
     * @since 4.12.0
     * @category Lang
     * @param {*} value The value to convert.
     * @returns {number} Returns the converted number.
     * @example
     *
     * _.toFinite(3.2);
     * // => 3.2
     *
     * _.toFinite(Number.MIN_VALUE);
     * // => 5e-324
     *
     * _.toFinite(Infinity);
     * // => 1.7976931348623157e+308
     *
     * _.toFinite('3.2');
     * // => 3.2
     */
    function toFinite(value) {
      if (!value) {
        return value === 0 ? value : 0;
      }
      value = toNumber(value);
      if (value === INFINITY || value === -INFINITY) {
        var sign = (value < 0 ? -1 : 1);
        return sign * MAX_INTEGER;
      }
      return value === value ? value : 0;
    }

    /**
     * Converts `value` to an integer.
     *
     * **Note:** This method is loosely based on
     * [`ToInteger`](http://www.ecma-international.org/ecma-262/7.0/#sec-tointeger).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to convert.
     * @returns {number} Returns the converted integer.
     * @example
     *
     * _.toInteger(3.2);
     * // => 3
     *
     * _.toInteger(Number.MIN_VALUE);
     * // => 0
     *
     * _.toInteger(Infinity);
     * // => 1.7976931348623157e+308
     *
     * _.toInteger('3.2');
     * // => 3
     */
    function toInteger(value) {
      var result = toFinite(value),
          remainder = result % 1;

      return result === result ? (remainder ? result - remainder : result) : 0;
    }

    /**
     * Converts `value` to an integer suitable for use as the length of an
     * array-like object.
     *
     * **Note:** This method is based on
     * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to convert.
     * @returns {number} Returns the converted integer.
     * @example
     *
     * _.toLength(3.2);
     * // => 3
     *
     * _.toLength(Number.MIN_VALUE);
     * // => 0
     *
     * _.toLength(Infinity);
     * // => 4294967295
     *
     * _.toLength('3.2');
     * // => 3
     */
    function toLength(value) {
      return value ? baseClamp(toInteger(value), 0, MAX_ARRAY_LENGTH) : 0;
    }

    /**
     * Converts `value` to a number.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to process.
     * @returns {number} Returns the number.
     * @example
     *
     * _.toNumber(3.2);
     * // => 3.2
     *
     * _.toNumber(Number.MIN_VALUE);
     * // => 5e-324
     *
     * _.toNumber(Infinity);
     * // => Infinity
     *
     * _.toNumber('3.2');
     * // => 3.2
     */
    function toNumber(value) {
      if (typeof value == 'number') {
        return value;
      }
      if (isSymbol(value)) {
        return NAN;
      }
      if (isObject(value)) {
        var other = typeof value.valueOf == 'function' ? value.valueOf() : value;
        value = isObject(other) ? (other + '') : other;
      }
      if (typeof value != 'string') {
        return value === 0 ? value : +value;
      }
      value = baseTrim(value);
      var isBinary = reIsBinary.test(value);
      return (isBinary || reIsOctal.test(value))
        ? freeParseInt(value.slice(2), isBinary ? 2 : 8)
        : (reIsBadHex.test(value) ? NAN : +value);
    }

    /**
     * Converts `value` to a plain object flattening inherited enumerable string
     * keyed properties of `value` to own properties of the plain object.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Lang
     * @param {*} value The value to convert.
     * @returns {Object} Returns the converted plain object.
     * @example
     *
     * function Foo() {
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.assign({ 'a': 1 }, new Foo);
     * // => { 'a': 1, 'b': 2 }
     *
     * _.assign({ 'a': 1 }, _.toPlainObject(new Foo));
     * // => { 'a': 1, 'b': 2, 'c': 3 }
     */
    function toPlainObject(value) {
      return copyObject(value, keysIn(value));
    }

    /**
     * Converts `value` to a safe integer. A safe integer can be compared and
     * represented correctly.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to convert.
     * @returns {number} Returns the converted integer.
     * @example
     *
     * _.toSafeInteger(3.2);
     * // => 3
     *
     * _.toSafeInteger(Number.MIN_VALUE);
     * // => 0
     *
     * _.toSafeInteger(Infinity);
     * // => 9007199254740991
     *
     * _.toSafeInteger('3.2');
     * // => 3
     */
    function toSafeInteger(value) {
      return value
        ? baseClamp(toInteger(value), -MAX_SAFE_INTEGER, MAX_SAFE_INTEGER)
        : (value === 0 ? value : 0);
    }

    /**
     * Converts `value` to a string. An empty string is returned for `null`
     * and `undefined` values. The sign of `-0` is preserved.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Lang
     * @param {*} value The value to convert.
     * @returns {string} Returns the converted string.
     * @example
     *
     * _.toString(null);
     * // => ''
     *
     * _.toString(-0);
     * // => '-0'
     *
     * _.toString([1, 2, 3]);
     * // => '1,2,3'
     */
    function toString(value) {
      return value == null ? '' : baseToString(value);
    }

    /*------------------------------------------------------------------------*/

    /**
     * Assigns own enumerable string keyed properties of source objects to the
     * destination object. Source objects are applied from left to right.
     * Subsequent sources overwrite property assignments of previous sources.
     *
     * **Note:** This method mutates `object` and is loosely based on
     * [`Object.assign`](https://mdn.io/Object/assign).
     *
     * @static
     * @memberOf _
     * @since 0.10.0
     * @category Object
     * @param {Object} object The destination object.
     * @param {...Object} [sources] The source objects.
     * @returns {Object} Returns `object`.
     * @see _.assignIn
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     * }
     *
     * function Bar() {
     *   this.c = 3;
     * }
     *
     * Foo.prototype.b = 2;
     * Bar.prototype.d = 4;
     *
     * _.assign({ 'a': 0 }, new Foo, new Bar);
     * // => { 'a': 1, 'c': 3 }
     */
    var assign = createAssigner(function(object, source) {
      if (isPrototype(source) || isArrayLike(source)) {
        copyObject(source, keys(source), object);
        return;
      }
      for (var key in source) {
        if (hasOwnProperty.call(source, key)) {
          assignValue(object, key, source[key]);
        }
      }
    });

    /**
     * This method is like `_.assign` except that it iterates over own and
     * inherited source properties.
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @alias extend
     * @category Object
     * @param {Object} object The destination object.
     * @param {...Object} [sources] The source objects.
     * @returns {Object} Returns `object`.
     * @see _.assign
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     * }
     *
     * function Bar() {
     *   this.c = 3;
     * }
     *
     * Foo.prototype.b = 2;
     * Bar.prototype.d = 4;
     *
     * _.assignIn({ 'a': 0 }, new Foo, new Bar);
     * // => { 'a': 1, 'b': 2, 'c': 3, 'd': 4 }
     */
    var assignIn = createAssigner(function(object, source) {
      copyObject(source, keysIn(source), object);
    });

    /**
     * This method is like `_.assignIn` except that it accepts `customizer`
     * which is invoked to produce the assigned values. If `customizer` returns
     * `undefined`, assignment is handled by the method instead. The `customizer`
     * is invoked with five arguments: (objValue, srcValue, key, object, source).
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @alias extendWith
     * @category Object
     * @param {Object} object The destination object.
     * @param {...Object} sources The source objects.
     * @param {Function} [customizer] The function to customize assigned values.
     * @returns {Object} Returns `object`.
     * @see _.assignWith
     * @example
     *
     * function customizer(objValue, srcValue) {
     *   return _.isUndefined(objValue) ? srcValue : objValue;
     * }
     *
     * var defaults = _.partialRight(_.assignInWith, customizer);
     *
     * defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });
     * // => { 'a': 1, 'b': 2 }
     */
    var assignInWith = createAssigner(function(object, source, srcIndex, customizer) {
      copyObject(source, keysIn(source), object, customizer);
    });

    /**
     * This method is like `_.assign` except that it accepts `customizer`
     * which is invoked to produce the assigned values. If `customizer` returns
     * `undefined`, assignment is handled by the method instead. The `customizer`
     * is invoked with five arguments: (objValue, srcValue, key, object, source).
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The destination object.
     * @param {...Object} sources The source objects.
     * @param {Function} [customizer] The function to customize assigned values.
     * @returns {Object} Returns `object`.
     * @see _.assignInWith
     * @example
     *
     * function customizer(objValue, srcValue) {
     *   return _.isUndefined(objValue) ? srcValue : objValue;
     * }
     *
     * var defaults = _.partialRight(_.assignWith, customizer);
     *
     * defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });
     * // => { 'a': 1, 'b': 2 }
     */
    var assignWith = createAssigner(function(object, source, srcIndex, customizer) {
      copyObject(source, keys(source), object, customizer);
    });

    /**
     * Creates an array of values corresponding to `paths` of `object`.
     *
     * @static
     * @memberOf _
     * @since 1.0.0
     * @category Object
     * @param {Object} object The object to iterate over.
     * @param {...(string|string[])} [paths] The property paths to pick.
     * @returns {Array} Returns the picked values.
     * @example
     *
     * var object = { 'a': [{ 'b': { 'c': 3 } }, 4] };
     *
     * _.at(object, ['a[0].b.c', 'a[1]']);
     * // => [3, 4]
     */
    var at = flatRest(baseAt);

    /**
     * Creates an object that inherits from the `prototype` object. If a
     * `properties` object is given, its own enumerable string keyed properties
     * are assigned to the created object.
     *
     * @static
     * @memberOf _
     * @since 2.3.0
     * @category Object
     * @param {Object} prototype The object to inherit from.
     * @param {Object} [properties] The properties to assign to the object.
     * @returns {Object} Returns the new object.
     * @example
     *
     * function Shape() {
     *   this.x = 0;
     *   this.y = 0;
     * }
     *
     * function Circle() {
     *   Shape.call(this);
     * }
     *
     * Circle.prototype = _.create(Shape.prototype, {
     *   'constructor': Circle
     * });
     *
     * var circle = new Circle;
     * circle instanceof Circle;
     * // => true
     *
     * circle instanceof Shape;
     * // => true
     */
    function create(prototype, properties) {
      var result = baseCreate(prototype);
      return properties == null ? result : baseAssign(result, properties);
    }

    /**
     * Assigns own and inherited enumerable string keyed properties of source
     * objects to the destination object for all destination properties that
     * resolve to `undefined`. Source objects are applied from left to right.
     * Once a property is set, additional values of the same property are ignored.
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Object
     * @param {Object} object The destination object.
     * @param {...Object} [sources] The source objects.
     * @returns {Object} Returns `object`.
     * @see _.defaultsDeep
     * @example
     *
     * _.defaults({ 'a': 1 }, { 'b': 2 }, { 'a': 3 });
     * // => { 'a': 1, 'b': 2 }
     */
    var defaults = baseRest(function(object, sources) {
      object = Object(object);

      var index = -1;
      var length = sources.length;
      var guard = length > 2 ? sources[2] : undefined;

      if (guard && isIterateeCall(sources[0], sources[1], guard)) {
        length = 1;
      }

      while (++index < length) {
        var source = sources[index];
        var props = keysIn(source);
        var propsIndex = -1;
        var propsLength = props.length;

        while (++propsIndex < propsLength) {
          var key = props[propsIndex];
          var value = object[key];

          if (value === undefined ||
              (eq(value, objectProto[key]) && !hasOwnProperty.call(object, key))) {
            object[key] = source[key];
          }
        }
      }

      return object;
    });

    /**
     * This method is like `_.defaults` except that it recursively assigns
     * default properties.
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 3.10.0
     * @category Object
     * @param {Object} object The destination object.
     * @param {...Object} [sources] The source objects.
     * @returns {Object} Returns `object`.
     * @see _.defaults
     * @example
     *
     * _.defaultsDeep({ 'a': { 'b': 2 } }, { 'a': { 'b': 1, 'c': 3 } });
     * // => { 'a': { 'b': 2, 'c': 3 } }
     */
    var defaultsDeep = baseRest(function(args) {
      args.push(undefined, customDefaultsMerge);
      return apply(mergeWith, undefined, args);
    });

    /**
     * This method is like `_.find` except that it returns the key of the first
     * element `predicate` returns truthy for instead of the element itself.
     *
     * @static
     * @memberOf _
     * @since 1.1.0
     * @category Object
     * @param {Object} object The object to inspect.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {string|undefined} Returns the key of the matched element,
     *  else `undefined`.
     * @example
     *
     * var users = {
     *   'barney':  { 'age': 36, 'active': true },
     *   'fred':    { 'age': 40, 'active': false },
     *   'pebbles': { 'age': 1,  'active': true }
     * };
     *
     * _.findKey(users, function(o) { return o.age < 40; });
     * // => 'barney' (iteration order is not guaranteed)
     *
     * // The `_.matches` iteratee shorthand.
     * _.findKey(users, { 'age': 1, 'active': true });
     * // => 'pebbles'
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.findKey(users, ['active', false]);
     * // => 'fred'
     *
     * // The `_.property` iteratee shorthand.
     * _.findKey(users, 'active');
     * // => 'barney'
     */
    function findKey(object, predicate) {
      return baseFindKey(object, getIteratee(predicate, 3), baseForOwn);
    }

    /**
     * This method is like `_.findKey` except that it iterates over elements of
     * a collection in the opposite order.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Object
     * @param {Object} object The object to inspect.
     * @param {Function} [predicate=_.identity] The function invoked per iteration.
     * @returns {string|undefined} Returns the key of the matched element,
     *  else `undefined`.
     * @example
     *
     * var users = {
     *   'barney':  { 'age': 36, 'active': true },
     *   'fred':    { 'age': 40, 'active': false },
     *   'pebbles': { 'age': 1,  'active': true }
     * };
     *
     * _.findLastKey(users, function(o) { return o.age < 40; });
     * // => returns 'pebbles' assuming `_.findKey` returns 'barney'
     *
     * // The `_.matches` iteratee shorthand.
     * _.findLastKey(users, { 'age': 36, 'active': true });
     * // => 'barney'
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.findLastKey(users, ['active', false]);
     * // => 'fred'
     *
     * // The `_.property` iteratee shorthand.
     * _.findLastKey(users, 'active');
     * // => 'pebbles'
     */
    function findLastKey(object, predicate) {
      return baseFindKey(object, getIteratee(predicate, 3), baseForOwnRight);
    }

    /**
     * Iterates over own and inherited enumerable string keyed properties of an
     * object and invokes `iteratee` for each property. The iteratee is invoked
     * with three arguments: (value, key, object). Iteratee functions may exit
     * iteration early by explicitly returning `false`.
     *
     * @static
     * @memberOf _
     * @since 0.3.0
     * @category Object
     * @param {Object} object The object to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Object} Returns `object`.
     * @see _.forInRight
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.forIn(new Foo, function(value, key) {
     *   console.log(key);
     * });
     * // => Logs 'a', 'b', then 'c' (iteration order is not guaranteed).
     */
    function forIn(object, iteratee) {
      return object == null
        ? object
        : baseFor(object, getIteratee(iteratee, 3), keysIn);
    }

    /**
     * This method is like `_.forIn` except that it iterates over properties of
     * `object` in the opposite order.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Object
     * @param {Object} object The object to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Object} Returns `object`.
     * @see _.forIn
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.forInRight(new Foo, function(value, key) {
     *   console.log(key);
     * });
     * // => Logs 'c', 'b', then 'a' assuming `_.forIn` logs 'a', 'b', then 'c'.
     */
    function forInRight(object, iteratee) {
      return object == null
        ? object
        : baseForRight(object, getIteratee(iteratee, 3), keysIn);
    }

    /**
     * Iterates over own enumerable string keyed properties of an object and
     * invokes `iteratee` for each property. The iteratee is invoked with three
     * arguments: (value, key, object). Iteratee functions may exit iteration
     * early by explicitly returning `false`.
     *
     * @static
     * @memberOf _
     * @since 0.3.0
     * @category Object
     * @param {Object} object The object to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Object} Returns `object`.
     * @see _.forOwnRight
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.forOwn(new Foo, function(value, key) {
     *   console.log(key);
     * });
     * // => Logs 'a' then 'b' (iteration order is not guaranteed).
     */
    function forOwn(object, iteratee) {
      return object && baseForOwn(object, getIteratee(iteratee, 3));
    }

    /**
     * This method is like `_.forOwn` except that it iterates over properties of
     * `object` in the opposite order.
     *
     * @static
     * @memberOf _
     * @since 2.0.0
     * @category Object
     * @param {Object} object The object to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Object} Returns `object`.
     * @see _.forOwn
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.forOwnRight(new Foo, function(value, key) {
     *   console.log(key);
     * });
     * // => Logs 'b' then 'a' assuming `_.forOwn` logs 'a' then 'b'.
     */
    function forOwnRight(object, iteratee) {
      return object && baseForOwnRight(object, getIteratee(iteratee, 3));
    }

    /**
     * Creates an array of function property names from own enumerable properties
     * of `object`.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Object
     * @param {Object} object The object to inspect.
     * @returns {Array} Returns the function names.
     * @see _.functionsIn
     * @example
     *
     * function Foo() {
     *   this.a = _.constant('a');
     *   this.b = _.constant('b');
     * }
     *
     * Foo.prototype.c = _.constant('c');
     *
     * _.functions(new Foo);
     * // => ['a', 'b']
     */
    function functions(object) {
      return object == null ? [] : baseFunctions(object, keys(object));
    }

    /**
     * Creates an array of function property names from own and inherited
     * enumerable properties of `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The object to inspect.
     * @returns {Array} Returns the function names.
     * @see _.functions
     * @example
     *
     * function Foo() {
     *   this.a = _.constant('a');
     *   this.b = _.constant('b');
     * }
     *
     * Foo.prototype.c = _.constant('c');
     *
     * _.functionsIn(new Foo);
     * // => ['a', 'b', 'c']
     */
    function functionsIn(object) {
      return object == null ? [] : baseFunctions(object, keysIn(object));
    }

    /**
     * Gets the value at `path` of `object`. If the resolved value is
     * `undefined`, the `defaultValue` is returned in its place.
     *
     * @static
     * @memberOf _
     * @since 3.7.0
     * @category Object
     * @param {Object} object The object to query.
     * @param {Array|string} path The path of the property to get.
     * @param {*} [defaultValue] The value returned for `undefined` resolved values.
     * @returns {*} Returns the resolved value.
     * @example
     *
     * var object = { 'a': [{ 'b': { 'c': 3 } }] };
     *
     * _.get(object, 'a[0].b.c');
     * // => 3
     *
     * _.get(object, ['a', '0', 'b', 'c']);
     * // => 3
     *
     * _.get(object, 'a.b.c', 'default');
     * // => 'default'
     */
    function get(object, path, defaultValue) {
      var result = object == null ? undefined : baseGet(object, path);
      return result === undefined ? defaultValue : result;
    }

    /**
     * Checks if `path` is a direct property of `object`.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Object
     * @param {Object} object The object to query.
     * @param {Array|string} path The path to check.
     * @returns {boolean} Returns `true` if `path` exists, else `false`.
     * @example
     *
     * var object = { 'a': { 'b': 2 } };
     * var other = _.create({ 'a': _.create({ 'b': 2 }) });
     *
     * _.has(object, 'a');
     * // => true
     *
     * _.has(object, 'a.b');
     * // => true
     *
     * _.has(object, ['a', 'b']);
     * // => true
     *
     * _.has(other, 'a');
     * // => false
     */
    function has(object, path) {
      return object != null && hasPath(object, path, baseHas);
    }

    /**
     * Checks if `path` is a direct or inherited property of `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The object to query.
     * @param {Array|string} path The path to check.
     * @returns {boolean} Returns `true` if `path` exists, else `false`.
     * @example
     *
     * var object = _.create({ 'a': _.create({ 'b': 2 }) });
     *
     * _.hasIn(object, 'a');
     * // => true
     *
     * _.hasIn(object, 'a.b');
     * // => true
     *
     * _.hasIn(object, ['a', 'b']);
     * // => true
     *
     * _.hasIn(object, 'b');
     * // => false
     */
    function hasIn(object, path) {
      return object != null && hasPath(object, path, baseHasIn);
    }

    /**
     * Creates an object composed of the inverted keys and values of `object`.
     * If `object` contains duplicate values, subsequent values overwrite
     * property assignments of previous values.
     *
     * @static
     * @memberOf _
     * @since 0.7.0
     * @category Object
     * @param {Object} object The object to invert.
     * @returns {Object} Returns the new inverted object.
     * @example
     *
     * var object = { 'a': 1, 'b': 2, 'c': 1 };
     *
     * _.invert(object);
     * // => { '1': 'c', '2': 'b' }
     */
    var invert = createInverter(function(result, value, key) {
      if (value != null &&
          typeof value.toString != 'function') {
        value = nativeObjectToString.call(value);
      }

      result[value] = key;
    }, constant(identity));

    /**
     * This method is like `_.invert` except that the inverted object is generated
     * from the results of running each element of `object` thru `iteratee`. The
     * corresponding inverted value of each inverted key is an array of keys
     * responsible for generating the inverted value. The iteratee is invoked
     * with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.1.0
     * @category Object
     * @param {Object} object The object to invert.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {Object} Returns the new inverted object.
     * @example
     *
     * var object = { 'a': 1, 'b': 2, 'c': 1 };
     *
     * _.invertBy(object);
     * // => { '1': ['a', 'c'], '2': ['b'] }
     *
     * _.invertBy(object, function(value) {
     *   return 'group' + value;
     * });
     * // => { 'group1': ['a', 'c'], 'group2': ['b'] }
     */
    var invertBy = createInverter(function(result, value, key) {
      if (value != null &&
          typeof value.toString != 'function') {
        value = nativeObjectToString.call(value);
      }

      if (hasOwnProperty.call(result, value)) {
        result[value].push(key);
      } else {
        result[value] = [key];
      }
    }, getIteratee);

    /**
     * Invokes the method at `path` of `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The object to query.
     * @param {Array|string} path The path of the method to invoke.
     * @param {...*} [args] The arguments to invoke the method with.
     * @returns {*} Returns the result of the invoked method.
     * @example
     *
     * var object = { 'a': [{ 'b': { 'c': [1, 2, 3, 4] } }] };
     *
     * _.invoke(object, 'a[0].b.c.slice', 1, 3);
     * // => [2, 3]
     */
    var invoke = baseRest(baseInvoke);

    /**
     * Creates an array of the own enumerable property names of `object`.
     *
     * **Note:** Non-object values are coerced to objects. See the
     * [ES spec](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)
     * for more details.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Object
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property names.
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.keys(new Foo);
     * // => ['a', 'b'] (iteration order is not guaranteed)
     *
     * _.keys('hi');
     * // => ['0', '1']
     */
    function keys(object) {
      return isArrayLike(object) ? arrayLikeKeys(object) : baseKeys(object);
    }

    /**
     * Creates an array of the own and inherited enumerable property names of `object`.
     *
     * **Note:** Non-object values are coerced to objects.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Object
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property names.
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.keysIn(new Foo);
     * // => ['a', 'b', 'c'] (iteration order is not guaranteed)
     */
    function keysIn(object) {
      return isArrayLike(object) ? arrayLikeKeys(object, true) : baseKeysIn(object);
    }

    /**
     * The opposite of `_.mapValues`; this method creates an object with the
     * same values as `object` and keys generated by running each own enumerable
     * string keyed property of `object` thru `iteratee`. The iteratee is invoked
     * with three arguments: (value, key, object).
     *
     * @static
     * @memberOf _
     * @since 3.8.0
     * @category Object
     * @param {Object} object The object to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Object} Returns the new mapped object.
     * @see _.mapValues
     * @example
     *
     * _.mapKeys({ 'a': 1, 'b': 2 }, function(value, key) {
     *   return key + value;
     * });
     * // => { 'a1': 1, 'b2': 2 }
     */
    function mapKeys(object, iteratee) {
      var result = {};
      iteratee = getIteratee(iteratee, 3);

      baseForOwn(object, function(value, key, object) {
        baseAssignValue(result, iteratee(value, key, object), value);
      });
      return result;
    }

    /**
     * Creates an object with the same keys as `object` and values generated
     * by running each own enumerable string keyed property of `object` thru
     * `iteratee`. The iteratee is invoked with three arguments:
     * (value, key, object).
     *
     * @static
     * @memberOf _
     * @since 2.4.0
     * @category Object
     * @param {Object} object The object to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Object} Returns the new mapped object.
     * @see _.mapKeys
     * @example
     *
     * var users = {
     *   'fred':    { 'user': 'fred',    'age': 40 },
     *   'pebbles': { 'user': 'pebbles', 'age': 1 }
     * };
     *
     * _.mapValues(users, function(o) { return o.age; });
     * // => { 'fred': 40, 'pebbles': 1 } (iteration order is not guaranteed)
     *
     * // The `_.property` iteratee shorthand.
     * _.mapValues(users, 'age');
     * // => { 'fred': 40, 'pebbles': 1 } (iteration order is not guaranteed)
     */
    function mapValues(object, iteratee) {
      var result = {};
      iteratee = getIteratee(iteratee, 3);

      baseForOwn(object, function(value, key, object) {
        baseAssignValue(result, key, iteratee(value, key, object));
      });
      return result;
    }

    /**
     * This method is like `_.assign` except that it recursively merges own and
     * inherited enumerable string keyed properties of source objects into the
     * destination object. Source properties that resolve to `undefined` are
     * skipped if a destination value exists. Array and plain object properties
     * are merged recursively. Other objects and value types are overridden by
     * assignment. Source objects are applied from left to right. Subsequent
     * sources overwrite property assignments of previous sources.
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 0.5.0
     * @category Object
     * @param {Object} object The destination object.
     * @param {...Object} [sources] The source objects.
     * @returns {Object} Returns `object`.
     * @example
     *
     * var object = {
     *   'a': [{ 'b': 2 }, { 'd': 4 }]
     * };
     *
     * var other = {
     *   'a': [{ 'c': 3 }, { 'e': 5 }]
     * };
     *
     * _.merge(object, other);
     * // => { 'a': [{ 'b': 2, 'c': 3 }, { 'd': 4, 'e': 5 }] }
     */
    var merge = createAssigner(function(object, source, srcIndex) {
      baseMerge(object, source, srcIndex);
    });

    /**
     * This method is like `_.merge` except that it accepts `customizer` which
     * is invoked to produce the merged values of the destination and source
     * properties. If `customizer` returns `undefined`, merging is handled by the
     * method instead. The `customizer` is invoked with six arguments:
     * (objValue, srcValue, key, object, source, stack).
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The destination object.
     * @param {...Object} sources The source objects.
     * @param {Function} customizer The function to customize assigned values.
     * @returns {Object} Returns `object`.
     * @example
     *
     * function customizer(objValue, srcValue) {
     *   if (_.isArray(objValue)) {
     *     return objValue.concat(srcValue);
     *   }
     * }
     *
     * var object = { 'a': [1], 'b': [2] };
     * var other = { 'a': [3], 'b': [4] };
     *
     * _.mergeWith(object, other, customizer);
     * // => { 'a': [1, 3], 'b': [2, 4] }
     */
    var mergeWith = createAssigner(function(object, source, srcIndex, customizer) {
      baseMerge(object, source, srcIndex, customizer);
    });

    /**
     * The opposite of `_.pick`; this method creates an object composed of the
     * own and inherited enumerable property paths of `object` that are not omitted.
     *
     * **Note:** This method is considerably slower than `_.pick`.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Object
     * @param {Object} object The source object.
     * @param {...(string|string[])} [paths] The property paths to omit.
     * @returns {Object} Returns the new object.
     * @example
     *
     * var object = { 'a': 1, 'b': '2', 'c': 3 };
     *
     * _.omit(object, ['a', 'c']);
     * // => { 'b': '2' }
     */
    var omit = flatRest(function(object, paths) {
      var result = {};
      if (object == null) {
        return result;
      }
      var isDeep = false;
      paths = arrayMap(paths, function(path) {
        path = castPath(path, object);
        isDeep || (isDeep = path.length > 1);
        return path;
      });
      copyObject(object, getAllKeysIn(object), result);
      if (isDeep) {
        result = baseClone(result, CLONE_DEEP_FLAG | CLONE_FLAT_FLAG | CLONE_SYMBOLS_FLAG, customOmitClone);
      }
      var length = paths.length;
      while (length--) {
        baseUnset(result, paths[length]);
      }
      return result;
    });

    /**
     * The opposite of `_.pickBy`; this method creates an object composed of
     * the own and inherited enumerable string keyed properties of `object` that
     * `predicate` doesn't return truthy for. The predicate is invoked with two
     * arguments: (value, key).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The source object.
     * @param {Function} [predicate=_.identity] The function invoked per property.
     * @returns {Object} Returns the new object.
     * @example
     *
     * var object = { 'a': 1, 'b': '2', 'c': 3 };
     *
     * _.omitBy(object, _.isNumber);
     * // => { 'b': '2' }
     */
    function omitBy(object, predicate) {
      return pickBy(object, negate(getIteratee(predicate)));
    }

    /**
     * Creates an object composed of the picked `object` properties.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Object
     * @param {Object} object The source object.
     * @param {...(string|string[])} [paths] The property paths to pick.
     * @returns {Object} Returns the new object.
     * @example
     *
     * var object = { 'a': 1, 'b': '2', 'c': 3 };
     *
     * _.pick(object, ['a', 'c']);
     * // => { 'a': 1, 'c': 3 }
     */
    var pick = flatRest(function(object, paths) {
      return object == null ? {} : basePick(object, paths);
    });

    /**
     * Creates an object composed of the `object` properties `predicate` returns
     * truthy for. The predicate is invoked with two arguments: (value, key).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The source object.
     * @param {Function} [predicate=_.identity] The function invoked per property.
     * @returns {Object} Returns the new object.
     * @example
     *
     * var object = { 'a': 1, 'b': '2', 'c': 3 };
     *
     * _.pickBy(object, _.isNumber);
     * // => { 'a': 1, 'c': 3 }
     */
    function pickBy(object, predicate) {
      if (object == null) {
        return {};
      }
      var props = arrayMap(getAllKeysIn(object), function(prop) {
        return [prop];
      });
      predicate = getIteratee(predicate);
      return basePickBy(object, props, function(value, path) {
        return predicate(value, path[0]);
      });
    }

    /**
     * This method is like `_.get` except that if the resolved value is a
     * function it's invoked with the `this` binding of its parent object and
     * its result is returned.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Object
     * @param {Object} object The object to query.
     * @param {Array|string} path The path of the property to resolve.
     * @param {*} [defaultValue] The value returned for `undefined` resolved values.
     * @returns {*} Returns the resolved value.
     * @example
     *
     * var object = { 'a': [{ 'b': { 'c1': 3, 'c2': _.constant(4) } }] };
     *
     * _.result(object, 'a[0].b.c1');
     * // => 3
     *
     * _.result(object, 'a[0].b.c2');
     * // => 4
     *
     * _.result(object, 'a[0].b.c3', 'default');
     * // => 'default'
     *
     * _.result(object, 'a[0].b.c3', _.constant('default'));
     * // => 'default'
     */
    function result(object, path, defaultValue) {
      path = castPath(path, object);

      var index = -1,
          length = path.length;

      // Ensure the loop is entered when path is empty.
      if (!length) {
        length = 1;
        object = undefined;
      }
      while (++index < length) {
        var value = object == null ? undefined : object[toKey(path[index])];
        if (value === undefined) {
          index = length;
          value = defaultValue;
        }
        object = isFunction(value) ? value.call(object) : value;
      }
      return object;
    }

    /**
     * Sets the value at `path` of `object`. If a portion of `path` doesn't exist,
     * it's created. Arrays are created for missing index properties while objects
     * are created for all other missing properties. Use `_.setWith` to customize
     * `path` creation.
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 3.7.0
     * @category Object
     * @param {Object} object The object to modify.
     * @param {Array|string} path The path of the property to set.
     * @param {*} value The value to set.
     * @returns {Object} Returns `object`.
     * @example
     *
     * var object = { 'a': [{ 'b': { 'c': 3 } }] };
     *
     * _.set(object, 'a[0].b.c', 4);
     * console.log(object.a[0].b.c);
     * // => 4
     *
     * _.set(object, ['x', '0', 'y', 'z'], 5);
     * console.log(object.x[0].y.z);
     * // => 5
     */
    function set(object, path, value) {
      return object == null ? object : baseSet(object, path, value);
    }

    /**
     * This method is like `_.set` except that it accepts `customizer` which is
     * invoked to produce the objects of `path`.  If `customizer` returns `undefined`
     * path creation is handled by the method instead. The `customizer` is invoked
     * with three arguments: (nsValue, key, nsObject).
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The object to modify.
     * @param {Array|string} path The path of the property to set.
     * @param {*} value The value to set.
     * @param {Function} [customizer] The function to customize assigned values.
     * @returns {Object} Returns `object`.
     * @example
     *
     * var object = {};
     *
     * _.setWith(object, '[0][1]', 'a', Object);
     * // => { '0': { '1': 'a' } }
     */
    function setWith(object, path, value, customizer) {
      customizer = typeof customizer == 'function' ? customizer : undefined;
      return object == null ? object : baseSet(object, path, value, customizer);
    }

    /**
     * Creates an array of own enumerable string keyed-value pairs for `object`
     * which can be consumed by `_.fromPairs`. If `object` is a map or set, its
     * entries are returned.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @alias entries
     * @category Object
     * @param {Object} object The object to query.
     * @returns {Array} Returns the key-value pairs.
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.toPairs(new Foo);
     * // => [['a', 1], ['b', 2]] (iteration order is not guaranteed)
     */
    var toPairs = createToPairs(keys);

    /**
     * Creates an array of own and inherited enumerable string keyed-value pairs
     * for `object` which can be consumed by `_.fromPairs`. If `object` is a map
     * or set, its entries are returned.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @alias entriesIn
     * @category Object
     * @param {Object} object The object to query.
     * @returns {Array} Returns the key-value pairs.
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.toPairsIn(new Foo);
     * // => [['a', 1], ['b', 2], ['c', 3]] (iteration order is not guaranteed)
     */
    var toPairsIn = createToPairs(keysIn);

    /**
     * An alternative to `_.reduce`; this method transforms `object` to a new
     * `accumulator` object which is the result of running each of its own
     * enumerable string keyed properties thru `iteratee`, with each invocation
     * potentially mutating the `accumulator` object. If `accumulator` is not
     * provided, a new object with the same `[[Prototype]]` will be used. The
     * iteratee is invoked with four arguments: (accumulator, value, key, object).
     * Iteratee functions may exit iteration early by explicitly returning `false`.
     *
     * @static
     * @memberOf _
     * @since 1.3.0
     * @category Object
     * @param {Object} object The object to iterate over.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @param {*} [accumulator] The custom accumulator value.
     * @returns {*} Returns the accumulated value.
     * @example
     *
     * _.transform([2, 3, 4], function(result, n) {
     *   result.push(n *= n);
     *   return n % 2 == 0;
     * }, []);
     * // => [4, 9]
     *
     * _.transform({ 'a': 1, 'b': 2, 'c': 1 }, function(result, value, key) {
     *   (result[value] || (result[value] = [])).push(key);
     * }, {});
     * // => { '1': ['a', 'c'], '2': ['b'] }
     */
    function transform(object, iteratee, accumulator) {
      var isArr = isArray(object),
          isArrLike = isArr || isBuffer(object) || isTypedArray(object);

      iteratee = getIteratee(iteratee, 4);
      if (accumulator == null) {
        var Ctor = object && object.constructor;
        if (isArrLike) {
          accumulator = isArr ? new Ctor : [];
        }
        else if (isObject(object)) {
          accumulator = isFunction(Ctor) ? baseCreate(getPrototype(object)) : {};
        }
        else {
          accumulator = {};
        }
      }
      (isArrLike ? arrayEach : baseForOwn)(object, function(value, index, object) {
        return iteratee(accumulator, value, index, object);
      });
      return accumulator;
    }

    /**
     * Removes the property at `path` of `object`.
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Object
     * @param {Object} object The object to modify.
     * @param {Array|string} path The path of the property to unset.
     * @returns {boolean} Returns `true` if the property is deleted, else `false`.
     * @example
     *
     * var object = { 'a': [{ 'b': { 'c': 7 } }] };
     * _.unset(object, 'a[0].b.c');
     * // => true
     *
     * console.log(object);
     * // => { 'a': [{ 'b': {} }] };
     *
     * _.unset(object, ['a', '0', 'b', 'c']);
     * // => true
     *
     * console.log(object);
     * // => { 'a': [{ 'b': {} }] };
     */
    function unset(object, path) {
      return object == null ? true : baseUnset(object, path);
    }

    /**
     * This method is like `_.set` except that accepts `updater` to produce the
     * value to set. Use `_.updateWith` to customize `path` creation. The `updater`
     * is invoked with one argument: (value).
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 4.6.0
     * @category Object
     * @param {Object} object The object to modify.
     * @param {Array|string} path The path of the property to set.
     * @param {Function} updater The function to produce the updated value.
     * @returns {Object} Returns `object`.
     * @example
     *
     * var object = { 'a': [{ 'b': { 'c': 3 } }] };
     *
     * _.update(object, 'a[0].b.c', function(n) { return n * n; });
     * console.log(object.a[0].b.c);
     * // => 9
     *
     * _.update(object, 'x[0].y.z', function(n) { return n ? n + 1 : 0; });
     * console.log(object.x[0].y.z);
     * // => 0
     */
    function update(object, path, updater) {
      return object == null ? object : baseUpdate(object, path, castFunction(updater));
    }

    /**
     * This method is like `_.update` except that it accepts `customizer` which is
     * invoked to produce the objects of `path`.  If `customizer` returns `undefined`
     * path creation is handled by the method instead. The `customizer` is invoked
     * with three arguments: (nsValue, key, nsObject).
     *
     * **Note:** This method mutates `object`.
     *
     * @static
     * @memberOf _
     * @since 4.6.0
     * @category Object
     * @param {Object} object The object to modify.
     * @param {Array|string} path The path of the property to set.
     * @param {Function} updater The function to produce the updated value.
     * @param {Function} [customizer] The function to customize assigned values.
     * @returns {Object} Returns `object`.
     * @example
     *
     * var object = {};
     *
     * _.updateWith(object, '[0][1]', _.constant('a'), Object);
     * // => { '0': { '1': 'a' } }
     */
    function updateWith(object, path, updater, customizer) {
      customizer = typeof customizer == 'function' ? customizer : undefined;
      return object == null ? object : baseUpdate(object, path, castFunction(updater), customizer);
    }

    /**
     * Creates an array of the own enumerable string keyed property values of `object`.
     *
     * **Note:** Non-object values are coerced to objects.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Object
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property values.
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.values(new Foo);
     * // => [1, 2] (iteration order is not guaranteed)
     *
     * _.values('hi');
     * // => ['h', 'i']
     */
    function values(object) {
      return object == null ? [] : baseValues(object, keys(object));
    }

    /**
     * Creates an array of the own and inherited enumerable string keyed property
     * values of `object`.
     *
     * **Note:** Non-object values are coerced to objects.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Object
     * @param {Object} object The object to query.
     * @returns {Array} Returns the array of property values.
     * @example
     *
     * function Foo() {
     *   this.a = 1;
     *   this.b = 2;
     * }
     *
     * Foo.prototype.c = 3;
     *
     * _.valuesIn(new Foo);
     * // => [1, 2, 3] (iteration order is not guaranteed)
     */
    function valuesIn(object) {
      return object == null ? [] : baseValues(object, keysIn(object));
    }

    /*------------------------------------------------------------------------*/

    /**
     * Clamps `number` within the inclusive `lower` and `upper` bounds.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Number
     * @param {number} number The number to clamp.
     * @param {number} [lower] The lower bound.
     * @param {number} upper The upper bound.
     * @returns {number} Returns the clamped number.
     * @example
     *
     * _.clamp(-10, -5, 5);
     * // => -5
     *
     * _.clamp(10, -5, 5);
     * // => 5
     */
    function clamp(number, lower, upper) {
      if (upper === undefined) {
        upper = lower;
        lower = undefined;
      }
      if (upper !== undefined) {
        upper = toNumber(upper);
        upper = upper === upper ? upper : 0;
      }
      if (lower !== undefined) {
        lower = toNumber(lower);
        lower = lower === lower ? lower : 0;
      }
      return baseClamp(toNumber(number), lower, upper);
    }

    /**
     * Checks if `n` is between `start` and up to, but not including, `end`. If
     * `end` is not specified, it's set to `start` with `start` then set to `0`.
     * If `start` is greater than `end` the params are swapped to support
     * negative ranges.
     *
     * @static
     * @memberOf _
     * @since 3.3.0
     * @category Number
     * @param {number} number The number to check.
     * @param {number} [start=0] The start of the range.
     * @param {number} end The end of the range.
     * @returns {boolean} Returns `true` if `number` is in the range, else `false`.
     * @see _.range, _.rangeRight
     * @example
     *
     * _.inRange(3, 2, 4);
     * // => true
     *
     * _.inRange(4, 8);
     * // => true
     *
     * _.inRange(4, 2);
     * // => false
     *
     * _.inRange(2, 2);
     * // => false
     *
     * _.inRange(1.2, 2);
     * // => true
     *
     * _.inRange(5.2, 4);
     * // => false
     *
     * _.inRange(-3, -2, -6);
     * // => true
     */
    function inRange(number, start, end) {
      start = toFinite(start);
      if (end === undefined) {
        end = start;
        start = 0;
      } else {
        end = toFinite(end);
      }
      number = toNumber(number);
      return baseInRange(number, start, end);
    }

    /**
     * Produces a random number between the inclusive `lower` and `upper` bounds.
     * If only one argument is provided a number between `0` and the given number
     * is returned. If `floating` is `true`, or either `lower` or `upper` are
     * floats, a floating-point number is returned instead of an integer.
     *
     * **Note:** JavaScript follows the IEEE-754 standard for resolving
     * floating-point values which can produce unexpected results.
     *
     * @static
     * @memberOf _
     * @since 0.7.0
     * @category Number
     * @param {number} [lower=0] The lower bound.
     * @param {number} [upper=1] The upper bound.
     * @param {boolean} [floating] Specify returning a floating-point number.
     * @returns {number} Returns the random number.
     * @example
     *
     * _.random(0, 5);
     * // => an integer between 0 and 5
     *
     * _.random(5);
     * // => also an integer between 0 and 5
     *
     * _.random(5, true);
     * // => a floating-point number between 0 and 5
     *
     * _.random(1.2, 5.2);
     * // => a floating-point number between 1.2 and 5.2
     */
    function random(lower, upper, floating) {
      if (floating && typeof floating != 'boolean' && isIterateeCall(lower, upper, floating)) {
        upper = floating = undefined;
      }
      if (floating === undefined) {
        if (typeof upper == 'boolean') {
          floating = upper;
          upper = undefined;
        }
        else if (typeof lower == 'boolean') {
          floating = lower;
          lower = undefined;
        }
      }
      if (lower === undefined && upper === undefined) {
        lower = 0;
        upper = 1;
      }
      else {
        lower = toFinite(lower);
        if (upper === undefined) {
          upper = lower;
          lower = 0;
        } else {
          upper = toFinite(upper);
        }
      }
      if (lower > upper) {
        var temp = lower;
        lower = upper;
        upper = temp;
      }
      if (floating || lower % 1 || upper % 1) {
        var rand = nativeRandom();
        return nativeMin(lower + (rand * (upper - lower + freeParseFloat('1e-' + ((rand + '').length - 1)))), upper);
      }
      return baseRandom(lower, upper);
    }

    /*------------------------------------------------------------------------*/

    /**
     * Converts `string` to [camel case](https://en.wikipedia.org/wiki/CamelCase).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the camel cased string.
     * @example
     *
     * _.camelCase('Foo Bar');
     * // => 'fooBar'
     *
     * _.camelCase('--foo-bar--');
     * // => 'fooBar'
     *
     * _.camelCase('__FOO_BAR__');
     * // => 'fooBar'
     */
    var camelCase = createCompounder(function(result, word, index) {
      word = word.toLowerCase();
      return result + (index ? capitalize(word) : word);
    });

    /**
     * Converts the first character of `string` to upper case and the remaining
     * to lower case.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to capitalize.
     * @returns {string} Returns the capitalized string.
     * @example
     *
     * _.capitalize('FRED');
     * // => 'Fred'
     */
    function capitalize(string) {
      return upperFirst(toString(string).toLowerCase());
    }

    /**
     * Deburrs `string` by converting
     * [Latin-1 Supplement](https://en.wikipedia.org/wiki/Latin-1_Supplement_(Unicode_block)#Character_table)
     * and [Latin Extended-A](https://en.wikipedia.org/wiki/Latin_Extended-A)
     * letters to basic Latin letters and removing
     * [combining diacritical marks](https://en.wikipedia.org/wiki/Combining_Diacritical_Marks).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to deburr.
     * @returns {string} Returns the deburred string.
     * @example
     *
     * _.deburr('déjà vu');
     * // => 'deja vu'
     */
    function deburr(string) {
      string = toString(string);
      return string && string.replace(reLatin, deburrLetter).replace(reComboMark, '');
    }

    /**
     * Checks if `string` ends with the given target string.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to inspect.
     * @param {string} [target] The string to search for.
     * @param {number} [position=string.length] The position to search up to.
     * @returns {boolean} Returns `true` if `string` ends with `target`,
     *  else `false`.
     * @example
     *
     * _.endsWith('abc', 'c');
     * // => true
     *
     * _.endsWith('abc', 'b');
     * // => false
     *
     * _.endsWith('abc', 'b', 2);
     * // => true
     */
    function endsWith(string, target, position) {
      string = toString(string);
      target = baseToString(target);

      var length = string.length;
      position = position === undefined
        ? length
        : baseClamp(toInteger(position), 0, length);

      var end = position;
      position -= target.length;
      return position >= 0 && string.slice(position, end) == target;
    }

    /**
     * Converts the characters "&", "<", ">", '"', and "'" in `string` to their
     * corresponding HTML entities.
     *
     * **Note:** No other characters are escaped. To escape additional
     * characters use a third-party library like [_he_](https://mths.be/he).
     *
     * Though the ">" character is escaped for symmetry, characters like
     * ">" and "/" don't need escaping in HTML and have no special meaning
     * unless they're part of a tag or unquoted attribute value. See
     * [Mathias Bynens's article](https://mathiasbynens.be/notes/ambiguous-ampersands)
     * (under "semi-related fun fact") for more details.
     *
     * When working with HTML you should always
     * [quote attribute values](http://wonko.com/post/html-escaping) to reduce
     * XSS vectors.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category String
     * @param {string} [string=''] The string to escape.
     * @returns {string} Returns the escaped string.
     * @example
     *
     * _.escape('fred, barney, & pebbles');
     * // => 'fred, barney, &amp; pebbles'
     */
    function escape(string) {
      string = toString(string);
      return (string && reHasUnescapedHtml.test(string))
        ? string.replace(reUnescapedHtml, escapeHtmlChar)
        : string;
    }

    /**
     * Escapes the `RegExp` special characters "^", "$", "\", ".", "*", "+",
     * "?", "(", ")", "[", "]", "{", "}", and "|" in `string`.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to escape.
     * @returns {string} Returns the escaped string.
     * @example
     *
     * _.escapeRegExp('[lodash](https://lodash.com/)');
     * // => '\[lodash\]\(https://lodash\.com/\)'
     */
    function escapeRegExp(string) {
      string = toString(string);
      return (string && reHasRegExpChar.test(string))
        ? string.replace(reRegExpChar, '\\$&')
        : string;
    }

    /**
     * Converts `string` to
     * [kebab case](https://en.wikipedia.org/wiki/Letter_case#Special_case_styles).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the kebab cased string.
     * @example
     *
     * _.kebabCase('Foo Bar');
     * // => 'foo-bar'
     *
     * _.kebabCase('fooBar');
     * // => 'foo-bar'
     *
     * _.kebabCase('__FOO_BAR__');
     * // => 'foo-bar'
     */
    var kebabCase = createCompounder(function(result, word, index) {
      return result + (index ? '-' : '') + word.toLowerCase();
    });

    /**
     * Converts `string`, as space separated words, to lower case.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the lower cased string.
     * @example
     *
     * _.lowerCase('--Foo-Bar--');
     * // => 'foo bar'
     *
     * _.lowerCase('fooBar');
     * // => 'foo bar'
     *
     * _.lowerCase('__FOO_BAR__');
     * // => 'foo bar'
     */
    var lowerCase = createCompounder(function(result, word, index) {
      return result + (index ? ' ' : '') + word.toLowerCase();
    });

    /**
     * Converts the first character of `string` to lower case.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the converted string.
     * @example
     *
     * _.lowerFirst('Fred');
     * // => 'fred'
     *
     * _.lowerFirst('FRED');
     * // => 'fRED'
     */
    var lowerFirst = createCaseFirst('toLowerCase');

    /**
     * Pads `string` on the left and right sides if it's shorter than `length`.
     * Padding characters are truncated if they can't be evenly divided by `length`.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to pad.
     * @param {number} [length=0] The padding length.
     * @param {string} [chars=' '] The string used as padding.
     * @returns {string} Returns the padded string.
     * @example
     *
     * _.pad('abc', 8);
     * // => '  abc   '
     *
     * _.pad('abc', 8, '_-');
     * // => '_-abc_-_'
     *
     * _.pad('abc', 3);
     * // => 'abc'
     */
    function pad(string, length, chars) {
      string = toString(string);
      length = toInteger(length);

      var strLength = length ? stringSize(string) : 0;
      if (!length || strLength >= length) {
        return string;
      }
      var mid = (length - strLength) / 2;
      return (
        createPadding(nativeFloor(mid), chars) +
        string +
        createPadding(nativeCeil(mid), chars)
      );
    }

    /**
     * Pads `string` on the right side if it's shorter than `length`. Padding
     * characters are truncated if they exceed `length`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to pad.
     * @param {number} [length=0] The padding length.
     * @param {string} [chars=' '] The string used as padding.
     * @returns {string} Returns the padded string.
     * @example
     *
     * _.padEnd('abc', 6);
     * // => 'abc   '
     *
     * _.padEnd('abc', 6, '_-');
     * // => 'abc_-_'
     *
     * _.padEnd('abc', 3);
     * // => 'abc'
     */
    function padEnd(string, length, chars) {
      string = toString(string);
      length = toInteger(length);

      var strLength = length ? stringSize(string) : 0;
      return (length && strLength < length)
        ? (string + createPadding(length - strLength, chars))
        : string;
    }

    /**
     * Pads `string` on the left side if it's shorter than `length`. Padding
     * characters are truncated if they exceed `length`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to pad.
     * @param {number} [length=0] The padding length.
     * @param {string} [chars=' '] The string used as padding.
     * @returns {string} Returns the padded string.
     * @example
     *
     * _.padStart('abc', 6);
     * // => '   abc'
     *
     * _.padStart('abc', 6, '_-');
     * // => '_-_abc'
     *
     * _.padStart('abc', 3);
     * // => 'abc'
     */
    function padStart(string, length, chars) {
      string = toString(string);
      length = toInteger(length);

      var strLength = length ? stringSize(string) : 0;
      return (length && strLength < length)
        ? (createPadding(length - strLength, chars) + string)
        : string;
    }

    /**
     * Converts `string` to an integer of the specified radix. If `radix` is
     * `undefined` or `0`, a `radix` of `10` is used unless `value` is a
     * hexadecimal, in which case a `radix` of `16` is used.
     *
     * **Note:** This method aligns with the
     * [ES5 implementation](https://es5.github.io/#x15.1.2.2) of `parseInt`.
     *
     * @static
     * @memberOf _
     * @since 1.1.0
     * @category String
     * @param {string} string The string to convert.
     * @param {number} [radix=10] The radix to interpret `value` by.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {number} Returns the converted integer.
     * @example
     *
     * _.parseInt('08');
     * // => 8
     *
     * _.map(['6', '08', '10'], _.parseInt);
     * // => [6, 8, 10]
     */
    function parseInt(string, radix, guard) {
      if (guard || radix == null) {
        radix = 0;
      } else if (radix) {
        radix = +radix;
      }
      return nativeParseInt(toString(string).replace(reTrimStart, ''), radix || 0);
    }

    /**
     * Repeats the given string `n` times.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to repeat.
     * @param {number} [n=1] The number of times to repeat the string.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {string} Returns the repeated string.
     * @example
     *
     * _.repeat('*', 3);
     * // => '***'
     *
     * _.repeat('abc', 2);
     * // => 'abcabc'
     *
     * _.repeat('abc', 0);
     * // => ''
     */
    function repeat(string, n, guard) {
      if ((guard ? isIterateeCall(string, n, guard) : n === undefined)) {
        n = 1;
      } else {
        n = toInteger(n);
      }
      return baseRepeat(toString(string), n);
    }

    /**
     * Replaces matches for `pattern` in `string` with `replacement`.
     *
     * **Note:** This method is based on
     * [`String#replace`](https://mdn.io/String/replace).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to modify.
     * @param {RegExp|string} pattern The pattern to replace.
     * @param {Function|string} replacement The match replacement.
     * @returns {string} Returns the modified string.
     * @example
     *
     * _.replace('Hi Fred', 'Fred', 'Barney');
     * // => 'Hi Barney'
     */
    function replace() {
      var args = arguments,
          string = toString(args[0]);

      return args.length < 3 ? string : string.replace(args[1], args[2]);
    }

    /**
     * Converts `string` to
     * [snake case](https://en.wikipedia.org/wiki/Snake_case).
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the snake cased string.
     * @example
     *
     * _.snakeCase('Foo Bar');
     * // => 'foo_bar'
     *
     * _.snakeCase('fooBar');
     * // => 'foo_bar'
     *
     * _.snakeCase('--FOO-BAR--');
     * // => 'foo_bar'
     */
    var snakeCase = createCompounder(function(result, word, index) {
      return result + (index ? '_' : '') + word.toLowerCase();
    });

    /**
     * Splits `string` by `separator`.
     *
     * **Note:** This method is based on
     * [`String#split`](https://mdn.io/String/split).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to split.
     * @param {RegExp|string} separator The separator pattern to split by.
     * @param {number} [limit] The length to truncate results to.
     * @returns {Array} Returns the string segments.
     * @example
     *
     * _.split('a-b-c', '-', 2);
     * // => ['a', 'b']
     */
    function split(string, separator, limit) {
      if (limit && typeof limit != 'number' && isIterateeCall(string, separator, limit)) {
        separator = limit = undefined;
      }
      limit = limit === undefined ? MAX_ARRAY_LENGTH : limit >>> 0;
      if (!limit) {
        return [];
      }
      string = toString(string);
      if (string && (
            typeof separator == 'string' ||
            (separator != null && !isRegExp(separator))
          )) {
        separator = baseToString(separator);
        if (!separator && hasUnicode(string)) {
          return castSlice(stringToArray(string), 0, limit);
        }
      }
      return string.split(separator, limit);
    }

    /**
     * Converts `string` to
     * [start case](https://en.wikipedia.org/wiki/Letter_case#Stylistic_or_specialised_usage).
     *
     * @static
     * @memberOf _
     * @since 3.1.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the start cased string.
     * @example
     *
     * _.startCase('--foo-bar--');
     * // => 'Foo Bar'
     *
     * _.startCase('fooBar');
     * // => 'Foo Bar'
     *
     * _.startCase('__FOO_BAR__');
     * // => 'FOO BAR'
     */
    var startCase = createCompounder(function(result, word, index) {
      return result + (index ? ' ' : '') + upperFirst(word);
    });

    /**
     * Checks if `string` starts with the given target string.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to inspect.
     * @param {string} [target] The string to search for.
     * @param {number} [position=0] The position to search from.
     * @returns {boolean} Returns `true` if `string` starts with `target`,
     *  else `false`.
     * @example
     *
     * _.startsWith('abc', 'a');
     * // => true
     *
     * _.startsWith('abc', 'b');
     * // => false
     *
     * _.startsWith('abc', 'b', 1);
     * // => true
     */
    function startsWith(string, target, position) {
      string = toString(string);
      position = position == null
        ? 0
        : baseClamp(toInteger(position), 0, string.length);

      target = baseToString(target);
      return string.slice(position, position + target.length) == target;
    }

    /**
     * Creates a compiled template function that can interpolate data properties
     * in "interpolate" delimiters, HTML-escape interpolated data properties in
     * "escape" delimiters, and execute JavaScript in "evaluate" delimiters. Data
     * properties may be accessed as free variables in the template. If a setting
     * object is given, it takes precedence over `_.templateSettings` values.
     *
     * **Note:** In the development build `_.template` utilizes
     * [sourceURLs](http://www.html5rocks.com/en/tutorials/developertools/sourcemaps/#toc-sourceurl)
     * for easier debugging.
     *
     * For more information on precompiling templates see
     * [lodash's custom builds documentation](https://lodash.com/custom-builds).
     *
     * For more information on Chrome extension sandboxes see
     * [Chrome's extensions documentation](https://developer.chrome.com/extensions/sandboxingEval).
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category String
     * @param {string} [string=''] The template string.
     * @param {Object} [options={}] The options object.
     * @param {RegExp} [options.escape=_.templateSettings.escape]
     *  The HTML "escape" delimiter.
     * @param {RegExp} [options.evaluate=_.templateSettings.evaluate]
     *  The "evaluate" delimiter.
     * @param {Object} [options.imports=_.templateSettings.imports]
     *  An object to import into the template as free variables.
     * @param {RegExp} [options.interpolate=_.templateSettings.interpolate]
     *  The "interpolate" delimiter.
     * @param {string} [options.sourceURL='lodash.templateSources[n]']
     *  The sourceURL of the compiled template.
     * @param {string} [options.variable='obj']
     *  The data object variable name.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Function} Returns the compiled template function.
     * @example
     *
     * // Use the "interpolate" delimiter to create a compiled template.
     * var compiled = _.template('hello <%= user %>!');
     * compiled({ 'user': 'fred' });
     * // => 'hello fred!'
     *
     * // Use the HTML "escape" delimiter to escape data property values.
     * var compiled = _.template('<b><%- value %></b>');
     * compiled({ 'value': '<script>' });
     * // => '<b>&lt;script&gt;</b>'
     *
     * // Use the "evaluate" delimiter to execute JavaScript and generate HTML.
     * var compiled = _.template('<% _.forEach(users, function(user) { %><li><%- user %></li><% }); %>');
     * compiled({ 'users': ['fred', 'barney'] });
     * // => '<li>fred</li><li>barney</li>'
     *
     * // Use the internal `print` function in "evaluate" delimiters.
     * var compiled = _.template('<% print("hello " + user); %>!');
     * compiled({ 'user': 'barney' });
     * // => 'hello barney!'
     *
     * // Use the ES template literal delimiter as an "interpolate" delimiter.
     * // Disable support by replacing the "interpolate" delimiter.
     * var compiled = _.template('hello ${ user }!');
     * compiled({ 'user': 'pebbles' });
     * // => 'hello pebbles!'
     *
     * // Use backslashes to treat delimiters as plain text.
     * var compiled = _.template('<%= "\\<%- value %\\>" %>');
     * compiled({ 'value': 'ignored' });
     * // => '<%- value %>'
     *
     * // Use the `imports` option to import `jQuery` as `jq`.
     * var text = '<% jq.each(users, function(user) { %><li><%- user %></li><% }); %>';
     * var compiled = _.template(text, { 'imports': { 'jq': jQuery } });
     * compiled({ 'users': ['fred', 'barney'] });
     * // => '<li>fred</li><li>barney</li>'
     *
     * // Use the `sourceURL` option to specify a custom sourceURL for the template.
     * var compiled = _.template('hello <%= user %>!', { 'sourceURL': '/basic/greeting.jst' });
     * compiled(data);
     * // => Find the source of "greeting.jst" under the Sources tab or Resources panel of the web inspector.
     *
     * // Use the `variable` option to ensure a with-statement isn't used in the compiled template.
     * var compiled = _.template('hi <%= data.user %>!', { 'variable': 'data' });
     * compiled.source;
     * // => function(data) {
     * //   var __t, __p = '';
     * //   __p += 'hi ' + ((__t = ( data.user )) == null ? '' : __t) + '!';
     * //   return __p;
     * // }
     *
     * // Use custom template delimiters.
     * _.templateSettings.interpolate = /{{([\s\S]+?)}}/g;
     * var compiled = _.template('hello {{ user }}!');
     * compiled({ 'user': 'mustache' });
     * // => 'hello mustache!'
     *
     * // Use the `source` property to inline compiled templates for meaningful
     * // line numbers in error messages and stack traces.
     * fs.writeFileSync(path.join(process.cwd(), 'jst.js'), '\
     *   var JST = {\
     *     "main": ' + _.template(mainText).source + '\
     *   };\
     * ');
     */
    function template(string, options, guard) {
      // Based on John Resig's `tmpl` implementation
      // (http://ejohn.org/blog/javascript-micro-templating/)
      // and Laura Doktorova's doT.js (https://github.com/olado/doT).
      var settings = lodash.templateSettings;

      if (guard && isIterateeCall(string, options, guard)) {
        options = undefined;
      }
      string = toString(string);
      options = assignInWith({}, options, settings, customDefaultsAssignIn);

      var imports = assignInWith({}, options.imports, settings.imports, customDefaultsAssignIn),
          importsKeys = keys(imports),
          importsValues = baseValues(imports, importsKeys);

      var isEscaping,
          isEvaluating,
          index = 0,
          interpolate = options.interpolate || reNoMatch,
          source = "__p += '";

      // Compile the regexp to match each delimiter.
      var reDelimiters = RegExp(
        (options.escape || reNoMatch).source + '|' +
        interpolate.source + '|' +
        (interpolate === reInterpolate ? reEsTemplate : reNoMatch).source + '|' +
        (options.evaluate || reNoMatch).source + '|$'
      , 'g');

      // Use a sourceURL for easier debugging.
      // The sourceURL gets injected into the source that's eval-ed, so be careful
      // to normalize all kinds of whitespace, so e.g. newlines (and unicode versions of it) can't sneak in
      // and escape the comment, thus injecting code that gets evaled.
      var sourceURL = '//# sourceURL=' +
        (hasOwnProperty.call(options, 'sourceURL')
          ? (options.sourceURL + '').replace(/\s/g, ' ')
          : ('lodash.templateSources[' + (++templateCounter) + ']')
        ) + '\n';

      string.replace(reDelimiters, function(match, escapeValue, interpolateValue, esTemplateValue, evaluateValue, offset) {
        interpolateValue || (interpolateValue = esTemplateValue);

        // Escape characters that can't be included in string literals.
        source += string.slice(index, offset).replace(reUnescapedString, escapeStringChar);

        // Replace delimiters with snippets.
        if (escapeValue) {
          isEscaping = true;
          source += "' +\n__e(" + escapeValue + ") +\n'";
        }
        if (evaluateValue) {
          isEvaluating = true;
          source += "';\n" + evaluateValue + ";\n__p += '";
        }
        if (interpolateValue) {
          source += "' +\n((__t = (" + interpolateValue + ")) == null ? '' : __t) +\n'";
        }
        index = offset + match.length;

        // The JS engine embedded in Adobe products needs `match` returned in
        // order to produce the correct `offset` value.
        return match;
      });

      source += "';\n";

      // If `variable` is not specified wrap a with-statement around the generated
      // code to add the data object to the top of the scope chain.
      var variable = hasOwnProperty.call(options, 'variable') && options.variable;
      if (!variable) {
        source = 'with (obj) {\n' + source + '\n}\n';
      }
      // Throw an error if a forbidden character was found in `variable`, to prevent
      // potential command injection attacks.
      else if (reForbiddenIdentifierChars.test(variable)) {
        throw new Error(INVALID_TEMPL_VAR_ERROR_TEXT);
      }

      // Cleanup code by stripping empty strings.
      source = (isEvaluating ? source.replace(reEmptyStringLeading, '') : source)
        .replace(reEmptyStringMiddle, '$1')
        .replace(reEmptyStringTrailing, '$1;');

      // Frame code as the function body.
      source = 'function(' + (variable || 'obj') + ') {\n' +
        (variable
          ? ''
          : 'obj || (obj = {});\n'
        ) +
        "var __t, __p = ''" +
        (isEscaping
           ? ', __e = _.escape'
           : ''
        ) +
        (isEvaluating
          ? ', __j = Array.prototype.join;\n' +
            "function print() { __p += __j.call(arguments, '') }\n"
          : ';\n'
        ) +
        source +
        'return __p\n}';

      var result = attempt(function() {
        return Function(importsKeys, sourceURL + 'return ' + source)
          .apply(undefined, importsValues);
      });

      // Provide the compiled function's source by its `toString` method or
      // the `source` property as a convenience for inlining compiled templates.
      result.source = source;
      if (isError(result)) {
        throw result;
      }
      return result;
    }

    /**
     * Converts `string`, as a whole, to lower case just like
     * [String#toLowerCase](https://mdn.io/toLowerCase).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the lower cased string.
     * @example
     *
     * _.toLower('--Foo-Bar--');
     * // => '--foo-bar--'
     *
     * _.toLower('fooBar');
     * // => 'foobar'
     *
     * _.toLower('__FOO_BAR__');
     * // => '__foo_bar__'
     */
    function toLower(value) {
      return toString(value).toLowerCase();
    }

    /**
     * Converts `string`, as a whole, to upper case just like
     * [String#toUpperCase](https://mdn.io/toUpperCase).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the upper cased string.
     * @example
     *
     * _.toUpper('--foo-bar--');
     * // => '--FOO-BAR--'
     *
     * _.toUpper('fooBar');
     * // => 'FOOBAR'
     *
     * _.toUpper('__foo_bar__');
     * // => '__FOO_BAR__'
     */
    function toUpper(value) {
      return toString(value).toUpperCase();
    }

    /**
     * Removes leading and trailing whitespace or specified characters from `string`.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to trim.
     * @param {string} [chars=whitespace] The characters to trim.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {string} Returns the trimmed string.
     * @example
     *
     * _.trim('  abc  ');
     * // => 'abc'
     *
     * _.trim('-_-abc-_-', '_-');
     * // => 'abc'
     *
     * _.map(['  foo  ', '  bar  '], _.trim);
     * // => ['foo', 'bar']
     */
    function trim(string, chars, guard) {
      string = toString(string);
      if (string && (guard || chars === undefined)) {
        return baseTrim(string);
      }
      if (!string || !(chars = baseToString(chars))) {
        return string;
      }
      var strSymbols = stringToArray(string),
          chrSymbols = stringToArray(chars),
          start = charsStartIndex(strSymbols, chrSymbols),
          end = charsEndIndex(strSymbols, chrSymbols) + 1;

      return castSlice(strSymbols, start, end).join('');
    }

    /**
     * Removes trailing whitespace or specified characters from `string`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to trim.
     * @param {string} [chars=whitespace] The characters to trim.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {string} Returns the trimmed string.
     * @example
     *
     * _.trimEnd('  abc  ');
     * // => '  abc'
     *
     * _.trimEnd('-_-abc-_-', '_-');
     * // => '-_-abc'
     */
    function trimEnd(string, chars, guard) {
      string = toString(string);
      if (string && (guard || chars === undefined)) {
        return string.slice(0, trimmedEndIndex(string) + 1);
      }
      if (!string || !(chars = baseToString(chars))) {
        return string;
      }
      var strSymbols = stringToArray(string),
          end = charsEndIndex(strSymbols, stringToArray(chars)) + 1;

      return castSlice(strSymbols, 0, end).join('');
    }

    /**
     * Removes leading whitespace or specified characters from `string`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to trim.
     * @param {string} [chars=whitespace] The characters to trim.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {string} Returns the trimmed string.
     * @example
     *
     * _.trimStart('  abc  ');
     * // => 'abc  '
     *
     * _.trimStart('-_-abc-_-', '_-');
     * // => 'abc-_-'
     */
    function trimStart(string, chars, guard) {
      string = toString(string);
      if (string && (guard || chars === undefined)) {
        return string.replace(reTrimStart, '');
      }
      if (!string || !(chars = baseToString(chars))) {
        return string;
      }
      var strSymbols = stringToArray(string),
          start = charsStartIndex(strSymbols, stringToArray(chars));

      return castSlice(strSymbols, start).join('');
    }

    /**
     * Truncates `string` if it's longer than the given maximum string length.
     * The last characters of the truncated string are replaced with the omission
     * string which defaults to "...".
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to truncate.
     * @param {Object} [options={}] The options object.
     * @param {number} [options.length=30] The maximum string length.
     * @param {string} [options.omission='...'] The string to indicate text is omitted.
     * @param {RegExp|string} [options.separator] The separator pattern to truncate to.
     * @returns {string} Returns the truncated string.
     * @example
     *
     * _.truncate('hi-diddly-ho there, neighborino');
     * // => 'hi-diddly-ho there, neighbo...'
     *
     * _.truncate('hi-diddly-ho there, neighborino', {
     *   'length': 24,
     *   'separator': ' '
     * });
     * // => 'hi-diddly-ho there,...'
     *
     * _.truncate('hi-diddly-ho there, neighborino', {
     *   'length': 24,
     *   'separator': /,? +/
     * });
     * // => 'hi-diddly-ho there...'
     *
     * _.truncate('hi-diddly-ho there, neighborino', {
     *   'omission': ' [...]'
     * });
     * // => 'hi-diddly-ho there, neig [...]'
     */
    function truncate(string, options) {
      var length = DEFAULT_TRUNC_LENGTH,
          omission = DEFAULT_TRUNC_OMISSION;

      if (isObject(options)) {
        var separator = 'separator' in options ? options.separator : separator;
        length = 'length' in options ? toInteger(options.length) : length;
        omission = 'omission' in options ? baseToString(options.omission) : omission;
      }
      string = toString(string);

      var strLength = string.length;
      if (hasUnicode(string)) {
        var strSymbols = stringToArray(string);
        strLength = strSymbols.length;
      }
      if (length >= strLength) {
        return string;
      }
      var end = length - stringSize(omission);
      if (end < 1) {
        return omission;
      }
      var result = strSymbols
        ? castSlice(strSymbols, 0, end).join('')
        : string.slice(0, end);

      if (separator === undefined) {
        return result + omission;
      }
      if (strSymbols) {
        end += (result.length - end);
      }
      if (isRegExp(separator)) {
        if (string.slice(end).search(separator)) {
          var match,
              substring = result;

          if (!separator.global) {
            separator = RegExp(separator.source, toString(reFlags.exec(separator)) + 'g');
          }
          separator.lastIndex = 0;
          while ((match = separator.exec(substring))) {
            var newEnd = match.index;
          }
          result = result.slice(0, newEnd === undefined ? end : newEnd);
        }
      } else if (string.indexOf(baseToString(separator), end) != end) {
        var index = result.lastIndexOf(separator);
        if (index > -1) {
          result = result.slice(0, index);
        }
      }
      return result + omission;
    }

    /**
     * The inverse of `_.escape`; this method converts the HTML entities
     * `&amp;`, `&lt;`, `&gt;`, `&quot;`, and `&#39;` in `string` to
     * their corresponding characters.
     *
     * **Note:** No other HTML entities are unescaped. To unescape additional
     * HTML entities use a third-party library like [_he_](https://mths.be/he).
     *
     * @static
     * @memberOf _
     * @since 0.6.0
     * @category String
     * @param {string} [string=''] The string to unescape.
     * @returns {string} Returns the unescaped string.
     * @example
     *
     * _.unescape('fred, barney, &amp; pebbles');
     * // => 'fred, barney, & pebbles'
     */
    function unescape(string) {
      string = toString(string);
      return (string && reHasEscapedHtml.test(string))
        ? string.replace(reEscapedHtml, unescapeHtmlChar)
        : string;
    }

    /**
     * Converts `string`, as space separated words, to upper case.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the upper cased string.
     * @example
     *
     * _.upperCase('--foo-bar');
     * // => 'FOO BAR'
     *
     * _.upperCase('fooBar');
     * // => 'FOO BAR'
     *
     * _.upperCase('__foo_bar__');
     * // => 'FOO BAR'
     */
    var upperCase = createCompounder(function(result, word, index) {
      return result + (index ? ' ' : '') + word.toUpperCase();
    });

    /**
     * Converts the first character of `string` to upper case.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category String
     * @param {string} [string=''] The string to convert.
     * @returns {string} Returns the converted string.
     * @example
     *
     * _.upperFirst('fred');
     * // => 'Fred'
     *
     * _.upperFirst('FRED');
     * // => 'FRED'
     */
    var upperFirst = createCaseFirst('toUpperCase');

    /**
     * Splits `string` into an array of its words.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category String
     * @param {string} [string=''] The string to inspect.
     * @param {RegExp|string} [pattern] The pattern to match words.
     * @param- {Object} [guard] Enables use as an iteratee for methods like `_.map`.
     * @returns {Array} Returns the words of `string`.
     * @example
     *
     * _.words('fred, barney, & pebbles');
     * // => ['fred', 'barney', 'pebbles']
     *
     * _.words('fred, barney, & pebbles', /[^, ]+/g);
     * // => ['fred', 'barney', '&', 'pebbles']
     */
    function words(string, pattern, guard) {
      string = toString(string);
      pattern = guard ? undefined : pattern;

      if (pattern === undefined) {
        return hasUnicodeWord(string) ? unicodeWords(string) : asciiWords(string);
      }
      return string.match(pattern) || [];
    }

    /*------------------------------------------------------------------------*/

    /**
     * Attempts to invoke `func`, returning either the result or the caught error
     * object. Any additional arguments are provided to `func` when it's invoked.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Util
     * @param {Function} func The function to attempt.
     * @param {...*} [args] The arguments to invoke `func` with.
     * @returns {*} Returns the `func` result or error object.
     * @example
     *
     * // Avoid throwing errors for invalid selectors.
     * var elements = _.attempt(function(selector) {
     *   return document.querySelectorAll(selector);
     * }, '>_>');
     *
     * if (_.isError(elements)) {
     *   elements = [];
     * }
     */
    var attempt = baseRest(function(func, args) {
      try {
        return apply(func, undefined, args);
      } catch (e) {
        return isError(e) ? e : new Error(e);
      }
    });

    /**
     * Binds methods of an object to the object itself, overwriting the existing
     * method.
     *
     * **Note:** This method doesn't set the "length" property of bound functions.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Util
     * @param {Object} object The object to bind and assign the bound methods to.
     * @param {...(string|string[])} methodNames The object method names to bind.
     * @returns {Object} Returns `object`.
     * @example
     *
     * var view = {
     *   'label': 'docs',
     *   'click': function() {
     *     console.log('clicked ' + this.label);
     *   }
     * };
     *
     * _.bindAll(view, ['click']);
     * jQuery(element).on('click', view.click);
     * // => Logs 'clicked docs' when clicked.
     */
    var bindAll = flatRest(function(object, methodNames) {
      arrayEach(methodNames, function(key) {
        key = toKey(key);
        baseAssignValue(object, key, bind(object[key], object));
      });
      return object;
    });

    /**
     * Creates a function that iterates over `pairs` and invokes the corresponding
     * function of the first predicate to return truthy. The predicate-function
     * pairs are invoked with the `this` binding and arguments of the created
     * function.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Util
     * @param {Array} pairs The predicate-function pairs.
     * @returns {Function} Returns the new composite function.
     * @example
     *
     * var func = _.cond([
     *   [_.matches({ 'a': 1 }),           _.constant('matches A')],
     *   [_.conforms({ 'b': _.isNumber }), _.constant('matches B')],
     *   [_.stubTrue,                      _.constant('no match')]
     * ]);
     *
     * func({ 'a': 1, 'b': 2 });
     * // => 'matches A'
     *
     * func({ 'a': 0, 'b': 1 });
     * // => 'matches B'
     *
     * func({ 'a': '1', 'b': '2' });
     * // => 'no match'
     */
    function cond(pairs) {
      var length = pairs == null ? 0 : pairs.length,
          toIteratee = getIteratee();

      pairs = !length ? [] : arrayMap(pairs, function(pair) {
        if (typeof pair[1] != 'function') {
          throw new TypeError(FUNC_ERROR_TEXT);
        }
        return [toIteratee(pair[0]), pair[1]];
      });

      return baseRest(function(args) {
        var index = -1;
        while (++index < length) {
          var pair = pairs[index];
          if (apply(pair[0], this, args)) {
            return apply(pair[1], this, args);
          }
        }
      });
    }

    /**
     * Creates a function that invokes the predicate properties of `source` with
     * the corresponding property values of a given object, returning `true` if
     * all predicates return truthy, else `false`.
     *
     * **Note:** The created function is equivalent to `_.conformsTo` with
     * `source` partially applied.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Util
     * @param {Object} source The object of property predicates to conform to.
     * @returns {Function} Returns the new spec function.
     * @example
     *
     * var objects = [
     *   { 'a': 2, 'b': 1 },
     *   { 'a': 1, 'b': 2 }
     * ];
     *
     * _.filter(objects, _.conforms({ 'b': function(n) { return n > 1; } }));
     * // => [{ 'a': 1, 'b': 2 }]
     */
    function conforms(source) {
      return baseConforms(baseClone(source, CLONE_DEEP_FLAG));
    }

    /**
     * Creates a function that returns `value`.
     *
     * @static
     * @memberOf _
     * @since 2.4.0
     * @category Util
     * @param {*} value The value to return from the new function.
     * @returns {Function} Returns the new constant function.
     * @example
     *
     * var objects = _.times(2, _.constant({ 'a': 1 }));
     *
     * console.log(objects);
     * // => [{ 'a': 1 }, { 'a': 1 }]
     *
     * console.log(objects[0] === objects[1]);
     * // => true
     */
    function constant(value) {
      return function() {
        return value;
      };
    }

    /**
     * Checks `value` to determine whether a default value should be returned in
     * its place. The `defaultValue` is returned if `value` is `NaN`, `null`,
     * or `undefined`.
     *
     * @static
     * @memberOf _
     * @since 4.14.0
     * @category Util
     * @param {*} value The value to check.
     * @param {*} defaultValue The default value.
     * @returns {*} Returns the resolved value.
     * @example
     *
     * _.defaultTo(1, 10);
     * // => 1
     *
     * _.defaultTo(undefined, 10);
     * // => 10
     */
    function defaultTo(value, defaultValue) {
      return (value == null || value !== value) ? defaultValue : value;
    }

    /**
     * Creates a function that returns the result of invoking the given functions
     * with the `this` binding of the created function, where each successive
     * invocation is supplied the return value of the previous.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Util
     * @param {...(Function|Function[])} [funcs] The functions to invoke.
     * @returns {Function} Returns the new composite function.
     * @see _.flowRight
     * @example
     *
     * function square(n) {
     *   return n * n;
     * }
     *
     * var addSquare = _.flow([_.add, square]);
     * addSquare(1, 2);
     * // => 9
     */
    var flow = createFlow();

    /**
     * This method is like `_.flow` except that it creates a function that
     * invokes the given functions from right to left.
     *
     * @static
     * @since 3.0.0
     * @memberOf _
     * @category Util
     * @param {...(Function|Function[])} [funcs] The functions to invoke.
     * @returns {Function} Returns the new composite function.
     * @see _.flow
     * @example
     *
     * function square(n) {
     *   return n * n;
     * }
     *
     * var addSquare = _.flowRight([square, _.add]);
     * addSquare(1, 2);
     * // => 9
     */
    var flowRight = createFlow(true);

    /**
     * This method returns the first argument it receives.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Util
     * @param {*} value Any value.
     * @returns {*} Returns `value`.
     * @example
     *
     * var object = { 'a': 1 };
     *
     * console.log(_.identity(object) === object);
     * // => true
     */
    function identity(value) {
      return value;
    }

    /**
     * Creates a function that invokes `func` with the arguments of the created
     * function. If `func` is a property name, the created function returns the
     * property value for a given element. If `func` is an array or object, the
     * created function returns `true` for elements that contain the equivalent
     * source properties, otherwise it returns `false`.
     *
     * @static
     * @since 4.0.0
     * @memberOf _
     * @category Util
     * @param {*} [func=_.identity] The value to convert to a callback.
     * @returns {Function} Returns the callback.
     * @example
     *
     * var users = [
     *   { 'user': 'barney', 'age': 36, 'active': true },
     *   { 'user': 'fred',   'age': 40, 'active': false }
     * ];
     *
     * // The `_.matches` iteratee shorthand.
     * _.filter(users, _.iteratee({ 'user': 'barney', 'active': true }));
     * // => [{ 'user': 'barney', 'age': 36, 'active': true }]
     *
     * // The `_.matchesProperty` iteratee shorthand.
     * _.filter(users, _.iteratee(['user', 'fred']));
     * // => [{ 'user': 'fred', 'age': 40 }]
     *
     * // The `_.property` iteratee shorthand.
     * _.map(users, _.iteratee('user'));
     * // => ['barney', 'fred']
     *
     * // Create custom iteratee shorthands.
     * _.iteratee = _.wrap(_.iteratee, function(iteratee, func) {
     *   return !_.isRegExp(func) ? iteratee(func) : function(string) {
     *     return func.test(string);
     *   };
     * });
     *
     * _.filter(['abc', 'def'], /ef/);
     * // => ['def']
     */
    function iteratee(func) {
      return baseIteratee(typeof func == 'function' ? func : baseClone(func, CLONE_DEEP_FLAG));
    }

    /**
     * Creates a function that performs a partial deep comparison between a given
     * object and `source`, returning `true` if the given object has equivalent
     * property values, else `false`.
     *
     * **Note:** The created function is equivalent to `_.isMatch` with `source`
     * partially applied.
     *
     * Partial comparisons will match empty array and empty object `source`
     * values against any array or object value, respectively. See `_.isEqual`
     * for a list of supported value comparisons.
     *
     * **Note:** Multiple values can be checked by combining several matchers
     * using `_.overSome`
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Util
     * @param {Object} source The object of property values to match.
     * @returns {Function} Returns the new spec function.
     * @example
     *
     * var objects = [
     *   { 'a': 1, 'b': 2, 'c': 3 },
     *   { 'a': 4, 'b': 5, 'c': 6 }
     * ];
     *
     * _.filter(objects, _.matches({ 'a': 4, 'c': 6 }));
     * // => [{ 'a': 4, 'b': 5, 'c': 6 }]
     *
     * // Checking for several possible values
     * _.filter(objects, _.overSome([_.matches({ 'a': 1 }), _.matches({ 'a': 4 })]));
     * // => [{ 'a': 1, 'b': 2, 'c': 3 }, { 'a': 4, 'b': 5, 'c': 6 }]
     */
    function matches(source) {
      return baseMatches(baseClone(source, CLONE_DEEP_FLAG));
    }

    /**
     * Creates a function that performs a partial deep comparison between the
     * value at `path` of a given object to `srcValue`, returning `true` if the
     * object value is equivalent, else `false`.
     *
     * **Note:** Partial comparisons will match empty array and empty object
     * `srcValue` values against any array or object value, respectively. See
     * `_.isEqual` for a list of supported value comparisons.
     *
     * **Note:** Multiple values can be checked by combining several matchers
     * using `_.overSome`
     *
     * @static
     * @memberOf _
     * @since 3.2.0
     * @category Util
     * @param {Array|string} path The path of the property to get.
     * @param {*} srcValue The value to match.
     * @returns {Function} Returns the new spec function.
     * @example
     *
     * var objects = [
     *   { 'a': 1, 'b': 2, 'c': 3 },
     *   { 'a': 4, 'b': 5, 'c': 6 }
     * ];
     *
     * _.find(objects, _.matchesProperty('a', 4));
     * // => { 'a': 4, 'b': 5, 'c': 6 }
     *
     * // Checking for several possible values
     * _.filter(objects, _.overSome([_.matchesProperty('a', 1), _.matchesProperty('a', 4)]));
     * // => [{ 'a': 1, 'b': 2, 'c': 3 }, { 'a': 4, 'b': 5, 'c': 6 }]
     */
    function matchesProperty(path, srcValue) {
      return baseMatchesProperty(path, baseClone(srcValue, CLONE_DEEP_FLAG));
    }

    /**
     * Creates a function that invokes the method at `path` of a given object.
     * Any additional arguments are provided to the invoked method.
     *
     * @static
     * @memberOf _
     * @since 3.7.0
     * @category Util
     * @param {Array|string} path The path of the method to invoke.
     * @param {...*} [args] The arguments to invoke the method with.
     * @returns {Function} Returns the new invoker function.
     * @example
     *
     * var objects = [
     *   { 'a': { 'b': _.constant(2) } },
     *   { 'a': { 'b': _.constant(1) } }
     * ];
     *
     * _.map(objects, _.method('a.b'));
     * // => [2, 1]
     *
     * _.map(objects, _.method(['a', 'b']));
     * // => [2, 1]
     */
    var method = baseRest(function(path, args) {
      return function(object) {
        return baseInvoke(object, path, args);
      };
    });

    /**
     * The opposite of `_.method`; this method creates a function that invokes
     * the method at a given path of `object`. Any additional arguments are
     * provided to the invoked method.
     *
     * @static
     * @memberOf _
     * @since 3.7.0
     * @category Util
     * @param {Object} object The object to query.
     * @param {...*} [args] The arguments to invoke the method with.
     * @returns {Function} Returns the new invoker function.
     * @example
     *
     * var array = _.times(3, _.constant),
     *     object = { 'a': array, 'b': array, 'c': array };
     *
     * _.map(['a[2]', 'c[0]'], _.methodOf(object));
     * // => [2, 0]
     *
     * _.map([['a', '2'], ['c', '0']], _.methodOf(object));
     * // => [2, 0]
     */
    var methodOf = baseRest(function(object, args) {
      return function(path) {
        return baseInvoke(object, path, args);
      };
    });

    /**
     * Adds all own enumerable string keyed function properties of a source
     * object to the destination object. If `object` is a function, then methods
     * are added to its prototype as well.
     *
     * **Note:** Use `_.runInContext` to create a pristine `lodash` function to
     * avoid conflicts caused by modifying the original.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Util
     * @param {Function|Object} [object=lodash] The destination object.
     * @param {Object} source The object of functions to add.
     * @param {Object} [options={}] The options object.
     * @param {boolean} [options.chain=true] Specify whether mixins are chainable.
     * @returns {Function|Object} Returns `object`.
     * @example
     *
     * function vowels(string) {
     *   return _.filter(string, function(v) {
     *     return /[aeiou]/i.test(v);
     *   });
     * }
     *
     * _.mixin({ 'vowels': vowels });
     * _.vowels('fred');
     * // => ['e']
     *
     * _('fred').vowels().value();
     * // => ['e']
     *
     * _.mixin({ 'vowels': vowels }, { 'chain': false });
     * _('fred').vowels();
     * // => ['e']
     */
    function mixin(object, source, options) {
      var props = keys(source),
          methodNames = baseFunctions(source, props);

      if (options == null &&
          !(isObject(source) && (methodNames.length || !props.length))) {
        options = source;
        source = object;
        object = this;
        methodNames = baseFunctions(source, keys(source));
      }
      var chain = !(isObject(options) && 'chain' in options) || !!options.chain,
          isFunc = isFunction(object);

      arrayEach(methodNames, function(methodName) {
        var func = source[methodName];
        object[methodName] = func;
        if (isFunc) {
          object.prototype[methodName] = function() {
            var chainAll = this.__chain__;
            if (chain || chainAll) {
              var result = object(this.__wrapped__),
                  actions = result.__actions__ = copyArray(this.__actions__);

              actions.push({ 'func': func, 'args': arguments, 'thisArg': object });
              result.__chain__ = chainAll;
              return result;
            }
            return func.apply(object, arrayPush([this.value()], arguments));
          };
        }
      });

      return object;
    }

    /**
     * Reverts the `_` variable to its previous value and returns a reference to
     * the `lodash` function.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Util
     * @returns {Function} Returns the `lodash` function.
     * @example
     *
     * var lodash = _.noConflict();
     */
    function noConflict() {
      if (root._ === this) {
        root._ = oldDash;
      }
      return this;
    }

    /**
     * This method returns `undefined`.
     *
     * @static
     * @memberOf _
     * @since 2.3.0
     * @category Util
     * @example
     *
     * _.times(2, _.noop);
     * // => [undefined, undefined]
     */
    function noop() {
      // No operation performed.
    }

    /**
     * Creates a function that gets the argument at index `n`. If `n` is negative,
     * the nth argument from the end is returned.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Util
     * @param {number} [n=0] The index of the argument to return.
     * @returns {Function} Returns the new pass-thru function.
     * @example
     *
     * var func = _.nthArg(1);
     * func('a', 'b', 'c', 'd');
     * // => 'b'
     *
     * var func = _.nthArg(-2);
     * func('a', 'b', 'c', 'd');
     * // => 'c'
     */
    function nthArg(n) {
      n = toInteger(n);
      return baseRest(function(args) {
        return baseNth(args, n);
      });
    }

    /**
     * Creates a function that invokes `iteratees` with the arguments it receives
     * and returns their results.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Util
     * @param {...(Function|Function[])} [iteratees=[_.identity]]
     *  The iteratees to invoke.
     * @returns {Function} Returns the new function.
     * @example
     *
     * var func = _.over([Math.max, Math.min]);
     *
     * func(1, 2, 3, 4);
     * // => [4, 1]
     */
    var over = createOver(arrayMap);

    /**
     * Creates a function that checks if **all** of the `predicates` return
     * truthy when invoked with the arguments it receives.
     *
     * Following shorthands are possible for providing predicates.
     * Pass an `Object` and it will be used as an parameter for `_.matches` to create the predicate.
     * Pass an `Array` of parameters for `_.matchesProperty` and the predicate will be created using them.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Util
     * @param {...(Function|Function[])} [predicates=[_.identity]]
     *  The predicates to check.
     * @returns {Function} Returns the new function.
     * @example
     *
     * var func = _.overEvery([Boolean, isFinite]);
     *
     * func('1');
     * // => true
     *
     * func(null);
     * // => false
     *
     * func(NaN);
     * // => false
     */
    var overEvery = createOver(arrayEvery);

    /**
     * Creates a function that checks if **any** of the `predicates` return
     * truthy when invoked with the arguments it receives.
     *
     * Following shorthands are possible for providing predicates.
     * Pass an `Object` and it will be used as an parameter for `_.matches` to create the predicate.
     * Pass an `Array` of parameters for `_.matchesProperty` and the predicate will be created using them.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Util
     * @param {...(Function|Function[])} [predicates=[_.identity]]
     *  The predicates to check.
     * @returns {Function} Returns the new function.
     * @example
     *
     * var func = _.overSome([Boolean, isFinite]);
     *
     * func('1');
     * // => true
     *
     * func(null);
     * // => true
     *
     * func(NaN);
     * // => false
     *
     * var matchesFunc = _.overSome([{ 'a': 1 }, { 'a': 2 }])
     * var matchesPropertyFunc = _.overSome([['a', 1], ['a', 2]])
     */
    var overSome = createOver(arraySome);

    /**
     * Creates a function that returns the value at `path` of a given object.
     *
     * @static
     * @memberOf _
     * @since 2.4.0
     * @category Util
     * @param {Array|string} path The path of the property to get.
     * @returns {Function} Returns the new accessor function.
     * @example
     *
     * var objects = [
     *   { 'a': { 'b': 2 } },
     *   { 'a': { 'b': 1 } }
     * ];
     *
     * _.map(objects, _.property('a.b'));
     * // => [2, 1]
     *
     * _.map(_.sortBy(objects, _.property(['a', 'b'])), 'a.b');
     * // => [1, 2]
     */
    function property(path) {
      return isKey(path) ? baseProperty(toKey(path)) : basePropertyDeep(path);
    }

    /**
     * The opposite of `_.property`; this method creates a function that returns
     * the value at a given path of `object`.
     *
     * @static
     * @memberOf _
     * @since 3.0.0
     * @category Util
     * @param {Object} object The object to query.
     * @returns {Function} Returns the new accessor function.
     * @example
     *
     * var array = [0, 1, 2],
     *     object = { 'a': array, 'b': array, 'c': array };
     *
     * _.map(['a[2]', 'c[0]'], _.propertyOf(object));
     * // => [2, 0]
     *
     * _.map([['a', '2'], ['c', '0']], _.propertyOf(object));
     * // => [2, 0]
     */
    function propertyOf(object) {
      return function(path) {
        return object == null ? undefined : baseGet(object, path);
      };
    }

    /**
     * Creates an array of numbers (positive and/or negative) progressing from
     * `start` up to, but not including, `end`. A step of `-1` is used if a negative
     * `start` is specified without an `end` or `step`. If `end` is not specified,
     * it's set to `start` with `start` then set to `0`.
     *
     * **Note:** JavaScript follows the IEEE-754 standard for resolving
     * floating-point values which can produce unexpected results.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Util
     * @param {number} [start=0] The start of the range.
     * @param {number} end The end of the range.
     * @param {number} [step=1] The value to increment or decrement by.
     * @returns {Array} Returns the range of numbers.
     * @see _.inRange, _.rangeRight
     * @example
     *
     * _.range(4);
     * // => [0, 1, 2, 3]
     *
     * _.range(-4);
     * // => [0, -1, -2, -3]
     *
     * _.range(1, 5);
     * // => [1, 2, 3, 4]
     *
     * _.range(0, 20, 5);
     * // => [0, 5, 10, 15]
     *
     * _.range(0, -4, -1);
     * // => [0, -1, -2, -3]
     *
     * _.range(1, 4, 0);
     * // => [1, 1, 1]
     *
     * _.range(0);
     * // => []
     */
    var range = createRange();

    /**
     * This method is like `_.range` except that it populates values in
     * descending order.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Util
     * @param {number} [start=0] The start of the range.
     * @param {number} end The end of the range.
     * @param {number} [step=1] The value to increment or decrement by.
     * @returns {Array} Returns the range of numbers.
     * @see _.inRange, _.range
     * @example
     *
     * _.rangeRight(4);
     * // => [3, 2, 1, 0]
     *
     * _.rangeRight(-4);
     * // => [-3, -2, -1, 0]
     *
     * _.rangeRight(1, 5);
     * // => [4, 3, 2, 1]
     *
     * _.rangeRight(0, 20, 5);
     * // => [15, 10, 5, 0]
     *
     * _.rangeRight(0, -4, -1);
     * // => [-3, -2, -1, 0]
     *
     * _.rangeRight(1, 4, 0);
     * // => [1, 1, 1]
     *
     * _.rangeRight(0);
     * // => []
     */
    var rangeRight = createRange(true);

    /**
     * This method returns a new empty array.
     *
     * @static
     * @memberOf _
     * @since 4.13.0
     * @category Util
     * @returns {Array} Returns the new empty array.
     * @example
     *
     * var arrays = _.times(2, _.stubArray);
     *
     * console.log(arrays);
     * // => [[], []]
     *
     * console.log(arrays[0] === arrays[1]);
     * // => false
     */
    function stubArray() {
      return [];
    }

    /**
     * This method returns `false`.
     *
     * @static
     * @memberOf _
     * @since 4.13.0
     * @category Util
     * @returns {boolean} Returns `false`.
     * @example
     *
     * _.times(2, _.stubFalse);
     * // => [false, false]
     */
    function stubFalse() {
      return false;
    }

    /**
     * This method returns a new empty object.
     *
     * @static
     * @memberOf _
     * @since 4.13.0
     * @category Util
     * @returns {Object} Returns the new empty object.
     * @example
     *
     * var objects = _.times(2, _.stubObject);
     *
     * console.log(objects);
     * // => [{}, {}]
     *
     * console.log(objects[0] === objects[1]);
     * // => false
     */
    function stubObject() {
      return {};
    }

    /**
     * This method returns an empty string.
     *
     * @static
     * @memberOf _
     * @since 4.13.0
     * @category Util
     * @returns {string} Returns the empty string.
     * @example
     *
     * _.times(2, _.stubString);
     * // => ['', '']
     */
    function stubString() {
      return '';
    }

    /**
     * This method returns `true`.
     *
     * @static
     * @memberOf _
     * @since 4.13.0
     * @category Util
     * @returns {boolean} Returns `true`.
     * @example
     *
     * _.times(2, _.stubTrue);
     * // => [true, true]
     */
    function stubTrue() {
      return true;
    }

    /**
     * Invokes the iteratee `n` times, returning an array of the results of
     * each invocation. The iteratee is invoked with one argument; (index).
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Util
     * @param {number} n The number of times to invoke `iteratee`.
     * @param {Function} [iteratee=_.identity] The function invoked per iteration.
     * @returns {Array} Returns the array of results.
     * @example
     *
     * _.times(3, String);
     * // => ['0', '1', '2']
     *
     *  _.times(4, _.constant(0));
     * // => [0, 0, 0, 0]
     */
    function times(n, iteratee) {
      n = toInteger(n);
      if (n < 1 || n > MAX_SAFE_INTEGER) {
        return [];
      }
      var index = MAX_ARRAY_LENGTH,
          length = nativeMin(n, MAX_ARRAY_LENGTH);

      iteratee = getIteratee(iteratee);
      n -= MAX_ARRAY_LENGTH;

      var result = baseTimes(length, iteratee);
      while (++index < n) {
        iteratee(index);
      }
      return result;
    }

    /**
     * Converts `value` to a property path array.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Util
     * @param {*} value The value to convert.
     * @returns {Array} Returns the new property path array.
     * @example
     *
     * _.toPath('a.b.c');
     * // => ['a', 'b', 'c']
     *
     * _.toPath('a[0].b.c');
     * // => ['a', '0', 'b', 'c']
     */
    function toPath(value) {
      if (isArray(value)) {
        return arrayMap(value, toKey);
      }
      return isSymbol(value) ? [value] : copyArray(stringToPath(toString(value)));
    }

    /**
     * Generates a unique ID. If `prefix` is given, the ID is appended to it.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Util
     * @param {string} [prefix=''] The value to prefix the ID with.
     * @returns {string} Returns the unique ID.
     * @example
     *
     * _.uniqueId('contact_');
     * // => 'contact_104'
     *
     * _.uniqueId();
     * // => '105'
     */
    function uniqueId(prefix) {
      var id = ++idCounter;
      return toString(prefix) + id;
    }

    /*------------------------------------------------------------------------*/

    /**
     * Adds two numbers.
     *
     * @static
     * @memberOf _
     * @since 3.4.0
     * @category Math
     * @param {number} augend The first number in an addition.
     * @param {number} addend The second number in an addition.
     * @returns {number} Returns the total.
     * @example
     *
     * _.add(6, 4);
     * // => 10
     */
    var add = createMathOperation(function(augend, addend) {
      return augend + addend;
    }, 0);

    /**
     * Computes `number` rounded up to `precision`.
     *
     * @static
     * @memberOf _
     * @since 3.10.0
     * @category Math
     * @param {number} number The number to round up.
     * @param {number} [precision=0] The precision to round up to.
     * @returns {number} Returns the rounded up number.
     * @example
     *
     * _.ceil(4.006);
     * // => 5
     *
     * _.ceil(6.004, 2);
     * // => 6.01
     *
     * _.ceil(6040, -2);
     * // => 6100
     */
    var ceil = createRound('ceil');

    /**
     * Divide two numbers.
     *
     * @static
     * @memberOf _
     * @since 4.7.0
     * @category Math
     * @param {number} dividend The first number in a division.
     * @param {number} divisor The second number in a division.
     * @returns {number} Returns the quotient.
     * @example
     *
     * _.divide(6, 4);
     * // => 1.5
     */
    var divide = createMathOperation(function(dividend, divisor) {
      return dividend / divisor;
    }, 1);

    /**
     * Computes `number` rounded down to `precision`.
     *
     * @static
     * @memberOf _
     * @since 3.10.0
     * @category Math
     * @param {number} number The number to round down.
     * @param {number} [precision=0] The precision to round down to.
     * @returns {number} Returns the rounded down number.
     * @example
     *
     * _.floor(4.006);
     * // => 4
     *
     * _.floor(0.046, 2);
     * // => 0.04
     *
     * _.floor(4060, -2);
     * // => 4000
     */
    var floor = createRound('floor');

    /**
     * Computes the maximum value of `array`. If `array` is empty or falsey,
     * `undefined` is returned.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Math
     * @param {Array} array The array to iterate over.
     * @returns {*} Returns the maximum value.
     * @example
     *
     * _.max([4, 2, 8, 6]);
     * // => 8
     *
     * _.max([]);
     * // => undefined
     */
    function max(array) {
      return (array && array.length)
        ? baseExtremum(array, identity, baseGt)
        : undefined;
    }

    /**
     * This method is like `_.max` except that it accepts `iteratee` which is
     * invoked for each element in `array` to generate the criterion by which
     * the value is ranked. The iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Math
     * @param {Array} array The array to iterate over.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {*} Returns the maximum value.
     * @example
     *
     * var objects = [{ 'n': 1 }, { 'n': 2 }];
     *
     * _.maxBy(objects, function(o) { return o.n; });
     * // => { 'n': 2 }
     *
     * // The `_.property` iteratee shorthand.
     * _.maxBy(objects, 'n');
     * // => { 'n': 2 }
     */
    function maxBy(array, iteratee) {
      return (array && array.length)
        ? baseExtremum(array, getIteratee(iteratee, 2), baseGt)
        : undefined;
    }

    /**
     * Computes the mean of the values in `array`.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Math
     * @param {Array} array The array to iterate over.
     * @returns {number} Returns the mean.
     * @example
     *
     * _.mean([4, 2, 8, 6]);
     * // => 5
     */
    function mean(array) {
      return baseMean(array, identity);
    }

    /**
     * This method is like `_.mean` except that it accepts `iteratee` which is
     * invoked for each element in `array` to generate the value to be averaged.
     * The iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.7.0
     * @category Math
     * @param {Array} array The array to iterate over.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {number} Returns the mean.
     * @example
     *
     * var objects = [{ 'n': 4 }, { 'n': 2 }, { 'n': 8 }, { 'n': 6 }];
     *
     * _.meanBy(objects, function(o) { return o.n; });
     * // => 5
     *
     * // The `_.property` iteratee shorthand.
     * _.meanBy(objects, 'n');
     * // => 5
     */
    function meanBy(array, iteratee) {
      return baseMean(array, getIteratee(iteratee, 2));
    }

    /**
     * Computes the minimum value of `array`. If `array` is empty or falsey,
     * `undefined` is returned.
     *
     * @static
     * @since 0.1.0
     * @memberOf _
     * @category Math
     * @param {Array} array The array to iterate over.
     * @returns {*} Returns the minimum value.
     * @example
     *
     * _.min([4, 2, 8, 6]);
     * // => 2
     *
     * _.min([]);
     * // => undefined
     */
    function min(array) {
      return (array && array.length)
        ? baseExtremum(array, identity, baseLt)
        : undefined;
    }

    /**
     * This method is like `_.min` except that it accepts `iteratee` which is
     * invoked for each element in `array` to generate the criterion by which
     * the value is ranked. The iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Math
     * @param {Array} array The array to iterate over.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {*} Returns the minimum value.
     * @example
     *
     * var objects = [{ 'n': 1 }, { 'n': 2 }];
     *
     * _.minBy(objects, function(o) { return o.n; });
     * // => { 'n': 1 }
     *
     * // The `_.property` iteratee shorthand.
     * _.minBy(objects, 'n');
     * // => { 'n': 1 }
     */
    function minBy(array, iteratee) {
      return (array && array.length)
        ? baseExtremum(array, getIteratee(iteratee, 2), baseLt)
        : undefined;
    }

    /**
     * Multiply two numbers.
     *
     * @static
     * @memberOf _
     * @since 4.7.0
     * @category Math
     * @param {number} multiplier The first number in a multiplication.
     * @param {number} multiplicand The second number in a multiplication.
     * @returns {number} Returns the product.
     * @example
     *
     * _.multiply(6, 4);
     * // => 24
     */
    var multiply = createMathOperation(function(multiplier, multiplicand) {
      return multiplier * multiplicand;
    }, 1);

    /**
     * Computes `number` rounded to `precision`.
     *
     * @static
     * @memberOf _
     * @since 3.10.0
     * @category Math
     * @param {number} number The number to round.
     * @param {number} [precision=0] The precision to round to.
     * @returns {number} Returns the rounded number.
     * @example
     *
     * _.round(4.006);
     * // => 4
     *
     * _.round(4.006, 2);
     * // => 4.01
     *
     * _.round(4060, -2);
     * // => 4100
     */
    var round = createRound('round');

    /**
     * Subtract two numbers.
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Math
     * @param {number} minuend The first number in a subtraction.
     * @param {number} subtrahend The second number in a subtraction.
     * @returns {number} Returns the difference.
     * @example
     *
     * _.subtract(6, 4);
     * // => 2
     */
    var subtract = createMathOperation(function(minuend, subtrahend) {
      return minuend - subtrahend;
    }, 0);

    /**
     * Computes the sum of the values in `array`.
     *
     * @static
     * @memberOf _
     * @since 3.4.0
     * @category Math
     * @param {Array} array The array to iterate over.
     * @returns {number} Returns the sum.
     * @example
     *
     * _.sum([4, 2, 8, 6]);
     * // => 20
     */
    function sum(array) {
      return (array && array.length)
        ? baseSum(array, identity)
        : 0;
    }

    /**
     * This method is like `_.sum` except that it accepts `iteratee` which is
     * invoked for each element in `array` to generate the value to be summed.
     * The iteratee is invoked with one argument: (value).
     *
     * @static
     * @memberOf _
     * @since 4.0.0
     * @category Math
     * @param {Array} array The array to iterate over.
     * @param {Function} [iteratee=_.identity] The iteratee invoked per element.
     * @returns {number} Returns the sum.
     * @example
     *
     * var objects = [{ 'n': 4 }, { 'n': 2 }, { 'n': 8 }, { 'n': 6 }];
     *
     * _.sumBy(objects, function(o) { return o.n; });
     * // => 20
     *
     * // The `_.property` iteratee shorthand.
     * _.sumBy(objects, 'n');
     * // => 20
     */
    function sumBy(array, iteratee) {
      return (array && array.length)
        ? baseSum(array, getIteratee(iteratee, 2))
        : 0;
    }

    /*------------------------------------------------------------------------*/

    // Add methods that return wrapped values in chain sequences.
    lodash.after = after;
    lodash.ary = ary;
    lodash.assign = assign;
    lodash.assignIn = assignIn;
    lodash.assignInWith = assignInWith;
    lodash.assignWith = assignWith;
    lodash.at = at;
    lodash.before = before;
    lodash.bind = bind;
    lodash.bindAll = bindAll;
    lodash.bindKey = bindKey;
    lodash.castArray = castArray;
    lodash.chain = chain;
    lodash.chunk = chunk;
    lodash.compact = compact;
    lodash.concat = concat;
    lodash.cond = cond;
    lodash.conforms = conforms;
    lodash.constant = constant;
    lodash.countBy = countBy;
    lodash.create = create;
    lodash.curry = curry;
    lodash.curryRight = curryRight;
    lodash.debounce = debounce;
    lodash.defaults = defaults;
    lodash.defaultsDeep = defaultsDeep;
    lodash.defer = defer;
    lodash.delay = delay;
    lodash.difference = difference;
    lodash.differenceBy = differenceBy;
    lodash.differenceWith = differenceWith;
    lodash.drop = drop;
    lodash.dropRight = dropRight;
    lodash.dropRightWhile = dropRightWhile;
    lodash.dropWhile = dropWhile;
    lodash.fill = fill;
    lodash.filter = filter;
    lodash.flatMap = flatMap;
    lodash.flatMapDeep = flatMapDeep;
    lodash.flatMapDepth = flatMapDepth;
    lodash.flatten = flatten;
    lodash.flattenDeep = flattenDeep;
    lodash.flattenDepth = flattenDepth;
    lodash.flip = flip;
    lodash.flow = flow;
    lodash.flowRight = flowRight;
    lodash.fromPairs = fromPairs;
    lodash.functions = functions;
    lodash.functionsIn = functionsIn;
    lodash.groupBy = groupBy;
    lodash.initial = initial;
    lodash.intersection = intersection;
    lodash.intersectionBy = intersectionBy;
    lodash.intersectionWith = intersectionWith;
    lodash.invert = invert;
    lodash.invertBy = invertBy;
    lodash.invokeMap = invokeMap;
    lodash.iteratee = iteratee;
    lodash.keyBy = keyBy;
    lodash.keys = keys;
    lodash.keysIn = keysIn;
    lodash.map = map;
    lodash.mapKeys = mapKeys;
    lodash.mapValues = mapValues;
    lodash.matches = matches;
    lodash.matchesProperty = matchesProperty;
    lodash.memoize = memoize;
    lodash.merge = merge;
    lodash.mergeWith = mergeWith;
    lodash.method = method;
    lodash.methodOf = methodOf;
    lodash.mixin = mixin;
    lodash.negate = negate;
    lodash.nthArg = nthArg;
    lodash.omit = omit;
    lodash.omitBy = omitBy;
    lodash.once = once;
    lodash.orderBy = orderBy;
    lodash.over = over;
    lodash.overArgs = overArgs;
    lodash.overEvery = overEvery;
    lodash.overSome = overSome;
    lodash.partial = partial;
    lodash.partialRight = partialRight;
    lodash.partition = partition;
    lodash.pick = pick;
    lodash.pickBy = pickBy;
    lodash.property = property;
    lodash.propertyOf = propertyOf;
    lodash.pull = pull;
    lodash.pullAll = pullAll;
    lodash.pullAllBy = pullAllBy;
    lodash.pullAllWith = pullAllWith;
    lodash.pullAt = pullAt;
    lodash.range = range;
    lodash.rangeRight = rangeRight;
    lodash.rearg = rearg;
    lodash.reject = reject;
    lodash.remove = remove;
    lodash.rest = rest;
    lodash.reverse = reverse;
    lodash.sampleSize = sampleSize;
    lodash.set = set;
    lodash.setWith = setWith;
    lodash.shuffle = shuffle;
    lodash.slice = slice;
    lodash.sortBy = sortBy;
    lodash.sortedUniq = sortedUniq;
    lodash.sortedUniqBy = sortedUniqBy;
    lodash.split = split;
    lodash.spread = spread;
    lodash.tail = tail;
    lodash.take = take;
    lodash.takeRight = takeRight;
    lodash.takeRightWhile = takeRightWhile;
    lodash.takeWhile = takeWhile;
    lodash.tap = tap;
    lodash.throttle = throttle;
    lodash.thru = thru;
    lodash.toArray = toArray;
    lodash.toPairs = toPairs;
    lodash.toPairsIn = toPairsIn;
    lodash.toPath = toPath;
    lodash.toPlainObject = toPlainObject;
    lodash.transform = transform;
    lodash.unary = unary;
    lodash.union = union;
    lodash.unionBy = unionBy;
    lodash.unionWith = unionWith;
    lodash.uniq = uniq;
    lodash.uniqBy = uniqBy;
    lodash.uniqWith = uniqWith;
    lodash.unset = unset;
    lodash.unzip = unzip;
    lodash.unzipWith = unzipWith;
    lodash.update = update;
    lodash.updateWith = updateWith;
    lodash.values = values;
    lodash.valuesIn = valuesIn;
    lodash.without = without;
    lodash.words = words;
    lodash.wrap = wrap;
    lodash.xor = xor;
    lodash.xorBy = xorBy;
    lodash.xorWith = xorWith;
    lodash.zip = zip;
    lodash.zipObject = zipObject;
    lodash.zipObjectDeep = zipObjectDeep;
    lodash.zipWith = zipWith;

    // Add aliases.
    lodash.entries = toPairs;
    lodash.entriesIn = toPairsIn;
    lodash.extend = assignIn;
    lodash.extendWith = assignInWith;

    // Add methods to `lodash.prototype`.
    mixin(lodash, lodash);

    /*------------------------------------------------------------------------*/

    // Add methods that return unwrapped values in chain sequences.
    lodash.add = add;
    lodash.attempt = attempt;
    lodash.camelCase = camelCase;
    lodash.capitalize = capitalize;
    lodash.ceil = ceil;
    lodash.clamp = clamp;
    lodash.clone = clone;
    lodash.cloneDeep = cloneDeep;
    lodash.cloneDeepWith = cloneDeepWith;
    lodash.cloneWith = cloneWith;
    lodash.conformsTo = conformsTo;
    lodash.deburr = deburr;
    lodash.defaultTo = defaultTo;
    lodash.divide = divide;
    lodash.endsWith = endsWith;
    lodash.eq = eq;
    lodash.escape = escape;
    lodash.escapeRegExp = escapeRegExp;
    lodash.every = every;
    lodash.find = find;
    lodash.findIndex = findIndex;
    lodash.findKey = findKey;
    lodash.findLast = findLast;
    lodash.findLastIndex = findLastIndex;
    lodash.findLastKey = findLastKey;
    lodash.floor = floor;
    lodash.forEach = forEach;
    lodash.forEachRight = forEachRight;
    lodash.forIn = forIn;
    lodash.forInRight = forInRight;
    lodash.forOwn = forOwn;
    lodash.forOwnRight = forOwnRight;
    lodash.get = get;
    lodash.gt = gt;
    lodash.gte = gte;
    lodash.has = has;
    lodash.hasIn = hasIn;
    lodash.head = head;
    lodash.identity = identity;
    lodash.includes = includes;
    lodash.indexOf = indexOf;
    lodash.inRange = inRange;
    lodash.invoke = invoke;
    lodash.isArguments = isArguments;
    lodash.isArray = isArray;
    lodash.isArrayBuffer = isArrayBuffer;
    lodash.isArrayLike = isArrayLike;
    lodash.isArrayLikeObject = isArrayLikeObject;
    lodash.isBoolean = isBoolean;
    lodash.isBuffer = isBuffer;
    lodash.isDate = isDate;
    lodash.isElement = isElement;
    lodash.isEmpty = isEmpty;
    lodash.isEqual = isEqual;
    lodash.isEqualWith = isEqualWith;
    lodash.isError = isError;
    lodash.isFinite = isFinite;
    lodash.isFunction = isFunction;
    lodash.isInteger = isInteger;
    lodash.isLength = isLength;
    lodash.isMap = isMap;
    lodash.isMatch = isMatch;
    lodash.isMatchWith = isMatchWith;
    lodash.isNaN = isNaN;
    lodash.isNative = isNative;
    lodash.isNil = isNil;
    lodash.isNull = isNull;
    lodash.isNumber = isNumber;
    lodash.isObject = isObject;
    lodash.isObjectLike = isObjectLike;
    lodash.isPlainObject = isPlainObject;
    lodash.isRegExp = isRegExp;
    lodash.isSafeInteger = isSafeInteger;
    lodash.isSet = isSet;
    lodash.isString = isString;
    lodash.isSymbol = isSymbol;
    lodash.isTypedArray = isTypedArray;
    lodash.isUndefined = isUndefined;
    lodash.isWeakMap = isWeakMap;
    lodash.isWeakSet = isWeakSet;
    lodash.join = join;
    lodash.kebabCase = kebabCase;
    lodash.last = last;
    lodash.lastIndexOf = lastIndexOf;
    lodash.lowerCase = lowerCase;
    lodash.lowerFirst = lowerFirst;
    lodash.lt = lt;
    lodash.lte = lte;
    lodash.max = max;
    lodash.maxBy = maxBy;
    lodash.mean = mean;
    lodash.meanBy = meanBy;
    lodash.min = min;
    lodash.minBy = minBy;
    lodash.stubArray = stubArray;
    lodash.stubFalse = stubFalse;
    lodash.stubObject = stubObject;
    lodash.stubString = stubString;
    lodash.stubTrue = stubTrue;
    lodash.multiply = multiply;
    lodash.nth = nth;
    lodash.noConflict = noConflict;
    lodash.noop = noop;
    lodash.now = now;
    lodash.pad = pad;
    lodash.padEnd = padEnd;
    lodash.padStart = padStart;
    lodash.parseInt = parseInt;
    lodash.random = random;
    lodash.reduce = reduce;
    lodash.reduceRight = reduceRight;
    lodash.repeat = repeat;
    lodash.replace = replace;
    lodash.result = result;
    lodash.round = round;
    lodash.runInContext = runInContext;
    lodash.sample = sample;
    lodash.size = size;
    lodash.snakeCase = snakeCase;
    lodash.some = some;
    lodash.sortedIndex = sortedIndex;
    lodash.sortedIndexBy = sortedIndexBy;
    lodash.sortedIndexOf = sortedIndexOf;
    lodash.sortedLastIndex = sortedLastIndex;
    lodash.sortedLastIndexBy = sortedLastIndexBy;
    lodash.sortedLastIndexOf = sortedLastIndexOf;
    lodash.startCase = startCase;
    lodash.startsWith = startsWith;
    lodash.subtract = subtract;
    lodash.sum = sum;
    lodash.sumBy = sumBy;
    lodash.template = template;
    lodash.times = times;
    lodash.toFinite = toFinite;
    lodash.toInteger = toInteger;
    lodash.toLength = toLength;
    lodash.toLower = toLower;
    lodash.toNumber = toNumber;
    lodash.toSafeInteger = toSafeInteger;
    lodash.toString = toString;
    lodash.toUpper = toUpper;
    lodash.trim = trim;
    lodash.trimEnd = trimEnd;
    lodash.trimStart = trimStart;
    lodash.truncate = truncate;
    lodash.unescape = unescape;
    lodash.uniqueId = uniqueId;
    lodash.upperCase = upperCase;
    lodash.upperFirst = upperFirst;

    // Add aliases.
    lodash.each = forEach;
    lodash.eachRight = forEachRight;
    lodash.first = head;

    mixin(lodash, (function() {
      var source = {};
      baseForOwn(lodash, function(func, methodName) {
        if (!hasOwnProperty.call(lodash.prototype, methodName)) {
          source[methodName] = func;
        }
      });
      return source;
    }()), { 'chain': false });

    /*------------------------------------------------------------------------*/

    /**
     * The semantic version number.
     *
     * @static
     * @memberOf _
     * @type {string}
     */
    lodash.VERSION = VERSION;

    // Assign default placeholders.
    arrayEach(['bind', 'bindKey', 'curry', 'curryRight', 'partial', 'partialRight'], function(methodName) {
      lodash[methodName].placeholder = lodash;
    });

    // Add `LazyWrapper` methods for `_.drop` and `_.take` variants.
    arrayEach(['drop', 'take'], function(methodName, index) {
      LazyWrapper.prototype[methodName] = function(n) {
        n = n === undefined ? 1 : nativeMax(toInteger(n), 0);

        var result = (this.__filtered__ && !index)
          ? new LazyWrapper(this)
          : this.clone();

        if (result.__filtered__) {
          result.__takeCount__ = nativeMin(n, result.__takeCount__);
        } else {
          result.__views__.push({
            'size': nativeMin(n, MAX_ARRAY_LENGTH),
            'type': methodName + (result.__dir__ < 0 ? 'Right' : '')
          });
        }
        return result;
      };

      LazyWrapper.prototype[methodName + 'Right'] = function(n) {
        return this.reverse()[methodName](n).reverse();
      };
    });

    // Add `LazyWrapper` methods that accept an `iteratee` value.
    arrayEach(['filter', 'map', 'takeWhile'], function(methodName, index) {
      var type = index + 1,
          isFilter = type == LAZY_FILTER_FLAG || type == LAZY_WHILE_FLAG;

      LazyWrapper.prototype[methodName] = function(iteratee) {
        var result = this.clone();
        result.__iteratees__.push({
          'iteratee': getIteratee(iteratee, 3),
          'type': type
        });
        result.__filtered__ = result.__filtered__ || isFilter;
        return result;
      };
    });

    // Add `LazyWrapper` methods for `_.head` and `_.last`.
    arrayEach(['head', 'last'], function(methodName, index) {
      var takeName = 'take' + (index ? 'Right' : '');

      LazyWrapper.prototype[methodName] = function() {
        return this[takeName](1).value()[0];
      };
    });

    // Add `LazyWrapper` methods for `_.initial` and `_.tail`.
    arrayEach(['initial', 'tail'], function(methodName, index) {
      var dropName = 'drop' + (index ? '' : 'Right');

      LazyWrapper.prototype[methodName] = function() {
        return this.__filtered__ ? new LazyWrapper(this) : this[dropName](1);
      };
    });

    LazyWrapper.prototype.compact = function() {
      return this.filter(identity);
    };

    LazyWrapper.prototype.find = function(predicate) {
      return this.filter(predicate).head();
    };

    LazyWrapper.prototype.findLast = function(predicate) {
      return this.reverse().find(predicate);
    };

    LazyWrapper.prototype.invokeMap = baseRest(function(path, args) {
      if (typeof path == 'function') {
        return new LazyWrapper(this);
      }
      return this.map(function(value) {
        return baseInvoke(value, path, args);
      });
    });

    LazyWrapper.prototype.reject = function(predicate) {
      return this.filter(negate(getIteratee(predicate)));
    };

    LazyWrapper.prototype.slice = function(start, end) {
      start = toInteger(start);

      var result = this;
      if (result.__filtered__ && (start > 0 || end < 0)) {
        return new LazyWrapper(result);
      }
      if (start < 0) {
        result = result.takeRight(-start);
      } else if (start) {
        result = result.drop(start);
      }
      if (end !== undefined) {
        end = toInteger(end);
        result = end < 0 ? result.dropRight(-end) : result.take(end - start);
      }
      return result;
    };

    LazyWrapper.prototype.takeRightWhile = function(predicate) {
      return this.reverse().takeWhile(predicate).reverse();
    };

    LazyWrapper.prototype.toArray = function() {
      return this.take(MAX_ARRAY_LENGTH);
    };

    // Add `LazyWrapper` methods to `lodash.prototype`.
    baseForOwn(LazyWrapper.prototype, function(func, methodName) {
      var checkIteratee = /^(?:filter|find|map|reject)|While$/.test(methodName),
          isTaker = /^(?:head|last)$/.test(methodName),
          lodashFunc = lodash[isTaker ? ('take' + (methodName == 'last' ? 'Right' : '')) : methodName],
          retUnwrapped = isTaker || /^find/.test(methodName);

      if (!lodashFunc) {
        return;
      }
      lodash.prototype[methodName] = function() {
        var value = this.__wrapped__,
            args = isTaker ? [1] : arguments,
            isLazy = value instanceof LazyWrapper,
            iteratee = args[0],
            useLazy = isLazy || isArray(value);

        var interceptor = function(value) {
          var result = lodashFunc.apply(lodash, arrayPush([value], args));
          return (isTaker && chainAll) ? result[0] : result;
        };

        if (useLazy && checkIteratee && typeof iteratee == 'function' && iteratee.length != 1) {
          // Avoid lazy use if the iteratee has a "length" value other than `1`.
          isLazy = useLazy = false;
        }
        var chainAll = this.__chain__,
            isHybrid = !!this.__actions__.length,
            isUnwrapped = retUnwrapped && !chainAll,
            onlyLazy = isLazy && !isHybrid;

        if (!retUnwrapped && useLazy) {
          value = onlyLazy ? value : new LazyWrapper(this);
          var result = func.apply(value, args);
          result.__actions__.push({ 'func': thru, 'args': [interceptor], 'thisArg': undefined });
          return new LodashWrapper(result, chainAll);
        }
        if (isUnwrapped && onlyLazy) {
          return func.apply(this, args);
        }
        result = this.thru(interceptor);
        return isUnwrapped ? (isTaker ? result.value()[0] : result.value()) : result;
      };
    });

    // Add `Array` methods to `lodash.prototype`.
    arrayEach(['pop', 'push', 'shift', 'sort', 'splice', 'unshift'], function(methodName) {
      var func = arrayProto[methodName],
          chainName = /^(?:push|sort|unshift)$/.test(methodName) ? 'tap' : 'thru',
          retUnwrapped = /^(?:pop|shift)$/.test(methodName);

      lodash.prototype[methodName] = function() {
        var args = arguments;
        if (retUnwrapped && !this.__chain__) {
          var value = this.value();
          return func.apply(isArray(value) ? value : [], args);
        }
        return this[chainName](function(value) {
          return func.apply(isArray(value) ? value : [], args);
        });
      };
    });

    // Map minified method names to their real names.
    baseForOwn(LazyWrapper.prototype, function(func, methodName) {
      var lodashFunc = lodash[methodName];
      if (lodashFunc) {
        var key = lodashFunc.name + '';
        if (!hasOwnProperty.call(realNames, key)) {
          realNames[key] = [];
        }
        realNames[key].push({ 'name': methodName, 'func': lodashFunc });
      }
    });

    realNames[createHybrid(undefined, WRAP_BIND_KEY_FLAG).name] = [{
      'name': 'wrapper',
      'func': undefined
    }];

    // Add methods to `LazyWrapper`.
    LazyWrapper.prototype.clone = lazyClone;
    LazyWrapper.prototype.reverse = lazyReverse;
    LazyWrapper.prototype.value = lazyValue;

    // Add chain sequence methods to the `lodash` wrapper.
    lodash.prototype.at = wrapperAt;
    lodash.prototype.chain = wrapperChain;
    lodash.prototype.commit = wrapperCommit;
    lodash.prototype.next = wrapperNext;
    lodash.prototype.plant = wrapperPlant;
    lodash.prototype.reverse = wrapperReverse;
    lodash.prototype.toJSON = lodash.prototype.valueOf = lodash.prototype.value = wrapperValue;

    // Add lazy aliases.
    lodash.prototype.first = lodash.prototype.head;

    if (symIterator) {
      lodash.prototype[symIterator] = wrapperToIterator;
    }
    return lodash;
  });

  /*--------------------------------------------------------------------------*/

  // Export lodash.
  var _ = runInContext();

  // Some AMD build optimizers, like r.js, check for condition patterns like:
  if (typeof define == 'function' && typeof define.amd == 'object' && define.amd) {
    // Expose Lodash on the global object to prevent errors when Lodash is
    // loaded by a script tag in the presence of an AMD loader.
    // See http://requirejs.org/docs/errors.html#mismatch for more details.
    // Use `_.noConflict` to remove Lodash from the global object.
    root._ = _;

    // Define as an anonymous module so, through path mapping, it can be
    // referenced as the "underscore" module.
    define(function() {
      return _;
    });
  }
  // Check for `exports` after `define` in case a build optimizer adds it.
  else if (freeModule) {
    // Export for Node.js.
    (freeModule.exports = _)._ = _;
    // Export for CommonJS support.
    freeExports._ = _;
  }
  else {
    // Export to the global object.
    root._ = _;
  }
}.call(this));
lodash.min.js000064400000212061151334462320007143 0ustar00/**
 * @license
 * Lodash <https://lodash.com/>
 * Copyright OpenJS Foundation and other contributors <https://openjsf.org/>
 * Released under MIT license <https://lodash.com/license>
 * Based on Underscore.js 1.8.3 <http://underscorejs.org/LICENSE>
 * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors
 */
(function(){function n(n,t,r){switch(r.length){case 0:return n.call(t);case 1:return n.call(t,r[0]);case 2:return n.call(t,r[0],r[1]);case 3:return n.call(t,r[0],r[1],r[2])}return n.apply(t,r)}function t(n,t,r,e){for(var u=-1,i=null==n?0:n.length;++u<i;){var o=n[u];t(e,o,r(o),n)}return e}function r(n,t){for(var r=-1,e=null==n?0:n.length;++r<e&&!1!==t(n[r],r,n););return n}function e(n,t){for(var r=null==n?0:n.length;r--&&!1!==t(n[r],r,n););return n}function u(n,t){for(var r=-1,e=null==n?0:n.length;++r<e;)if(!t(n[r],r,n))return!1;return!0}function i(n,t){for(var r=-1,e=null==n?0:n.length,u=0,i=[];++r<e;){var o=n[r];t(o,r,n)&&(i[u++]=o)}return i}function o(n,t){return!(null==n||!n.length)&&g(n,t,0)>-1}function f(n,t,r){for(var e=-1,u=null==n?0:n.length;++e<u;)if(r(t,n[e]))return!0;return!1}function c(n,t){for(var r=-1,e=null==n?0:n.length,u=Array(e);++r<e;)u[r]=t(n[r],r,n);return u}function a(n,t){for(var r=-1,e=t.length,u=n.length;++r<e;)n[u+r]=t[r];return n}function l(n,t,r,e){var u=-1,i=null==n?0:n.length;for(e&&i&&(r=n[++u]);++u<i;)r=t(r,n[u],u,n);return r}function s(n,t,r,e){var u=null==n?0:n.length;for(e&&u&&(r=n[--u]);u--;)r=t(r,n[u],u,n);return r}function h(n,t){for(var r=-1,e=null==n?0:n.length;++r<e;)if(t(n[r],r,n))return!0;return!1}function p(n){return n.match(Jn)||[]}function _(n,t,r){var e;return r(n,(function(n,r,u){if(t(n,r,u))return e=r,!1})),e}function v(n,t,r,e){for(var u=n.length,i=r+(e?1:-1);e?i--:++i<u;)if(t(n[i],i,n))return i;return-1}function g(n,t,r){return t==t?function(n,t,r){for(var e=r-1,u=n.length;++e<u;)if(n[e]===t)return e;return-1}(n,t,r):v(n,d,r)}function y(n,t,r,e){for(var u=r-1,i=n.length;++u<i;)if(e(n[u],t))return u;return-1}function d(n){return n!=n}function b(n,t){var r=null==n?0:n.length;return r?j(n,t)/r:X}function w(n){return function(t){return null==t?N:t[n]}}function m(n){return function(t){return null==n?N:n[t]}}function x(n,t,r,e,u){return u(n,(function(n,u,i){r=e?(e=!1,n):t(r,n,u,i)})),r}function j(n,t){for(var r,e=-1,u=n.length;++e<u;){var i=t(n[e]);i!==N&&(r=r===N?i:r+i)}return r}function A(n,t){for(var r=-1,e=Array(n);++r<n;)e[r]=t(r);return e}function k(n){return n?n.slice(0,M(n)+1).replace(Zn,""):n}function O(n){return function(t){return n(t)}}function I(n,t){return c(t,(function(t){return n[t]}))}function R(n,t){return n.has(t)}function z(n,t){for(var r=-1,e=n.length;++r<e&&g(t,n[r],0)>-1;);return r}function E(n,t){for(var r=n.length;r--&&g(t,n[r],0)>-1;);return r}function S(n){return"\\"+Ht[n]}function W(n){return Pt.test(n)}function L(n){return qt.test(n)}function C(n){var t=-1,r=Array(n.size);return n.forEach((function(n,e){r[++t]=[e,n]})),r}function U(n,t){return function(r){return n(t(r))}}function B(n,t){for(var r=-1,e=n.length,u=0,i=[];++r<e;){var o=n[r];o!==t&&o!==Z||(n[r]=Z,i[u++]=r)}return i}function T(n){var t=-1,r=Array(n.size);return n.forEach((function(n){r[++t]=n})),r}function $(n){return W(n)?function(n){for(var t=Ft.lastIndex=0;Ft.test(n);)++t;return t}(n):hr(n)}function D(n){return W(n)?function(n){return n.match(Ft)||[]}(n):function(n){return n.split("")}(n)}function M(n){for(var t=n.length;t--&&Kn.test(n.charAt(t)););return t}function F(n){return n.match(Nt)||[]}var N,P="Expected a function",q="__lodash_hash_undefined__",Z="__lodash_placeholder__",K=16,V=32,G=64,H=128,J=256,Y=1/0,Q=9007199254740991,X=NaN,nn=4294967295,tn=[["ary",H],["bind",1],["bindKey",2],["curry",8],["curryRight",K],["flip",512],["partial",V],["partialRight",G],["rearg",J]],rn="[object Arguments]",en="[object Array]",un="[object Boolean]",on="[object Date]",fn="[object Error]",cn="[object Function]",an="[object GeneratorFunction]",ln="[object Map]",sn="[object Number]",hn="[object Object]",pn="[object Promise]",_n="[object RegExp]",vn="[object Set]",gn="[object String]",yn="[object Symbol]",dn="[object WeakMap]",bn="[object ArrayBuffer]",wn="[object DataView]",mn="[object Float32Array]",xn="[object Float64Array]",jn="[object Int8Array]",An="[object Int16Array]",kn="[object Int32Array]",On="[object Uint8Array]",In="[object Uint8ClampedArray]",Rn="[object Uint16Array]",zn="[object Uint32Array]",En=/\b__p \+= '';/g,Sn=/\b(__p \+=) '' \+/g,Wn=/(__e\(.*?\)|\b__t\)) \+\n'';/g,Ln=/&(?:amp|lt|gt|quot|#39);/g,Cn=/[&<>"']/g,Un=RegExp(Ln.source),Bn=RegExp(Cn.source),Tn=/<%-([\s\S]+?)%>/g,$n=/<%([\s\S]+?)%>/g,Dn=/<%=([\s\S]+?)%>/g,Mn=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,Fn=/^\w*$/,Nn=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,Pn=/[\\^$.*+?()[\]{}|]/g,qn=RegExp(Pn.source),Zn=/^\s+/,Kn=/\s/,Vn=/\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/,Gn=/\{\n\/\* \[wrapped with (.+)\] \*/,Hn=/,? & /,Jn=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g,Yn=/[()=,{}\[\]\/\s]/,Qn=/\\(\\)?/g,Xn=/\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g,nt=/\w*$/,tt=/^[-+]0x[0-9a-f]+$/i,rt=/^0b[01]+$/i,et=/^\[object .+?Constructor\]$/,ut=/^0o[0-7]+$/i,it=/^(?:0|[1-9]\d*)$/,ot=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,ft=/($^)/,ct=/['\n\r\u2028\u2029\\]/g,at="\\ud800-\\udfff",lt="\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff",st="\\u2700-\\u27bf",ht="a-z\\xdf-\\xf6\\xf8-\\xff",pt="A-Z\\xc0-\\xd6\\xd8-\\xde",_t="\\ufe0e\\ufe0f",vt="\\xac\\xb1\\xd7\\xf7\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf\\u2000-\\u206f \\t\\x0b\\f\\xa0\\ufeff\\n\\r\\u2028\\u2029\\u1680\\u180e\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200a\\u202f\\u205f\\u3000",gt="['’]",yt="["+at+"]",dt="["+vt+"]",bt="["+lt+"]",wt="\\d+",mt="["+st+"]",xt="["+ht+"]",jt="[^"+at+vt+wt+st+ht+pt+"]",At="\\ud83c[\\udffb-\\udfff]",kt="[^"+at+"]",Ot="(?:\\ud83c[\\udde6-\\uddff]){2}",It="[\\ud800-\\udbff][\\udc00-\\udfff]",Rt="["+pt+"]",zt="\\u200d",Et="(?:"+xt+"|"+jt+")",St="(?:"+Rt+"|"+jt+")",Wt="(?:['’](?:d|ll|m|re|s|t|ve))?",Lt="(?:['’](?:D|LL|M|RE|S|T|VE))?",Ct="(?:"+bt+"|"+At+")"+"?",Ut="["+_t+"]?",Bt=Ut+Ct+("(?:"+zt+"(?:"+[kt,Ot,It].join("|")+")"+Ut+Ct+")*"),Tt="(?:"+[mt,Ot,It].join("|")+")"+Bt,$t="(?:"+[kt+bt+"?",bt,Ot,It,yt].join("|")+")",Dt=RegExp(gt,"g"),Mt=RegExp(bt,"g"),Ft=RegExp(At+"(?="+At+")|"+$t+Bt,"g"),Nt=RegExp([Rt+"?"+xt+"+"+Wt+"(?="+[dt,Rt,"$"].join("|")+")",St+"+"+Lt+"(?="+[dt,Rt+Et,"$"].join("|")+")",Rt+"?"+Et+"+"+Wt,Rt+"+"+Lt,"\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])","\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])",wt,Tt].join("|"),"g"),Pt=RegExp("["+zt+at+lt+_t+"]"),qt=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/,Zt=["Array","Buffer","DataView","Date","Error","Float32Array","Float64Array","Function","Int8Array","Int16Array","Int32Array","Map","Math","Object","Promise","RegExp","Set","String","Symbol","TypeError","Uint8Array","Uint8ClampedArray","Uint16Array","Uint32Array","WeakMap","_","clearTimeout","isFinite","parseInt","setTimeout"],Kt=-1,Vt={};Vt[mn]=Vt[xn]=Vt[jn]=Vt[An]=Vt[kn]=Vt[On]=Vt[In]=Vt[Rn]=Vt[zn]=!0,Vt[rn]=Vt[en]=Vt[bn]=Vt[un]=Vt[wn]=Vt[on]=Vt[fn]=Vt[cn]=Vt[ln]=Vt[sn]=Vt[hn]=Vt[_n]=Vt[vn]=Vt[gn]=Vt[dn]=!1;var Gt={};Gt[rn]=Gt[en]=Gt[bn]=Gt[wn]=Gt[un]=Gt[on]=Gt[mn]=Gt[xn]=Gt[jn]=Gt[An]=Gt[kn]=Gt[ln]=Gt[sn]=Gt[hn]=Gt[_n]=Gt[vn]=Gt[gn]=Gt[yn]=Gt[On]=Gt[In]=Gt[Rn]=Gt[zn]=!0,Gt[fn]=Gt[cn]=Gt[dn]=!1;var Ht={"\\":"\\","'":"'","\n":"n","\r":"r","\u2028":"u2028","\u2029":"u2029"},Jt=parseFloat,Yt=parseInt,Qt="object"==typeof global&&global&&global.Object===Object&&global,Xt="object"==typeof self&&self&&self.Object===Object&&self,nr=Qt||Xt||Function("return this")(),tr="object"==typeof exports&&exports&&!exports.nodeType&&exports,rr=tr&&"object"==typeof module&&module&&!module.nodeType&&module,er=rr&&rr.exports===tr,ur=er&&Qt.process,ir=function(){try{var n=rr&&rr.require&&rr.require("util").types;return n||ur&&ur.binding&&ur.binding("util")}catch(n){}}(),or=ir&&ir.isArrayBuffer,fr=ir&&ir.isDate,cr=ir&&ir.isMap,ar=ir&&ir.isRegExp,lr=ir&&ir.isSet,sr=ir&&ir.isTypedArray,hr=w("length"),pr=m({À:"A",Á:"A",Â:"A",Ã:"A",Ä:"A",Å:"A",à:"a",á:"a",â:"a",ã:"a",ä:"a",å:"a",Ç:"C",ç:"c",Ð:"D",ð:"d",È:"E",É:"E",Ê:"E",Ë:"E",è:"e",é:"e",ê:"e",ë:"e",Ì:"I",Í:"I",Î:"I",Ï:"I",ì:"i",í:"i",î:"i",ï:"i",Ñ:"N",ñ:"n",Ò:"O",Ó:"O",Ô:"O",Õ:"O",Ö:"O",Ø:"O",ò:"o",ó:"o",ô:"o",õ:"o",ö:"o",ø:"o",Ù:"U",Ú:"U",Û:"U",Ü:"U",ù:"u",ú:"u",û:"u",ü:"u",Ý:"Y",ý:"y",ÿ:"y",Æ:"Ae",æ:"ae",Þ:"Th",þ:"th",ß:"ss",Ā:"A",Ă:"A",Ą:"A",ā:"a",ă:"a",ą:"a",Ć:"C",Ĉ:"C",Ċ:"C",Č:"C",ć:"c",ĉ:"c",ċ:"c",č:"c",Ď:"D",Đ:"D",ď:"d",đ:"d",Ē:"E",Ĕ:"E",Ė:"E",Ę:"E",Ě:"E",ē:"e",ĕ:"e",ė:"e",ę:"e",ě:"e",Ĝ:"G",Ğ:"G",Ġ:"G",Ģ:"G",ĝ:"g",ğ:"g",ġ:"g",ģ:"g",Ĥ:"H",Ħ:"H",ĥ:"h",ħ:"h",Ĩ:"I",Ī:"I",Ĭ:"I",Į:"I",İ:"I",ĩ:"i",ī:"i",ĭ:"i",į:"i",ı:"i",Ĵ:"J",ĵ:"j",Ķ:"K",ķ:"k",ĸ:"k",Ĺ:"L",Ļ:"L",Ľ:"L",Ŀ:"L",Ł:"L",ĺ:"l",ļ:"l",ľ:"l",ŀ:"l",ł:"l",Ń:"N",Ņ:"N",Ň:"N",Ŋ:"N",ń:"n",ņ:"n",ň:"n",ŋ:"n",Ō:"O",Ŏ:"O",Ő:"O",ō:"o",ŏ:"o",ő:"o",Ŕ:"R",Ŗ:"R",Ř:"R",ŕ:"r",ŗ:"r",ř:"r",Ś:"S",Ŝ:"S",Ş:"S",Š:"S",ś:"s",ŝ:"s",ş:"s",š:"s",Ţ:"T",Ť:"T",Ŧ:"T",ţ:"t",ť:"t",ŧ:"t",Ũ:"U",Ū:"U",Ŭ:"U",Ů:"U",Ű:"U",Ų:"U",ũ:"u",ū:"u",ŭ:"u",ů:"u",ű:"u",ų:"u",Ŵ:"W",ŵ:"w",Ŷ:"Y",ŷ:"y",Ÿ:"Y",Ź:"Z",Ż:"Z",Ž:"Z",ź:"z",ż:"z",ž:"z",IJ:"IJ",ij:"ij",Œ:"Oe",œ:"oe",ʼn:"'n",ſ:"s"}),_r=m({"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#39;"}),vr=m({"&amp;":"&","&lt;":"<","&gt;":">","&quot;":'"',"&#39;":"'"}),gr=function m(Kn){function Jn(n){if($u(n)&&!zf(n)&&!(n instanceof st)){if(n instanceof lt)return n;if(Ii.call(n,"__wrapped__"))return lu(n)}return new lt(n)}function at(){}function lt(n,t){this.__wrapped__=n,this.__actions__=[],this.__chain__=!!t,this.__index__=0,this.__values__=N}function st(n){this.__wrapped__=n,this.__actions__=[],this.__dir__=1,this.__filtered__=!1,this.__iteratees__=[],this.__takeCount__=nn,this.__views__=[]}function ht(n){var t=-1,r=null==n?0:n.length;for(this.clear();++t<r;){var e=n[t];this.set(e[0],e[1])}}function pt(n){var t=-1,r=null==n?0:n.length;for(this.clear();++t<r;){var e=n[t];this.set(e[0],e[1])}}function _t(n){var t=-1,r=null==n?0:n.length;for(this.clear();++t<r;){var e=n[t];this.set(e[0],e[1])}}function vt(n){var t=-1,r=null==n?0:n.length;for(this.__data__=new _t;++t<r;)this.add(n[t])}function gt(n){this.size=(this.__data__=new pt(n)).size}function yt(n,t){var r=zf(n),e=!r&&Rf(n),u=!r&&!e&&Sf(n),i=!r&&!e&&!u&&Bf(n),o=r||e||u||i,f=o?A(n.length,wi):[],c=f.length;for(var a in n)!t&&!Ii.call(n,a)||o&&("length"==a||u&&("offset"==a||"parent"==a)||i&&("buffer"==a||"byteLength"==a||"byteOffset"==a)||Ge(a,c))||f.push(a);return f}function dt(n){var t=n.length;return t?n[Sr(0,t-1)]:N}function bt(n,t){return ou(ce(n),Rt(t,0,n.length))}function wt(n){return ou(ce(n))}function mt(n,t,r){(r===N||Eu(n[t],r))&&(r!==N||t in n)||Ot(n,t,r)}function xt(n,t,r){var e=n[t];Ii.call(n,t)&&Eu(e,r)&&(r!==N||t in n)||Ot(n,t,r)}function jt(n,t){for(var r=n.length;r--;)if(Eu(n[r][0],t))return r;return-1}function At(n,t,r,e){return Oo(n,(function(n,u,i){t(e,n,r(n),i)})),e}function kt(n,t){return n&&ae(t,Qu(t),n)}function Ot(n,t,r){"__proto__"==t&&Zi?Zi(n,t,{configurable:!0,enumerable:!0,value:r,writable:!0}):n[t]=r}function It(n,t){for(var r=-1,e=t.length,u=pi(e),i=null==n;++r<e;)u[r]=i?N:Ju(n,t[r]);return u}function Rt(n,t,r){return n==n&&(r!==N&&(n=n<=r?n:r),t!==N&&(n=n>=t?n:t)),n}function zt(n,t,e,u,i,o){var f,c=1&t,a=2&t,l=4&t;if(e&&(f=i?e(n,u,i,o):e(n)),f!==N)return f;if(!Tu(n))return n;var s=zf(n);if(s){if(f=function(n){var t=n.length,r=new n.constructor(t);return t&&"string"==typeof n[0]&&Ii.call(n,"index")&&(r.index=n.index,r.input=n.input),r}(n),!c)return ce(n,f)}else{var h=$o(n),p=h==cn||h==an;if(Sf(n))return re(n,c);if(h==hn||h==rn||p&&!i){if(f=a||p?{}:Ke(n),!c)return a?function(n,t){return ae(n,To(n),t)}(n,function(n,t){return n&&ae(t,Xu(t),n)}(f,n)):function(n,t){return ae(n,Bo(n),t)}(n,kt(f,n))}else{if(!Gt[h])return i?n:{};f=function(n,t,r){var e=n.constructor;switch(t){case bn:return ee(n);case un:case on:return new e(+n);case wn:return function(n,t){return new n.constructor(t?ee(n.buffer):n.buffer,n.byteOffset,n.byteLength)}(n,r);case mn:case xn:case jn:case An:case kn:case On:case In:case Rn:case zn:return ue(n,r);case ln:return new e;case sn:case gn:return new e(n);case _n:return function(n){var t=new n.constructor(n.source,nt.exec(n));return t.lastIndex=n.lastIndex,t}(n);case vn:return new e;case yn:return function(n){return jo?di(jo.call(n)):{}}(n)}}(n,h,c)}}o||(o=new gt);var _=o.get(n);if(_)return _;o.set(n,f),Uf(n)?n.forEach((function(r){f.add(zt(r,t,e,r,n,o))})):Lf(n)&&n.forEach((function(r,u){f.set(u,zt(r,t,e,u,n,o))}));var v=s?N:(l?a?$e:Te:a?Xu:Qu)(n);return r(v||n,(function(r,u){v&&(r=n[u=r]),xt(f,u,zt(r,t,e,u,n,o))})),f}function Et(n,t,r){var e=r.length;if(null==n)return!e;for(n=di(n);e--;){var u=r[e],i=t[u],o=n[u];if(o===N&&!(u in n)||!i(o))return!1}return!0}function St(n,t,r){if("function"!=typeof n)throw new mi(P);return Fo((function(){n.apply(N,r)}),t)}function Wt(n,t,r,e){var u=-1,i=o,a=!0,l=n.length,s=[],h=t.length;if(!l)return s;r&&(t=c(t,O(r))),e?(i=f,a=!1):t.length>=200&&(i=R,a=!1,t=new vt(t));n:for(;++u<l;){var p=n[u],_=null==r?p:r(p);if(p=e||0!==p?p:0,a&&_==_){for(var v=h;v--;)if(t[v]===_)continue n;s.push(p)}else i(t,_,e)||s.push(p)}return s}function Lt(n,t){var r=!0;return Oo(n,(function(n,e,u){return r=!!t(n,e,u)})),r}function Ct(n,t,r){for(var e=-1,u=n.length;++e<u;){var i=n[e],o=t(i);if(null!=o&&(f===N?o==o&&!Nu(o):r(o,f)))var f=o,c=i}return c}function Ut(n,t){var r=[];return Oo(n,(function(n,e,u){t(n,e,u)&&r.push(n)})),r}function Bt(n,t,r,e,u){var i=-1,o=n.length;for(r||(r=Ve),u||(u=[]);++i<o;){var f=n[i];t>0&&r(f)?t>1?Bt(f,t-1,r,e,u):a(u,f):e||(u[u.length]=f)}return u}function Tt(n,t){return n&&Ro(n,t,Qu)}function $t(n,t){return n&&zo(n,t,Qu)}function Ft(n,t){return i(t,(function(t){return Cu(n[t])}))}function Nt(n,t){for(var r=0,e=(t=ne(t,n)).length;null!=n&&r<e;)n=n[fu(t[r++])];return r&&r==e?n:N}function Pt(n,t,r){var e=t(n);return zf(n)?e:a(e,r(n))}function qt(n){return null==n?n===N?"[object Undefined]":"[object Null]":qi&&qi in di(n)?function(n){var t=Ii.call(n,qi),r=n[qi];try{n[qi]=N;var e=!0}catch(n){}var u=Ei.call(n);return e&&(t?n[qi]=r:delete n[qi]),u}(n):function(n){return Ei.call(n)}(n)}function Ht(n,t){return n>t}function Qt(n,t){return null!=n&&Ii.call(n,t)}function Xt(n,t){return null!=n&&t in di(n)}function tr(n,t,r){for(var e=r?f:o,u=n[0].length,i=n.length,a=i,l=pi(i),s=1/0,h=[];a--;){var p=n[a];a&&t&&(p=c(p,O(t))),s=eo(p.length,s),l[a]=!r&&(t||u>=120&&p.length>=120)?new vt(a&&p):N}p=n[0];var _=-1,v=l[0];n:for(;++_<u&&h.length<s;){var g=p[_],y=t?t(g):g;if(g=r||0!==g?g:0,!(v?R(v,y):e(h,y,r))){for(a=i;--a;){var d=l[a];if(!(d?R(d,y):e(n[a],y,r)))continue n}v&&v.push(y),h.push(g)}}return h}function rr(t,r,e){var u=null==(t=ru(t,r=ne(r,t)))?t:t[fu(vu(r))];return null==u?N:n(u,t,e)}function ur(n){return $u(n)&&qt(n)==rn}function ir(n,t,r,e,u){return n===t||(null==n||null==t||!$u(n)&&!$u(t)?n!=n&&t!=t:function(n,t,r,e,u,i){var o=zf(n),f=zf(t),c=o?en:$o(n),a=f?en:$o(t);c=c==rn?hn:c,a=a==rn?hn:a;var l=c==hn,s=a==hn,h=c==a;if(h&&Sf(n)){if(!Sf(t))return!1;o=!0,l=!1}if(h&&!l)return i||(i=new gt),o||Bf(n)?Ue(n,t,r,e,u,i):function(n,t,r,e,u,i,o){switch(r){case wn:if(n.byteLength!=t.byteLength||n.byteOffset!=t.byteOffset)return!1;n=n.buffer,t=t.buffer;case bn:return!(n.byteLength!=t.byteLength||!i(new Bi(n),new Bi(t)));case un:case on:case sn:return Eu(+n,+t);case fn:return n.name==t.name&&n.message==t.message;case _n:case gn:return n==t+"";case ln:var f=C;case vn:var c=1&e;if(f||(f=T),n.size!=t.size&&!c)return!1;var a=o.get(n);if(a)return a==t;e|=2,o.set(n,t);var l=Ue(f(n),f(t),e,u,i,o);return o.delete(n),l;case yn:if(jo)return jo.call(n)==jo.call(t)}return!1}(n,t,c,r,e,u,i);if(!(1&r)){var p=l&&Ii.call(n,"__wrapped__"),_=s&&Ii.call(t,"__wrapped__");if(p||_){var v=p?n.value():n,g=_?t.value():t;return i||(i=new gt),u(v,g,r,e,i)}}return!!h&&(i||(i=new gt),function(n,t,r,e,u,i){var o=1&r,f=Te(n),c=f.length;if(c!=Te(t).length&&!o)return!1;for(var a=c;a--;){var l=f[a];if(!(o?l in t:Ii.call(t,l)))return!1}var s=i.get(n),h=i.get(t);if(s&&h)return s==t&&h==n;var p=!0;i.set(n,t),i.set(t,n);for(var _=o;++a<c;){var v=n[l=f[a]],g=t[l];if(e)var y=o?e(g,v,l,t,n,i):e(v,g,l,n,t,i);if(!(y===N?v===g||u(v,g,r,e,i):y)){p=!1;break}_||(_="constructor"==l)}if(p&&!_){var d=n.constructor,b=t.constructor;d!=b&&"constructor"in n&&"constructor"in t&&!("function"==typeof d&&d instanceof d&&"function"==typeof b&&b instanceof b)&&(p=!1)}return i.delete(n),i.delete(t),p}(n,t,r,e,u,i))}(n,t,r,e,ir,u))}function hr(n,t,r,e){var u=r.length,i=u,o=!e;if(null==n)return!i;for(n=di(n);u--;){var f=r[u];if(o&&f[2]?f[1]!==n[f[0]]:!(f[0]in n))return!1}for(;++u<i;){var c=(f=r[u])[0],a=n[c],l=f[1];if(o&&f[2]){if(a===N&&!(c in n))return!1}else{var s=new gt;if(e)var h=e(a,l,c,n,t,s);if(!(h===N?ir(l,a,3,e,s):h))return!1}}return!0}function yr(n){return!(!Tu(n)||function(n){return!!zi&&zi in n}(n))&&(Cu(n)?Li:et).test(cu(n))}function dr(n){return"function"==typeof n?n:null==n?oi:"object"==typeof n?zf(n)?Ar(n[0],n[1]):jr(n):li(n)}function br(n){if(!Qe(n))return to(n);var t=[];for(var r in di(n))Ii.call(n,r)&&"constructor"!=r&&t.push(r);return t}function wr(n){if(!Tu(n))return function(n){var t=[];if(null!=n)for(var r in di(n))t.push(r);return t}(n);var t=Qe(n),r=[];for(var e in n)("constructor"!=e||!t&&Ii.call(n,e))&&r.push(e);return r}function mr(n,t){return n<t}function xr(n,t){var r=-1,e=Su(n)?pi(n.length):[];return Oo(n,(function(n,u,i){e[++r]=t(n,u,i)})),e}function jr(n){var t=Pe(n);return 1==t.length&&t[0][2]?nu(t[0][0],t[0][1]):function(r){return r===n||hr(r,n,t)}}function Ar(n,t){return Je(n)&&Xe(t)?nu(fu(n),t):function(r){var e=Ju(r,n);return e===N&&e===t?Yu(r,n):ir(t,e,3)}}function kr(n,t,r,e,u){n!==t&&Ro(t,(function(i,o){if(u||(u=new gt),Tu(i))!function(n,t,r,e,u,i,o){var f=eu(n,r),c=eu(t,r),a=o.get(c);if(a)return mt(n,r,a),N;var l=i?i(f,c,r+"",n,t,o):N,s=l===N;if(s){var h=zf(c),p=!h&&Sf(c),_=!h&&!p&&Bf(c);l=c,h||p||_?zf(f)?l=f:Wu(f)?l=ce(f):p?(s=!1,l=re(c,!0)):_?(s=!1,l=ue(c,!0)):l=[]:Mu(c)||Rf(c)?(l=f,Rf(f)?l=Gu(f):Tu(f)&&!Cu(f)||(l=Ke(c))):s=!1}s&&(o.set(c,l),u(l,c,e,i,o),o.delete(c)),mt(n,r,l)}(n,t,o,r,kr,e,u);else{var f=e?e(eu(n,o),i,o+"",n,t,u):N;f===N&&(f=i),mt(n,o,f)}}),Xu)}function Or(n,t){var r=n.length;if(r)return Ge(t+=t<0?r:0,r)?n[t]:N}function Ir(n,t,r){t=t.length?c(t,(function(n){return zf(n)?function(t){return Nt(t,1===n.length?n[0]:n)}:n})):[oi];var e=-1;return t=c(t,O(Fe())),function(n,t){var r=n.length;for(n.sort(t);r--;)n[r]=n[r].value;return n}(xr(n,(function(n,r,u){return{criteria:c(t,(function(t){return t(n)})),index:++e,value:n}})),(function(n,t){return function(n,t,r){for(var e=-1,u=n.criteria,i=t.criteria,o=u.length,f=r.length;++e<o;){var c=ie(u[e],i[e]);if(c)return e>=f?c:c*("desc"==r[e]?-1:1)}return n.index-t.index}(n,t,r)}))}function Rr(n,t,r){for(var e=-1,u=t.length,i={};++e<u;){var o=t[e],f=Nt(n,o);r(f,o)&&Br(i,ne(o,n),f)}return i}function zr(n,t,r,e){var u=e?y:g,i=-1,o=t.length,f=n;for(n===t&&(t=ce(t)),r&&(f=c(n,O(r)));++i<o;)for(var a=0,l=t[i],s=r?r(l):l;(a=u(f,s,a,e))>-1;)f!==n&&Fi.call(f,a,1),Fi.call(n,a,1);return n}function Er(n,t){for(var r=n?t.length:0,e=r-1;r--;){var u=t[r];if(r==e||u!==i){var i=u;Ge(u)?Fi.call(n,u,1):Kr(n,u)}}return n}function Sr(n,t){return n+Ji(oo()*(t-n+1))}function Wr(n,t){var r="";if(!n||t<1||t>Q)return r;do{t%2&&(r+=n),(t=Ji(t/2))&&(n+=n)}while(t);return r}function Lr(n,t){return No(tu(n,t,oi),n+"")}function Cr(n){return dt(ti(n))}function Ur(n,t){var r=ti(n);return ou(r,Rt(t,0,r.length))}function Br(n,t,r,e){if(!Tu(n))return n;for(var u=-1,i=(t=ne(t,n)).length,o=i-1,f=n;null!=f&&++u<i;){var c=fu(t[u]),a=r;if("__proto__"===c||"constructor"===c||"prototype"===c)return n;if(u!=o){var l=f[c];(a=e?e(l,c,f):N)===N&&(a=Tu(l)?l:Ge(t[u+1])?[]:{})}xt(f,c,a),f=f[c]}return n}function Tr(n){return ou(ti(n))}function $r(n,t,r){var e=-1,u=n.length;t<0&&(t=-t>u?0:u+t),(r=r>u?u:r)<0&&(r+=u),u=t>r?0:r-t>>>0,t>>>=0;for(var i=pi(u);++e<u;)i[e]=n[e+t];return i}function Dr(n,t){var r;return Oo(n,(function(n,e,u){return!(r=t(n,e,u))})),!!r}function Mr(n,t,r){var e=0,u=null==n?e:n.length;if("number"==typeof t&&t==t&&u<=2147483647){for(;e<u;){var i=e+u>>>1,o=n[i];null!==o&&!Nu(o)&&(r?o<=t:o<t)?e=i+1:u=i}return u}return Fr(n,t,oi,r)}function Fr(n,t,r,e){var u=0,i=null==n?0:n.length;if(0===i)return 0;for(var o=(t=r(t))!=t,f=null===t,c=Nu(t),a=t===N;u<i;){var l=Ji((u+i)/2),s=r(n[l]),h=s!==N,p=null===s,_=s==s,v=Nu(s);if(o)var g=e||_;else g=a?_&&(e||h):f?_&&h&&(e||!p):c?_&&h&&!p&&(e||!v):!p&&!v&&(e?s<=t:s<t);g?u=l+1:i=l}return eo(i,4294967294)}function Nr(n,t){for(var r=-1,e=n.length,u=0,i=[];++r<e;){var o=n[r],f=t?t(o):o;if(!r||!Eu(f,c)){var c=f;i[u++]=0===o?0:o}}return i}function Pr(n){return"number"==typeof n?n:Nu(n)?X:+n}function qr(n){if("string"==typeof n)return n;if(zf(n))return c(n,qr)+"";if(Nu(n))return Ao?Ao.call(n):"";var t=n+"";return"0"==t&&1/n==-Y?"-0":t}function Zr(n,t,r){var e=-1,u=o,i=n.length,c=!0,a=[],l=a;if(r)c=!1,u=f;else if(i>=200){var s=t?null:Co(n);if(s)return T(s);c=!1,u=R,l=new vt}else l=t?[]:a;n:for(;++e<i;){var h=n[e],p=t?t(h):h;if(h=r||0!==h?h:0,c&&p==p){for(var _=l.length;_--;)if(l[_]===p)continue n;t&&l.push(p),a.push(h)}else u(l,p,r)||(l!==a&&l.push(p),a.push(h))}return a}function Kr(n,t){return null==(n=ru(n,t=ne(t,n)))||delete n[fu(vu(t))]}function Vr(n,t,r,e){return Br(n,t,r(Nt(n,t)),e)}function Gr(n,t,r,e){for(var u=n.length,i=e?u:-1;(e?i--:++i<u)&&t(n[i],i,n););return r?$r(n,e?0:i,e?i+1:u):$r(n,e?i+1:0,e?u:i)}function Hr(n,t){var r=n;return r instanceof st&&(r=r.value()),l(t,(function(n,t){return t.func.apply(t.thisArg,a([n],t.args))}),r)}function Jr(n,t,r){var e=n.length;if(e<2)return e?Zr(n[0]):[];for(var u=-1,i=pi(e);++u<e;)for(var o=n[u],f=-1;++f<e;)f!=u&&(i[u]=Wt(i[u]||o,n[f],t,r));return Zr(Bt(i,1),t,r)}function Yr(n,t,r){for(var e=-1,u=n.length,i=t.length,o={};++e<u;)r(o,n[e],e<i?t[e]:N);return o}function Qr(n){return Wu(n)?n:[]}function Xr(n){return"function"==typeof n?n:oi}function ne(n,t){return zf(n)?n:Je(n,t)?[n]:Po(Hu(n))}function te(n,t,r){var e=n.length;return r=r===N?e:r,!t&&r>=e?n:$r(n,t,r)}function re(n,t){if(t)return n.slice();var r=n.length,e=Ti?Ti(r):new n.constructor(r);return n.copy(e),e}function ee(n){var t=new n.constructor(n.byteLength);return new Bi(t).set(new Bi(n)),t}function ue(n,t){return new n.constructor(t?ee(n.buffer):n.buffer,n.byteOffset,n.length)}function ie(n,t){if(n!==t){var r=n!==N,e=null===n,u=n==n,i=Nu(n),o=t!==N,f=null===t,c=t==t,a=Nu(t);if(!f&&!a&&!i&&n>t||i&&o&&c&&!f&&!a||e&&o&&c||!r&&c||!u)return 1;if(!e&&!i&&!a&&n<t||a&&r&&u&&!e&&!i||f&&r&&u||!o&&u||!c)return-1}return 0}function oe(n,t,r,e){for(var u=-1,i=n.length,o=r.length,f=-1,c=t.length,a=ro(i-o,0),l=pi(c+a),s=!e;++f<c;)l[f]=t[f];for(;++u<o;)(s||u<i)&&(l[r[u]]=n[u]);for(;a--;)l[f++]=n[u++];return l}function fe(n,t,r,e){for(var u=-1,i=n.length,o=-1,f=r.length,c=-1,a=t.length,l=ro(i-f,0),s=pi(l+a),h=!e;++u<l;)s[u]=n[u];for(var p=u;++c<a;)s[p+c]=t[c];for(;++o<f;)(h||u<i)&&(s[p+r[o]]=n[u++]);return s}function ce(n,t){var r=-1,e=n.length;for(t||(t=pi(e));++r<e;)t[r]=n[r];return t}function ae(n,t,r,e){var u=!r;r||(r={});for(var i=-1,o=t.length;++i<o;){var f=t[i],c=e?e(r[f],n[f],f,r,n):N;c===N&&(c=n[f]),u?Ot(r,f,c):xt(r,f,c)}return r}function le(n,r){return function(e,u){var i=zf(e)?t:At,o=r?r():{};return i(e,n,Fe(u,2),o)}}function se(n){return Lr((function(t,r){var e=-1,u=r.length,i=u>1?r[u-1]:N,o=u>2?r[2]:N;for(i=n.length>3&&"function"==typeof i?(u--,i):N,o&&He(r[0],r[1],o)&&(i=u<3?N:i,u=1),t=di(t);++e<u;){var f=r[e];f&&n(t,f,e,i)}return t}))}function he(n,t){return function(r,e){if(null==r)return r;if(!Su(r))return n(r,e);for(var u=r.length,i=t?u:-1,o=di(r);(t?i--:++i<u)&&!1!==e(o[i],i,o););return r}}function pe(n){return function(t,r,e){for(var u=-1,i=di(t),o=e(t),f=o.length;f--;){var c=o[n?f:++u];if(!1===r(i[c],c,i))break}return t}}function _e(n){return function(t){var r=W(t=Hu(t))?D(t):N,e=r?r[0]:t.charAt(0),u=r?te(r,1).join(""):t.slice(1);return e[n]()+u}}function ve(n){return function(t){return l(ui(ei(t).replace(Dt,"")),n,"")}}function ge(n){return function(){var t=arguments;switch(t.length){case 0:return new n;case 1:return new n(t[0]);case 2:return new n(t[0],t[1]);case 3:return new n(t[0],t[1],t[2]);case 4:return new n(t[0],t[1],t[2],t[3]);case 5:return new n(t[0],t[1],t[2],t[3],t[4]);case 6:return new n(t[0],t[1],t[2],t[3],t[4],t[5]);case 7:return new n(t[0],t[1],t[2],t[3],t[4],t[5],t[6])}var r=ko(n.prototype),e=n.apply(r,t);return Tu(e)?e:r}}function ye(t,r,e){var u=ge(t);return function i(){for(var o=arguments.length,f=pi(o),c=o,a=Me(i);c--;)f[c]=arguments[c];var l=o<3&&f[0]!==a&&f[o-1]!==a?[]:B(f,a);return(o-=l.length)<e?Re(t,r,we,i.placeholder,N,f,l,N,N,e-o):n(this&&this!==nr&&this instanceof i?u:t,this,f)}}function de(n){return function(t,r,e){var u=di(t);if(!Su(t)){var i=Fe(r,3);t=Qu(t),r=function(n){return i(u[n],n,u)}}var o=n(t,r,e);return o>-1?u[i?t[o]:o]:N}}function be(n){return Be((function(t){var r=t.length,e=r,u=lt.prototype.thru;for(n&&t.reverse();e--;){var i=t[e];if("function"!=typeof i)throw new mi(P);if(u&&!o&&"wrapper"==De(i))var o=new lt([],!0)}for(e=o?e:r;++e<r;){var f=De(i=t[e]),c="wrapper"==f?Uo(i):N;o=c&&Ye(c[0])&&424==c[1]&&!c[4].length&&1==c[9]?o[De(c[0])].apply(o,c[3]):1==i.length&&Ye(i)?o[f]():o.thru(i)}return function(){var n=arguments,e=n[0];if(o&&1==n.length&&zf(e))return o.plant(e).value();for(var u=0,i=r?t[u].apply(this,n):e;++u<r;)i=t[u].call(this,i);return i}}))}function we(n,t,r,e,u,i,o,f,c,a){var l=t&H,s=1&t,h=2&t,p=24&t,_=512&t,v=h?N:ge(n);return function g(){for(var y=arguments.length,d=pi(y),b=y;b--;)d[b]=arguments[b];if(p)var w=Me(g),m=function(n,t){for(var r=n.length,e=0;r--;)n[r]===t&&++e;return e}(d,w);if(e&&(d=oe(d,e,u,p)),i&&(d=fe(d,i,o,p)),y-=m,p&&y<a)return Re(n,t,we,g.placeholder,r,d,B(d,w),f,c,a-y);var x=s?r:this,j=h?x[n]:n;return y=d.length,f?d=function(n,t){for(var r=n.length,e=eo(t.length,r),u=ce(n);e--;){var i=t[e];n[e]=Ge(i,r)?u[i]:N}return n}(d,f):_&&y>1&&d.reverse(),l&&c<y&&(d.length=c),this&&this!==nr&&this instanceof g&&(j=v||ge(j)),j.apply(x,d)}}function me(n,t){return function(r,e){return function(n,t,r,e){return Tt(n,(function(n,u,i){t(e,r(n),u,i)})),e}(r,n,t(e),{})}}function xe(n,t){return function(r,e){var u;if(r===N&&e===N)return t;if(r!==N&&(u=r),e!==N){if(u===N)return e;"string"==typeof r||"string"==typeof e?(r=qr(r),e=qr(e)):(r=Pr(r),e=Pr(e)),u=n(r,e)}return u}}function je(t){return Be((function(r){return r=c(r,O(Fe())),Lr((function(e){var u=this;return t(r,(function(t){return n(t,u,e)}))}))}))}function Ae(n,t){var r=(t=t===N?" ":qr(t)).length;if(r<2)return r?Wr(t,n):t;var e=Wr(t,Hi(n/$(t)));return W(t)?te(D(e),0,n).join(""):e.slice(0,n)}function ke(t,r,e,u){var i=1&r,o=ge(t);return function r(){for(var f=-1,c=arguments.length,a=-1,l=u.length,s=pi(l+c),h=this&&this!==nr&&this instanceof r?o:t;++a<l;)s[a]=u[a];for(;c--;)s[a++]=arguments[++f];return n(h,i?e:this,s)}}function Oe(n){return function(t,r,e){return e&&"number"!=typeof e&&He(t,r,e)&&(r=e=N),t=qu(t),r===N?(r=t,t=0):r=qu(r),function(n,t,r,e){for(var u=-1,i=ro(Hi((t-n)/(r||1)),0),o=pi(i);i--;)o[e?i:++u]=n,n+=r;return o}(t,r,e=e===N?t<r?1:-1:qu(e),n)}}function Ie(n){return function(t,r){return"string"==typeof t&&"string"==typeof r||(t=Vu(t),r=Vu(r)),n(t,r)}}function Re(n,t,r,e,u,i,o,f,c,a){var l=8&t;t|=l?V:G,4&(t&=~(l?G:V))||(t&=-4);var s=[n,t,u,l?i:N,l?o:N,l?N:i,l?N:o,f,c,a],h=r.apply(N,s);return Ye(n)&&Mo(h,s),h.placeholder=e,uu(h,n,t)}function ze(n){var t=yi[n];return function(n,r){if(n=Vu(n),(r=null==r?0:eo(Zu(r),292))&&Xi(n)){var e=(Hu(n)+"e").split("e");return+((e=(Hu(t(e[0]+"e"+(+e[1]+r)))+"e").split("e"))[0]+"e"+(+e[1]-r))}return t(n)}}function Ee(n){return function(t){var r=$o(t);return r==ln?C(t):r==vn?function(n){var t=-1,r=Array(n.size);return n.forEach((function(n){r[++t]=[n,n]})),r}(t):function(n,t){return c(t,(function(t){return[t,n[t]]}))}(t,n(t))}}function Se(n,t,r,e,u,i,o,f){var c=2&t;if(!c&&"function"!=typeof n)throw new mi(P);var a=e?e.length:0;if(a||(t&=-97,e=u=N),o=o===N?o:ro(Zu(o),0),f=f===N?f:Zu(f),a-=u?u.length:0,t&G){var l=e,s=u;e=u=N}var h=c?N:Uo(n),p=[n,t,r,e,u,l,s,i,o,f];if(h&&function(n,t){var r=n[1],e=t[1],u=r|e,i=u<131,o=e==H&&8==r||e==H&&r==J&&n[7].length<=t[8]||384==e&&t[7].length<=t[8]&&8==r;if(!i&&!o)return n;1&e&&(n[2]=t[2],u|=1&r?0:4);var f=t[3];if(f){var c=n[3];n[3]=c?oe(c,f,t[4]):f,n[4]=c?B(n[3],Z):t[4]}f=t[5],f&&(c=n[5],n[5]=c?fe(c,f,t[6]):f,n[6]=c?B(n[5],Z):t[6]),f=t[7],f&&(n[7]=f),e&H&&(n[8]=null==n[8]?t[8]:eo(n[8],t[8])),null==n[9]&&(n[9]=t[9]),n[0]=t[0],n[1]=u}(p,h),n=p[0],t=p[1],r=p[2],e=p[3],u=p[4],!(f=p[9]=p[9]===N?c?0:n.length:ro(p[9]-a,0))&&24&t&&(t&=-25),t&&1!=t)_=8==t||t==K?ye(n,t,f):t!=V&&33!=t||u.length?we.apply(N,p):ke(n,t,r,e);else var _=function(n,t,r){var e=1&t,u=ge(n);return function t(){return(this&&this!==nr&&this instanceof t?u:n).apply(e?r:this,arguments)}}(n,t,r);return uu((h?Eo:Mo)(_,p),n,t)}function We(n,t,r,e){return n===N||Eu(n,Ai[r])&&!Ii.call(e,r)?t:n}function Le(n,t,r,e,u,i){return Tu(n)&&Tu(t)&&(i.set(t,n),kr(n,t,N,Le,i),i.delete(t)),n}function Ce(n){return Mu(n)?N:n}function Ue(n,t,r,e,u,i){var o=1&r,f=n.length,c=t.length;if(f!=c&&!(o&&c>f))return!1;var a=i.get(n),l=i.get(t);if(a&&l)return a==t&&l==n;var s=-1,p=!0,_=2&r?new vt:N;for(i.set(n,t),i.set(t,n);++s<f;){var v=n[s],g=t[s];if(e)var y=o?e(g,v,s,t,n,i):e(v,g,s,n,t,i);if(y!==N){if(y)continue;p=!1;break}if(_){if(!h(t,(function(n,t){if(!R(_,t)&&(v===n||u(v,n,r,e,i)))return _.push(t)}))){p=!1;break}}else if(v!==g&&!u(v,g,r,e,i)){p=!1;break}}return i.delete(n),i.delete(t),p}function Be(n){return No(tu(n,N,pu),n+"")}function Te(n){return Pt(n,Qu,Bo)}function $e(n){return Pt(n,Xu,To)}function De(n){for(var t=n.name+"",r=vo[t],e=Ii.call(vo,t)?r.length:0;e--;){var u=r[e],i=u.func;if(null==i||i==n)return u.name}return t}function Me(n){return(Ii.call(Jn,"placeholder")?Jn:n).placeholder}function Fe(){var n=Jn.iteratee||fi;return n=n===fi?dr:n,arguments.length?n(arguments[0],arguments[1]):n}function Ne(n,t){var r=n.__data__;return function(n){var t=typeof n;return"string"==t||"number"==t||"symbol"==t||"boolean"==t?"__proto__"!==n:null===n}(t)?r["string"==typeof t?"string":"hash"]:r.map}function Pe(n){for(var t=Qu(n),r=t.length;r--;){var e=t[r],u=n[e];t[r]=[e,u,Xe(u)]}return t}function qe(n,t){var r=function(n,t){return null==n?N:n[t]}(n,t);return yr(r)?r:N}function Ze(n,t,r){for(var e=-1,u=(t=ne(t,n)).length,i=!1;++e<u;){var o=fu(t[e]);if(!(i=null!=n&&r(n,o)))break;n=n[o]}return i||++e!=u?i:!!(u=null==n?0:n.length)&&Bu(u)&&Ge(o,u)&&(zf(n)||Rf(n))}function Ke(n){return"function"!=typeof n.constructor||Qe(n)?{}:ko($i(n))}function Ve(n){return zf(n)||Rf(n)||!!(Ni&&n&&n[Ni])}function Ge(n,t){var r=typeof n;return!!(t=null==t?Q:t)&&("number"==r||"symbol"!=r&&it.test(n))&&n>-1&&n%1==0&&n<t}function He(n,t,r){if(!Tu(r))return!1;var e=typeof t;return!!("number"==e?Su(r)&&Ge(t,r.length):"string"==e&&t in r)&&Eu(r[t],n)}function Je(n,t){if(zf(n))return!1;var r=typeof n;return!("number"!=r&&"symbol"!=r&&"boolean"!=r&&null!=n&&!Nu(n))||Fn.test(n)||!Mn.test(n)||null!=t&&n in di(t)}function Ye(n){var t=De(n),r=Jn[t];if("function"!=typeof r||!(t in st.prototype))return!1;if(n===r)return!0;var e=Uo(r);return!!e&&n===e[0]}function Qe(n){var t=n&&n.constructor;return n===("function"==typeof t&&t.prototype||Ai)}function Xe(n){return n==n&&!Tu(n)}function nu(n,t){return function(r){return null!=r&&r[n]===t&&(t!==N||n in di(r))}}function tu(t,r,e){return r=ro(r===N?t.length-1:r,0),function(){for(var u=arguments,i=-1,o=ro(u.length-r,0),f=pi(o);++i<o;)f[i]=u[r+i];i=-1;for(var c=pi(r+1);++i<r;)c[i]=u[i];return c[r]=e(f),n(t,this,c)}}function ru(n,t){return t.length<2?n:Nt(n,$r(t,0,-1))}function eu(n,t){if(("constructor"!==t||"function"!=typeof n[t])&&"__proto__"!=t)return n[t]}function uu(n,t,r){var e=t+"";return No(n,function(n,t){var r=t.length;if(!r)return n;var e=r-1;return t[e]=(r>1?"& ":"")+t[e],t=t.join(r>2?", ":" "),n.replace(Vn,"{\n/* [wrapped with "+t+"] */\n")}(e,au(function(n){var t=n.match(Gn);return t?t[1].split(Hn):[]}(e),r)))}function iu(n){var t=0,r=0;return function(){var e=uo(),u=16-(e-r);if(r=e,u>0){if(++t>=800)return arguments[0]}else t=0;return n.apply(N,arguments)}}function ou(n,t){var r=-1,e=n.length,u=e-1;for(t=t===N?e:t;++r<t;){var i=Sr(r,u),o=n[i];n[i]=n[r],n[r]=o}return n.length=t,n}function fu(n){if("string"==typeof n||Nu(n))return n;var t=n+"";return"0"==t&&1/n==-Y?"-0":t}function cu(n){if(null!=n){try{return Oi.call(n)}catch(n){}try{return n+""}catch(n){}}return""}function au(n,t){return r(tn,(function(r){var e="_."+r[0];t&r[1]&&!o(n,e)&&n.push(e)})),n.sort()}function lu(n){if(n instanceof st)return n.clone();var t=new lt(n.__wrapped__,n.__chain__);return t.__actions__=ce(n.__actions__),t.__index__=n.__index__,t.__values__=n.__values__,t}function su(n,t,r){var e=null==n?0:n.length;if(!e)return-1;var u=null==r?0:Zu(r);return u<0&&(u=ro(e+u,0)),v(n,Fe(t,3),u)}function hu(n,t,r){var e=null==n?0:n.length;if(!e)return-1;var u=e-1;return r!==N&&(u=Zu(r),u=r<0?ro(e+u,0):eo(u,e-1)),v(n,Fe(t,3),u,!0)}function pu(n){return null!=n&&n.length?Bt(n,1):[]}function _u(n){return n&&n.length?n[0]:N}function vu(n){var t=null==n?0:n.length;return t?n[t-1]:N}function gu(n,t){return n&&n.length&&t&&t.length?zr(n,t):n}function yu(n){return null==n?n:fo.call(n)}function du(n){if(!n||!n.length)return[];var t=0;return n=i(n,(function(n){if(Wu(n))return t=ro(n.length,t),!0})),A(t,(function(t){return c(n,w(t))}))}function bu(t,r){if(!t||!t.length)return[];var e=du(t);return null==r?e:c(e,(function(t){return n(r,N,t)}))}function wu(n){var t=Jn(n);return t.__chain__=!0,t}function mu(n,t){return t(n)}function xu(n,t){return(zf(n)?r:Oo)(n,Fe(t,3))}function ju(n,t){return(zf(n)?e:Io)(n,Fe(t,3))}function Au(n,t){return(zf(n)?c:xr)(n,Fe(t,3))}function ku(n,t,r){return t=r?N:t,t=n&&null==t?n.length:t,Se(n,H,N,N,N,N,t)}function Ou(n,t){var r;if("function"!=typeof t)throw new mi(P);return n=Zu(n),function(){return--n>0&&(r=t.apply(this,arguments)),n<=1&&(t=N),r}}function Iu(n,t,r){function e(t){var r=c,e=a;return c=a=N,_=t,s=n.apply(e,r)}function u(n){var r=n-p;return p===N||r>=t||r<0||g&&n-_>=l}function i(){var n=yf();return u(n)?o(n):(h=Fo(i,function(n){var r=t-(n-p);return g?eo(r,l-(n-_)):r}(n)),N)}function o(n){return h=N,y&&c?e(n):(c=a=N,s)}function f(){var n=yf(),r=u(n);if(c=arguments,a=this,p=n,r){if(h===N)return function(n){return _=n,h=Fo(i,t),v?e(n):s}(p);if(g)return Lo(h),h=Fo(i,t),e(p)}return h===N&&(h=Fo(i,t)),s}var c,a,l,s,h,p,_=0,v=!1,g=!1,y=!0;if("function"!=typeof n)throw new mi(P);return t=Vu(t)||0,Tu(r)&&(v=!!r.leading,l=(g="maxWait"in r)?ro(Vu(r.maxWait)||0,t):l,y="trailing"in r?!!r.trailing:y),f.cancel=function(){h!==N&&Lo(h),_=0,c=p=a=h=N},f.flush=function(){return h===N?s:o(yf())},f}function Ru(n,t){if("function"!=typeof n||null!=t&&"function"!=typeof t)throw new mi(P);var r=function(){var e=arguments,u=t?t.apply(this,e):e[0],i=r.cache;if(i.has(u))return i.get(u);var o=n.apply(this,e);return r.cache=i.set(u,o)||i,o};return r.cache=new(Ru.Cache||_t),r}function zu(n){if("function"!=typeof n)throw new mi(P);return function(){var t=arguments;switch(t.length){case 0:return!n.call(this);case 1:return!n.call(this,t[0]);case 2:return!n.call(this,t[0],t[1]);case 3:return!n.call(this,t[0],t[1],t[2])}return!n.apply(this,t)}}function Eu(n,t){return n===t||n!=n&&t!=t}function Su(n){return null!=n&&Bu(n.length)&&!Cu(n)}function Wu(n){return $u(n)&&Su(n)}function Lu(n){if(!$u(n))return!1;var t=qt(n);return t==fn||"[object DOMException]"==t||"string"==typeof n.message&&"string"==typeof n.name&&!Mu(n)}function Cu(n){if(!Tu(n))return!1;var t=qt(n);return t==cn||t==an||"[object AsyncFunction]"==t||"[object Proxy]"==t}function Uu(n){return"number"==typeof n&&n==Zu(n)}function Bu(n){return"number"==typeof n&&n>-1&&n%1==0&&n<=Q}function Tu(n){var t=typeof n;return null!=n&&("object"==t||"function"==t)}function $u(n){return null!=n&&"object"==typeof n}function Du(n){return"number"==typeof n||$u(n)&&qt(n)==sn}function Mu(n){if(!$u(n)||qt(n)!=hn)return!1;var t=$i(n);if(null===t)return!0;var r=Ii.call(t,"constructor")&&t.constructor;return"function"==typeof r&&r instanceof r&&Oi.call(r)==Si}function Fu(n){return"string"==typeof n||!zf(n)&&$u(n)&&qt(n)==gn}function Nu(n){return"symbol"==typeof n||$u(n)&&qt(n)==yn}function Pu(n){if(!n)return[];if(Su(n))return Fu(n)?D(n):ce(n);if(Pi&&n[Pi])return function(n){for(var t,r=[];!(t=n.next()).done;)r.push(t.value);return r}(n[Pi]());var t=$o(n);return(t==ln?C:t==vn?T:ti)(n)}function qu(n){return n?(n=Vu(n))===Y||n===-Y?17976931348623157e292*(n<0?-1:1):n==n?n:0:0===n?n:0}function Zu(n){var t=qu(n),r=t%1;return t==t?r?t-r:t:0}function Ku(n){return n?Rt(Zu(n),0,nn):0}function Vu(n){if("number"==typeof n)return n;if(Nu(n))return X;if(Tu(n)){var t="function"==typeof n.valueOf?n.valueOf():n;n=Tu(t)?t+"":t}if("string"!=typeof n)return 0===n?n:+n;n=k(n);var r=rt.test(n);return r||ut.test(n)?Yt(n.slice(2),r?2:8):tt.test(n)?X:+n}function Gu(n){return ae(n,Xu(n))}function Hu(n){return null==n?"":qr(n)}function Ju(n,t,r){var e=null==n?N:Nt(n,t);return e===N?r:e}function Yu(n,t){return null!=n&&Ze(n,t,Xt)}function Qu(n){return Su(n)?yt(n):br(n)}function Xu(n){return Su(n)?yt(n,!0):wr(n)}function ni(n,t){if(null==n)return{};var r=c($e(n),(function(n){return[n]}));return t=Fe(t),Rr(n,r,(function(n,r){return t(n,r[0])}))}function ti(n){return null==n?[]:I(n,Qu(n))}function ri(n){return cc(Hu(n).toLowerCase())}function ei(n){return(n=Hu(n))&&n.replace(ot,pr).replace(Mt,"")}function ui(n,t,r){return n=Hu(n),(t=r?N:t)===N?L(n)?F(n):p(n):n.match(t)||[]}function ii(n){return function(){return n}}function oi(n){return n}function fi(n){return dr("function"==typeof n?n:zt(n,1))}function ci(n,t,e){var u=Qu(t),i=Ft(t,u);null!=e||Tu(t)&&(i.length||!u.length)||(e=t,t=n,n=this,i=Ft(t,Qu(t)));var o=!(Tu(e)&&"chain"in e&&!e.chain),f=Cu(n);return r(i,(function(r){var e=t[r];n[r]=e,f&&(n.prototype[r]=function(){var t=this.__chain__;if(o||t){var r=n(this.__wrapped__);return(r.__actions__=ce(this.__actions__)).push({func:e,args:arguments,thisArg:n}),r.__chain__=t,r}return e.apply(n,a([this.value()],arguments))})})),n}function ai(){}function li(n){return Je(n)?w(fu(n)):function(n){return function(t){return Nt(t,n)}}(n)}function si(){return[]}function hi(){return!1}var pi=(Kn=null==Kn?nr:gr.defaults(nr.Object(),Kn,gr.pick(nr,Zt))).Array,_i=Kn.Date,vi=Kn.Error,gi=Kn.Function,yi=Kn.Math,di=Kn.Object,bi=Kn.RegExp,wi=Kn.String,mi=Kn.TypeError,xi=pi.prototype,ji=gi.prototype,Ai=di.prototype,ki=Kn["__core-js_shared__"],Oi=ji.toString,Ii=Ai.hasOwnProperty,Ri=0,zi=function(){var n=/[^.]+$/.exec(ki&&ki.keys&&ki.keys.IE_PROTO||"");return n?"Symbol(src)_1."+n:""}(),Ei=Ai.toString,Si=Oi.call(di),Wi=nr._,Li=bi("^"+Oi.call(Ii).replace(Pn,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),Ci=er?Kn.Buffer:N,Ui=Kn.Symbol,Bi=Kn.Uint8Array,Ti=Ci?Ci.allocUnsafe:N,$i=U(di.getPrototypeOf,di),Di=di.create,Mi=Ai.propertyIsEnumerable,Fi=xi.splice,Ni=Ui?Ui.isConcatSpreadable:N,Pi=Ui?Ui.iterator:N,qi=Ui?Ui.toStringTag:N,Zi=function(){try{var n=qe(di,"defineProperty");return n({},"",{}),n}catch(n){}}(),Ki=Kn.clearTimeout!==nr.clearTimeout&&Kn.clearTimeout,Vi=_i&&_i.now!==nr.Date.now&&_i.now,Gi=Kn.setTimeout!==nr.setTimeout&&Kn.setTimeout,Hi=yi.ceil,Ji=yi.floor,Yi=di.getOwnPropertySymbols,Qi=Ci?Ci.isBuffer:N,Xi=Kn.isFinite,no=xi.join,to=U(di.keys,di),ro=yi.max,eo=yi.min,uo=_i.now,io=Kn.parseInt,oo=yi.random,fo=xi.reverse,co=qe(Kn,"DataView"),ao=qe(Kn,"Map"),lo=qe(Kn,"Promise"),so=qe(Kn,"Set"),ho=qe(Kn,"WeakMap"),po=qe(di,"create"),_o=ho&&new ho,vo={},go=cu(co),yo=cu(ao),bo=cu(lo),wo=cu(so),mo=cu(ho),xo=Ui?Ui.prototype:N,jo=xo?xo.valueOf:N,Ao=xo?xo.toString:N,ko=function(){function n(){}return function(t){if(!Tu(t))return{};if(Di)return Di(t);n.prototype=t;var r=new n;return n.prototype=N,r}}();Jn.templateSettings={escape:Tn,evaluate:$n,interpolate:Dn,variable:"",imports:{_:Jn}},Jn.prototype=at.prototype,Jn.prototype.constructor=Jn,lt.prototype=ko(at.prototype),lt.prototype.constructor=lt,st.prototype=ko(at.prototype),st.prototype.constructor=st,ht.prototype.clear=function(){this.__data__=po?po(null):{},this.size=0},ht.prototype.delete=function(n){var t=this.has(n)&&delete this.__data__[n];return this.size-=t?1:0,t},ht.prototype.get=function(n){var t=this.__data__;if(po){var r=t[n];return r===q?N:r}return Ii.call(t,n)?t[n]:N},ht.prototype.has=function(n){var t=this.__data__;return po?t[n]!==N:Ii.call(t,n)},ht.prototype.set=function(n,t){var r=this.__data__;return this.size+=this.has(n)?0:1,r[n]=po&&t===N?q:t,this},pt.prototype.clear=function(){this.__data__=[],this.size=0},pt.prototype.delete=function(n){var t=this.__data__,r=jt(t,n);return!(r<0||(r==t.length-1?t.pop():Fi.call(t,r,1),--this.size,0))},pt.prototype.get=function(n){var t=this.__data__,r=jt(t,n);return r<0?N:t[r][1]},pt.prototype.has=function(n){return jt(this.__data__,n)>-1},pt.prototype.set=function(n,t){var r=this.__data__,e=jt(r,n);return e<0?(++this.size,r.push([n,t])):r[e][1]=t,this},_t.prototype.clear=function(){this.size=0,this.__data__={hash:new ht,map:new(ao||pt),string:new ht}},_t.prototype.delete=function(n){var t=Ne(this,n).delete(n);return this.size-=t?1:0,t},_t.prototype.get=function(n){return Ne(this,n).get(n)},_t.prototype.has=function(n){return Ne(this,n).has(n)},_t.prototype.set=function(n,t){var r=Ne(this,n),e=r.size;return r.set(n,t),this.size+=r.size==e?0:1,this},vt.prototype.add=vt.prototype.push=function(n){return this.__data__.set(n,q),this},vt.prototype.has=function(n){return this.__data__.has(n)},gt.prototype.clear=function(){this.__data__=new pt,this.size=0},gt.prototype.delete=function(n){var t=this.__data__,r=t.delete(n);return this.size=t.size,r},gt.prototype.get=function(n){return this.__data__.get(n)},gt.prototype.has=function(n){return this.__data__.has(n)},gt.prototype.set=function(n,t){var r=this.__data__;if(r instanceof pt){var e=r.__data__;if(!ao||e.length<199)return e.push([n,t]),this.size=++r.size,this;r=this.__data__=new _t(e)}return r.set(n,t),this.size=r.size,this};var Oo=he(Tt),Io=he($t,!0),Ro=pe(),zo=pe(!0),Eo=_o?function(n,t){return _o.set(n,t),n}:oi,So=Zi?function(n,t){return Zi(n,"toString",{configurable:!0,enumerable:!1,value:ii(t),writable:!0})}:oi,Wo=Lr,Lo=Ki||function(n){return nr.clearTimeout(n)},Co=so&&1/T(new so([,-0]))[1]==Y?function(n){return new so(n)}:ai,Uo=_o?function(n){return _o.get(n)}:ai,Bo=Yi?function(n){return null==n?[]:(n=di(n),i(Yi(n),(function(t){return Mi.call(n,t)})))}:si,To=Yi?function(n){for(var t=[];n;)a(t,Bo(n)),n=$i(n);return t}:si,$o=qt;(co&&$o(new co(new ArrayBuffer(1)))!=wn||ao&&$o(new ao)!=ln||lo&&$o(lo.resolve())!=pn||so&&$o(new so)!=vn||ho&&$o(new ho)!=dn)&&($o=function(n){var t=qt(n),r=t==hn?n.constructor:N,e=r?cu(r):"";if(e)switch(e){case go:return wn;case yo:return ln;case bo:return pn;case wo:return vn;case mo:return dn}return t});var Do=ki?Cu:hi,Mo=iu(Eo),Fo=Gi||function(n,t){return nr.setTimeout(n,t)},No=iu(So),Po=function(n){var t=Ru(n,(function(n){return 500===r.size&&r.clear(),n})),r=t.cache;return t}((function(n){var t=[];return 46===n.charCodeAt(0)&&t.push(""),n.replace(Nn,(function(n,r,e,u){t.push(e?u.replace(Qn,"$1"):r||n)})),t})),qo=Lr((function(n,t){return Wu(n)?Wt(n,Bt(t,1,Wu,!0)):[]})),Zo=Lr((function(n,t){var r=vu(t);return Wu(r)&&(r=N),Wu(n)?Wt(n,Bt(t,1,Wu,!0),Fe(r,2)):[]})),Ko=Lr((function(n,t){var r=vu(t);return Wu(r)&&(r=N),Wu(n)?Wt(n,Bt(t,1,Wu,!0),N,r):[]})),Vo=Lr((function(n){var t=c(n,Qr);return t.length&&t[0]===n[0]?tr(t):[]})),Go=Lr((function(n){var t=vu(n),r=c(n,Qr);return t===vu(r)?t=N:r.pop(),r.length&&r[0]===n[0]?tr(r,Fe(t,2)):[]})),Ho=Lr((function(n){var t=vu(n),r=c(n,Qr);return(t="function"==typeof t?t:N)&&r.pop(),r.length&&r[0]===n[0]?tr(r,N,t):[]})),Jo=Lr(gu),Yo=Be((function(n,t){var r=null==n?0:n.length,e=It(n,t);return Er(n,c(t,(function(n){return Ge(n,r)?+n:n})).sort(ie)),e})),Qo=Lr((function(n){return Zr(Bt(n,1,Wu,!0))})),Xo=Lr((function(n){var t=vu(n);return Wu(t)&&(t=N),Zr(Bt(n,1,Wu,!0),Fe(t,2))})),nf=Lr((function(n){var t=vu(n);return t="function"==typeof t?t:N,Zr(Bt(n,1,Wu,!0),N,t)})),tf=Lr((function(n,t){return Wu(n)?Wt(n,t):[]})),rf=Lr((function(n){return Jr(i(n,Wu))})),ef=Lr((function(n){var t=vu(n);return Wu(t)&&(t=N),Jr(i(n,Wu),Fe(t,2))})),uf=Lr((function(n){var t=vu(n);return t="function"==typeof t?t:N,Jr(i(n,Wu),N,t)})),of=Lr(du),ff=Lr((function(n){var t=n.length,r=t>1?n[t-1]:N;return r="function"==typeof r?(n.pop(),r):N,bu(n,r)})),cf=Be((function(n){var t=n.length,r=t?n[0]:0,e=this.__wrapped__,u=function(t){return It(t,n)};return!(t>1||this.__actions__.length)&&e instanceof st&&Ge(r)?((e=e.slice(r,+r+(t?1:0))).__actions__.push({func:mu,args:[u],thisArg:N}),new lt(e,this.__chain__).thru((function(n){return t&&!n.length&&n.push(N),n}))):this.thru(u)})),af=le((function(n,t,r){Ii.call(n,r)?++n[r]:Ot(n,r,1)})),lf=de(su),sf=de(hu),hf=le((function(n,t,r){Ii.call(n,r)?n[r].push(t):Ot(n,r,[t])})),pf=Lr((function(t,r,e){var u=-1,i="function"==typeof r,o=Su(t)?pi(t.length):[];return Oo(t,(function(t){o[++u]=i?n(r,t,e):rr(t,r,e)})),o})),_f=le((function(n,t,r){Ot(n,r,t)})),vf=le((function(n,t,r){n[r?0:1].push(t)}),(function(){return[[],[]]})),gf=Lr((function(n,t){if(null==n)return[];var r=t.length;return r>1&&He(n,t[0],t[1])?t=[]:r>2&&He(t[0],t[1],t[2])&&(t=[t[0]]),Ir(n,Bt(t,1),[])})),yf=Vi||function(){return nr.Date.now()},df=Lr((function(n,t,r){var e=1;if(r.length){var u=B(r,Me(df));e|=V}return Se(n,e,t,r,u)})),bf=Lr((function(n,t,r){var e=3;if(r.length){var u=B(r,Me(bf));e|=V}return Se(t,e,n,r,u)})),wf=Lr((function(n,t){return St(n,1,t)})),mf=Lr((function(n,t,r){return St(n,Vu(t)||0,r)}));Ru.Cache=_t;var xf=Wo((function(t,r){var e=(r=1==r.length&&zf(r[0])?c(r[0],O(Fe())):c(Bt(r,1),O(Fe()))).length;return Lr((function(u){for(var i=-1,o=eo(u.length,e);++i<o;)u[i]=r[i].call(this,u[i]);return n(t,this,u)}))})),jf=Lr((function(n,t){return Se(n,V,N,t,B(t,Me(jf)))})),Af=Lr((function(n,t){return Se(n,G,N,t,B(t,Me(Af)))})),kf=Be((function(n,t){return Se(n,J,N,N,N,t)})),Of=Ie(Ht),If=Ie((function(n,t){return n>=t})),Rf=ur(function(){return arguments}())?ur:function(n){return $u(n)&&Ii.call(n,"callee")&&!Mi.call(n,"callee")},zf=pi.isArray,Ef=or?O(or):function(n){return $u(n)&&qt(n)==bn},Sf=Qi||hi,Wf=fr?O(fr):function(n){return $u(n)&&qt(n)==on},Lf=cr?O(cr):function(n){return $u(n)&&$o(n)==ln},Cf=ar?O(ar):function(n){return $u(n)&&qt(n)==_n},Uf=lr?O(lr):function(n){return $u(n)&&$o(n)==vn},Bf=sr?O(sr):function(n){return $u(n)&&Bu(n.length)&&!!Vt[qt(n)]},Tf=Ie(mr),$f=Ie((function(n,t){return n<=t})),Df=se((function(n,t){if(Qe(t)||Su(t))return ae(t,Qu(t),n),N;for(var r in t)Ii.call(t,r)&&xt(n,r,t[r])})),Mf=se((function(n,t){ae(t,Xu(t),n)})),Ff=se((function(n,t,r,e){ae(t,Xu(t),n,e)})),Nf=se((function(n,t,r,e){ae(t,Qu(t),n,e)})),Pf=Be(It),qf=Lr((function(n,t){n=di(n);var r=-1,e=t.length,u=e>2?t[2]:N;for(u&&He(t[0],t[1],u)&&(e=1);++r<e;)for(var i=t[r],o=Xu(i),f=-1,c=o.length;++f<c;){var a=o[f],l=n[a];(l===N||Eu(l,Ai[a])&&!Ii.call(n,a))&&(n[a]=i[a])}return n})),Zf=Lr((function(t){return t.push(N,Le),n(Jf,N,t)})),Kf=me((function(n,t,r){null!=t&&"function"!=typeof t.toString&&(t=Ei.call(t)),n[t]=r}),ii(oi)),Vf=me((function(n,t,r){null!=t&&"function"!=typeof t.toString&&(t=Ei.call(t)),Ii.call(n,t)?n[t].push(r):n[t]=[r]}),Fe),Gf=Lr(rr),Hf=se((function(n,t,r){kr(n,t,r)})),Jf=se((function(n,t,r,e){kr(n,t,r,e)})),Yf=Be((function(n,t){var r={};if(null==n)return r;var e=!1;t=c(t,(function(t){return t=ne(t,n),e||(e=t.length>1),t})),ae(n,$e(n),r),e&&(r=zt(r,7,Ce));for(var u=t.length;u--;)Kr(r,t[u]);return r})),Qf=Be((function(n,t){return null==n?{}:function(n,t){return Rr(n,t,(function(t,r){return Yu(n,r)}))}(n,t)})),Xf=Ee(Qu),nc=Ee(Xu),tc=ve((function(n,t,r){return t=t.toLowerCase(),n+(r?ri(t):t)})),rc=ve((function(n,t,r){return n+(r?"-":"")+t.toLowerCase()})),ec=ve((function(n,t,r){return n+(r?" ":"")+t.toLowerCase()})),uc=_e("toLowerCase"),ic=ve((function(n,t,r){return n+(r?"_":"")+t.toLowerCase()})),oc=ve((function(n,t,r){return n+(r?" ":"")+cc(t)})),fc=ve((function(n,t,r){return n+(r?" ":"")+t.toUpperCase()})),cc=_e("toUpperCase"),ac=Lr((function(t,r){try{return n(t,N,r)}catch(n){return Lu(n)?n:new vi(n)}})),lc=Be((function(n,t){return r(t,(function(t){t=fu(t),Ot(n,t,df(n[t],n))})),n})),sc=be(),hc=be(!0),pc=Lr((function(n,t){return function(r){return rr(r,n,t)}})),_c=Lr((function(n,t){return function(r){return rr(n,r,t)}})),vc=je(c),gc=je(u),yc=je(h),dc=Oe(),bc=Oe(!0),wc=xe((function(n,t){return n+t}),0),mc=ze("ceil"),xc=xe((function(n,t){return n/t}),1),jc=ze("floor"),Ac=xe((function(n,t){return n*t}),1),kc=ze("round"),Oc=xe((function(n,t){return n-t}),0);return Jn.after=function(n,t){if("function"!=typeof t)throw new mi(P);return n=Zu(n),function(){if(--n<1)return t.apply(this,arguments)}},Jn.ary=ku,Jn.assign=Df,Jn.assignIn=Mf,Jn.assignInWith=Ff,Jn.assignWith=Nf,Jn.at=Pf,Jn.before=Ou,Jn.bind=df,Jn.bindAll=lc,Jn.bindKey=bf,Jn.castArray=function(){if(!arguments.length)return[];var n=arguments[0];return zf(n)?n:[n]},Jn.chain=wu,Jn.chunk=function(n,t,r){t=(r?He(n,t,r):t===N)?1:ro(Zu(t),0);var e=null==n?0:n.length;if(!e||t<1)return[];for(var u=0,i=0,o=pi(Hi(e/t));u<e;)o[i++]=$r(n,u,u+=t);return o},Jn.compact=function(n){for(var t=-1,r=null==n?0:n.length,e=0,u=[];++t<r;){var i=n[t];i&&(u[e++]=i)}return u},Jn.concat=function(){var n=arguments.length;if(!n)return[];for(var t=pi(n-1),r=arguments[0],e=n;e--;)t[e-1]=arguments[e];return a(zf(r)?ce(r):[r],Bt(t,1))},Jn.cond=function(t){var r=null==t?0:t.length,e=Fe();return t=r?c(t,(function(n){if("function"!=typeof n[1])throw new mi(P);return[e(n[0]),n[1]]})):[],Lr((function(e){for(var u=-1;++u<r;){var i=t[u];if(n(i[0],this,e))return n(i[1],this,e)}}))},Jn.conforms=function(n){return function(n){var t=Qu(n);return function(r){return Et(r,n,t)}}(zt(n,1))},Jn.constant=ii,Jn.countBy=af,Jn.create=function(n,t){var r=ko(n);return null==t?r:kt(r,t)},Jn.curry=function n(t,r,e){var u=Se(t,8,N,N,N,N,N,r=e?N:r);return u.placeholder=n.placeholder,u},Jn.curryRight=function n(t,r,e){var u=Se(t,K,N,N,N,N,N,r=e?N:r);return u.placeholder=n.placeholder,u},Jn.debounce=Iu,Jn.defaults=qf,Jn.defaultsDeep=Zf,Jn.defer=wf,Jn.delay=mf,Jn.difference=qo,Jn.differenceBy=Zo,Jn.differenceWith=Ko,Jn.drop=function(n,t,r){var e=null==n?0:n.length;return e?$r(n,(t=r||t===N?1:Zu(t))<0?0:t,e):[]},Jn.dropRight=function(n,t,r){var e=null==n?0:n.length;return e?$r(n,0,(t=e-(t=r||t===N?1:Zu(t)))<0?0:t):[]},Jn.dropRightWhile=function(n,t){return n&&n.length?Gr(n,Fe(t,3),!0,!0):[]},Jn.dropWhile=function(n,t){return n&&n.length?Gr(n,Fe(t,3),!0):[]},Jn.fill=function(n,t,r,e){var u=null==n?0:n.length;return u?(r&&"number"!=typeof r&&He(n,t,r)&&(r=0,e=u),function(n,t,r,e){var u=n.length;for((r=Zu(r))<0&&(r=-r>u?0:u+r),(e=e===N||e>u?u:Zu(e))<0&&(e+=u),e=r>e?0:Ku(e);r<e;)n[r++]=t;return n}(n,t,r,e)):[]},Jn.filter=function(n,t){return(zf(n)?i:Ut)(n,Fe(t,3))},Jn.flatMap=function(n,t){return Bt(Au(n,t),1)},Jn.flatMapDeep=function(n,t){return Bt(Au(n,t),Y)},Jn.flatMapDepth=function(n,t,r){return r=r===N?1:Zu(r),Bt(Au(n,t),r)},Jn.flatten=pu,Jn.flattenDeep=function(n){return null!=n&&n.length?Bt(n,Y):[]},Jn.flattenDepth=function(n,t){return null!=n&&n.length?Bt(n,t=t===N?1:Zu(t)):[]},Jn.flip=function(n){return Se(n,512)},Jn.flow=sc,Jn.flowRight=hc,Jn.fromPairs=function(n){for(var t=-1,r=null==n?0:n.length,e={};++t<r;){var u=n[t];e[u[0]]=u[1]}return e},Jn.functions=function(n){return null==n?[]:Ft(n,Qu(n))},Jn.functionsIn=function(n){return null==n?[]:Ft(n,Xu(n))},Jn.groupBy=hf,Jn.initial=function(n){return null!=n&&n.length?$r(n,0,-1):[]},Jn.intersection=Vo,Jn.intersectionBy=Go,Jn.intersectionWith=Ho,Jn.invert=Kf,Jn.invertBy=Vf,Jn.invokeMap=pf,Jn.iteratee=fi,Jn.keyBy=_f,Jn.keys=Qu,Jn.keysIn=Xu,Jn.map=Au,Jn.mapKeys=function(n,t){var r={};return t=Fe(t,3),Tt(n,(function(n,e,u){Ot(r,t(n,e,u),n)})),r},Jn.mapValues=function(n,t){var r={};return t=Fe(t,3),Tt(n,(function(n,e,u){Ot(r,e,t(n,e,u))})),r},Jn.matches=function(n){return jr(zt(n,1))},Jn.matchesProperty=function(n,t){return Ar(n,zt(t,1))},Jn.memoize=Ru,Jn.merge=Hf,Jn.mergeWith=Jf,Jn.method=pc,Jn.methodOf=_c,Jn.mixin=ci,Jn.negate=zu,Jn.nthArg=function(n){return n=Zu(n),Lr((function(t){return Or(t,n)}))},Jn.omit=Yf,Jn.omitBy=function(n,t){return ni(n,zu(Fe(t)))},Jn.once=function(n){return Ou(2,n)},Jn.orderBy=function(n,t,r,e){return null==n?[]:(zf(t)||(t=null==t?[]:[t]),zf(r=e?N:r)||(r=null==r?[]:[r]),Ir(n,t,r))},Jn.over=vc,Jn.overArgs=xf,Jn.overEvery=gc,Jn.overSome=yc,Jn.partial=jf,Jn.partialRight=Af,Jn.partition=vf,Jn.pick=Qf,Jn.pickBy=ni,Jn.property=li,Jn.propertyOf=function(n){return function(t){return null==n?N:Nt(n,t)}},Jn.pull=Jo,Jn.pullAll=gu,Jn.pullAllBy=function(n,t,r){return n&&n.length&&t&&t.length?zr(n,t,Fe(r,2)):n},Jn.pullAllWith=function(n,t,r){return n&&n.length&&t&&t.length?zr(n,t,N,r):n},Jn.pullAt=Yo,Jn.range=dc,Jn.rangeRight=bc,Jn.rearg=kf,Jn.reject=function(n,t){return(zf(n)?i:Ut)(n,zu(Fe(t,3)))},Jn.remove=function(n,t){var r=[];if(!n||!n.length)return r;var e=-1,u=[],i=n.length;for(t=Fe(t,3);++e<i;){var o=n[e];t(o,e,n)&&(r.push(o),u.push(e))}return Er(n,u),r},Jn.rest=function(n,t){if("function"!=typeof n)throw new mi(P);return Lr(n,t=t===N?t:Zu(t))},Jn.reverse=yu,Jn.sampleSize=function(n,t,r){return t=(r?He(n,t,r):t===N)?1:Zu(t),(zf(n)?bt:Ur)(n,t)},Jn.set=function(n,t,r){return null==n?n:Br(n,t,r)},Jn.setWith=function(n,t,r,e){return e="function"==typeof e?e:N,null==n?n:Br(n,t,r,e)},Jn.shuffle=function(n){return(zf(n)?wt:Tr)(n)},Jn.slice=function(n,t,r){var e=null==n?0:n.length;return e?(r&&"number"!=typeof r&&He(n,t,r)?(t=0,r=e):(t=null==t?0:Zu(t),r=r===N?e:Zu(r)),$r(n,t,r)):[]},Jn.sortBy=gf,Jn.sortedUniq=function(n){return n&&n.length?Nr(n):[]},Jn.sortedUniqBy=function(n,t){return n&&n.length?Nr(n,Fe(t,2)):[]},Jn.split=function(n,t,r){return r&&"number"!=typeof r&&He(n,t,r)&&(t=r=N),(r=r===N?nn:r>>>0)?(n=Hu(n))&&("string"==typeof t||null!=t&&!Cf(t))&&(!(t=qr(t))&&W(n))?te(D(n),0,r):n.split(t,r):[]},Jn.spread=function(t,r){if("function"!=typeof t)throw new mi(P);return r=null==r?0:ro(Zu(r),0),Lr((function(e){var u=e[r],i=te(e,0,r);return u&&a(i,u),n(t,this,i)}))},Jn.tail=function(n){var t=null==n?0:n.length;return t?$r(n,1,t):[]},Jn.take=function(n,t,r){return n&&n.length?$r(n,0,(t=r||t===N?1:Zu(t))<0?0:t):[]},Jn.takeRight=function(n,t,r){var e=null==n?0:n.length;return e?$r(n,(t=e-(t=r||t===N?1:Zu(t)))<0?0:t,e):[]},Jn.takeRightWhile=function(n,t){return n&&n.length?Gr(n,Fe(t,3),!1,!0):[]},Jn.takeWhile=function(n,t){return n&&n.length?Gr(n,Fe(t,3)):[]},Jn.tap=function(n,t){return t(n),n},Jn.throttle=function(n,t,r){var e=!0,u=!0;if("function"!=typeof n)throw new mi(P);return Tu(r)&&(e="leading"in r?!!r.leading:e,u="trailing"in r?!!r.trailing:u),Iu(n,t,{leading:e,maxWait:t,trailing:u})},Jn.thru=mu,Jn.toArray=Pu,Jn.toPairs=Xf,Jn.toPairsIn=nc,Jn.toPath=function(n){return zf(n)?c(n,fu):Nu(n)?[n]:ce(Po(Hu(n)))},Jn.toPlainObject=Gu,Jn.transform=function(n,t,e){var u=zf(n),i=u||Sf(n)||Bf(n);if(t=Fe(t,4),null==e){var o=n&&n.constructor;e=i?u?new o:[]:Tu(n)&&Cu(o)?ko($i(n)):{}}return(i?r:Tt)(n,(function(n,r,u){return t(e,n,r,u)})),e},Jn.unary=function(n){return ku(n,1)},Jn.union=Qo,Jn.unionBy=Xo,Jn.unionWith=nf,Jn.uniq=function(n){return n&&n.length?Zr(n):[]},Jn.uniqBy=function(n,t){return n&&n.length?Zr(n,Fe(t,2)):[]},Jn.uniqWith=function(n,t){return t="function"==typeof t?t:N,n&&n.length?Zr(n,N,t):[]},Jn.unset=function(n,t){return null==n||Kr(n,t)},Jn.unzip=du,Jn.unzipWith=bu,Jn.update=function(n,t,r){return null==n?n:Vr(n,t,Xr(r))},Jn.updateWith=function(n,t,r,e){return e="function"==typeof e?e:N,null==n?n:Vr(n,t,Xr(r),e)},Jn.values=ti,Jn.valuesIn=function(n){return null==n?[]:I(n,Xu(n))},Jn.without=tf,Jn.words=ui,Jn.wrap=function(n,t){return jf(Xr(t),n)},Jn.xor=rf,Jn.xorBy=ef,Jn.xorWith=uf,Jn.zip=of,Jn.zipObject=function(n,t){return Yr(n||[],t||[],xt)},Jn.zipObjectDeep=function(n,t){return Yr(n||[],t||[],Br)},Jn.zipWith=ff,Jn.entries=Xf,Jn.entriesIn=nc,Jn.extend=Mf,Jn.extendWith=Ff,ci(Jn,Jn),Jn.add=wc,Jn.attempt=ac,Jn.camelCase=tc,Jn.capitalize=ri,Jn.ceil=mc,Jn.clamp=function(n,t,r){return r===N&&(r=t,t=N),r!==N&&(r=(r=Vu(r))==r?r:0),t!==N&&(t=(t=Vu(t))==t?t:0),Rt(Vu(n),t,r)},Jn.clone=function(n){return zt(n,4)},Jn.cloneDeep=function(n){return zt(n,5)},Jn.cloneDeepWith=function(n,t){return zt(n,5,t="function"==typeof t?t:N)},Jn.cloneWith=function(n,t){return zt(n,4,t="function"==typeof t?t:N)},Jn.conformsTo=function(n,t){return null==t||Et(n,t,Qu(t))},Jn.deburr=ei,Jn.defaultTo=function(n,t){return null==n||n!=n?t:n},Jn.divide=xc,Jn.endsWith=function(n,t,r){n=Hu(n),t=qr(t);var e=n.length,u=r=r===N?e:Rt(Zu(r),0,e);return(r-=t.length)>=0&&n.slice(r,u)==t},Jn.eq=Eu,Jn.escape=function(n){return(n=Hu(n))&&Bn.test(n)?n.replace(Cn,_r):n},Jn.escapeRegExp=function(n){return(n=Hu(n))&&qn.test(n)?n.replace(Pn,"\\$&"):n},Jn.every=function(n,t,r){var e=zf(n)?u:Lt;return r&&He(n,t,r)&&(t=N),e(n,Fe(t,3))},Jn.find=lf,Jn.findIndex=su,Jn.findKey=function(n,t){return _(n,Fe(t,3),Tt)},Jn.findLast=sf,Jn.findLastIndex=hu,Jn.findLastKey=function(n,t){return _(n,Fe(t,3),$t)},Jn.floor=jc,Jn.forEach=xu,Jn.forEachRight=ju,Jn.forIn=function(n,t){return null==n?n:Ro(n,Fe(t,3),Xu)},Jn.forInRight=function(n,t){return null==n?n:zo(n,Fe(t,3),Xu)},Jn.forOwn=function(n,t){return n&&Tt(n,Fe(t,3))},Jn.forOwnRight=function(n,t){return n&&$t(n,Fe(t,3))},Jn.get=Ju,Jn.gt=Of,Jn.gte=If,Jn.has=function(n,t){return null!=n&&Ze(n,t,Qt)},Jn.hasIn=Yu,Jn.head=_u,Jn.identity=oi,Jn.includes=function(n,t,r,e){n=Su(n)?n:ti(n),r=r&&!e?Zu(r):0;var u=n.length;return r<0&&(r=ro(u+r,0)),Fu(n)?r<=u&&n.indexOf(t,r)>-1:!!u&&g(n,t,r)>-1},Jn.indexOf=function(n,t,r){var e=null==n?0:n.length;if(!e)return-1;var u=null==r?0:Zu(r);return u<0&&(u=ro(e+u,0)),g(n,t,u)},Jn.inRange=function(n,t,r){return t=qu(t),r===N?(r=t,t=0):r=qu(r),function(n,t,r){return n>=eo(t,r)&&n<ro(t,r)}(n=Vu(n),t,r)},Jn.invoke=Gf,Jn.isArguments=Rf,Jn.isArray=zf,Jn.isArrayBuffer=Ef,Jn.isArrayLike=Su,Jn.isArrayLikeObject=Wu,Jn.isBoolean=function(n){return!0===n||!1===n||$u(n)&&qt(n)==un},Jn.isBuffer=Sf,Jn.isDate=Wf,Jn.isElement=function(n){return $u(n)&&1===n.nodeType&&!Mu(n)},Jn.isEmpty=function(n){if(null==n)return!0;if(Su(n)&&(zf(n)||"string"==typeof n||"function"==typeof n.splice||Sf(n)||Bf(n)||Rf(n)))return!n.length;var t=$o(n);if(t==ln||t==vn)return!n.size;if(Qe(n))return!br(n).length;for(var r in n)if(Ii.call(n,r))return!1;return!0},Jn.isEqual=function(n,t){return ir(n,t)},Jn.isEqualWith=function(n,t,r){var e=(r="function"==typeof r?r:N)?r(n,t):N;return e===N?ir(n,t,N,r):!!e},Jn.isError=Lu,Jn.isFinite=function(n){return"number"==typeof n&&Xi(n)},Jn.isFunction=Cu,Jn.isInteger=Uu,Jn.isLength=Bu,Jn.isMap=Lf,Jn.isMatch=function(n,t){return n===t||hr(n,t,Pe(t))},Jn.isMatchWith=function(n,t,r){return r="function"==typeof r?r:N,hr(n,t,Pe(t),r)},Jn.isNaN=function(n){return Du(n)&&n!=+n},Jn.isNative=function(n){if(Do(n))throw new vi("Unsupported core-js use. Try https://npms.io/search?q=ponyfill.");return yr(n)},Jn.isNil=function(n){return null==n},Jn.isNull=function(n){return null===n},Jn.isNumber=Du,Jn.isObject=Tu,Jn.isObjectLike=$u,Jn.isPlainObject=Mu,Jn.isRegExp=Cf,Jn.isSafeInteger=function(n){return Uu(n)&&n>=-Q&&n<=Q},Jn.isSet=Uf,Jn.isString=Fu,Jn.isSymbol=Nu,Jn.isTypedArray=Bf,Jn.isUndefined=function(n){return n===N},Jn.isWeakMap=function(n){return $u(n)&&$o(n)==dn},Jn.isWeakSet=function(n){return $u(n)&&"[object WeakSet]"==qt(n)},Jn.join=function(n,t){return null==n?"":no.call(n,t)},Jn.kebabCase=rc,Jn.last=vu,Jn.lastIndexOf=function(n,t,r){var e=null==n?0:n.length;if(!e)return-1;var u=e;return r!==N&&(u=(u=Zu(r))<0?ro(e+u,0):eo(u,e-1)),t==t?function(n,t,r){for(var e=r+1;e--;)if(n[e]===t)return e;return e}(n,t,u):v(n,d,u,!0)},Jn.lowerCase=ec,Jn.lowerFirst=uc,Jn.lt=Tf,Jn.lte=$f,Jn.max=function(n){return n&&n.length?Ct(n,oi,Ht):N},Jn.maxBy=function(n,t){return n&&n.length?Ct(n,Fe(t,2),Ht):N},Jn.mean=function(n){return b(n,oi)},Jn.meanBy=function(n,t){return b(n,Fe(t,2))},Jn.min=function(n){return n&&n.length?Ct(n,oi,mr):N},Jn.minBy=function(n,t){return n&&n.length?Ct(n,Fe(t,2),mr):N},Jn.stubArray=si,Jn.stubFalse=hi,Jn.stubObject=function(){return{}},Jn.stubString=function(){return""},Jn.stubTrue=function(){return!0},Jn.multiply=Ac,Jn.nth=function(n,t){return n&&n.length?Or(n,Zu(t)):N},Jn.noConflict=function(){return nr._===this&&(nr._=Wi),this},Jn.noop=ai,Jn.now=yf,Jn.pad=function(n,t,r){n=Hu(n);var e=(t=Zu(t))?$(n):0;if(!t||e>=t)return n;var u=(t-e)/2;return Ae(Ji(u),r)+n+Ae(Hi(u),r)},Jn.padEnd=function(n,t,r){n=Hu(n);var e=(t=Zu(t))?$(n):0;return t&&e<t?n+Ae(t-e,r):n},Jn.padStart=function(n,t,r){n=Hu(n);var e=(t=Zu(t))?$(n):0;return t&&e<t?Ae(t-e,r)+n:n},Jn.parseInt=function(n,t,r){return r||null==t?t=0:t&&(t=+t),io(Hu(n).replace(Zn,""),t||0)},Jn.random=function(n,t,r){if(r&&"boolean"!=typeof r&&He(n,t,r)&&(t=r=N),r===N&&("boolean"==typeof t?(r=t,t=N):"boolean"==typeof n&&(r=n,n=N)),n===N&&t===N?(n=0,t=1):(n=qu(n),t===N?(t=n,n=0):t=qu(t)),n>t){var e=n;n=t,t=e}if(r||n%1||t%1){var u=oo();return eo(n+u*(t-n+Jt("1e-"+((u+"").length-1))),t)}return Sr(n,t)},Jn.reduce=function(n,t,r){var e=zf(n)?l:x,u=arguments.length<3;return e(n,Fe(t,4),r,u,Oo)},Jn.reduceRight=function(n,t,r){var e=zf(n)?s:x,u=arguments.length<3;return e(n,Fe(t,4),r,u,Io)},Jn.repeat=function(n,t,r){return t=(r?He(n,t,r):t===N)?1:Zu(t),Wr(Hu(n),t)},Jn.replace=function(){var n=arguments,t=Hu(n[0]);return n.length<3?t:t.replace(n[1],n[2])},Jn.result=function(n,t,r){var e=-1,u=(t=ne(t,n)).length;for(u||(u=1,n=N);++e<u;){var i=null==n?N:n[fu(t[e])];i===N&&(e=u,i=r),n=Cu(i)?i.call(n):i}return n},Jn.round=kc,Jn.runInContext=m,Jn.sample=function(n){return(zf(n)?dt:Cr)(n)},Jn.size=function(n){if(null==n)return 0;if(Su(n))return Fu(n)?$(n):n.length;var t=$o(n);return t==ln||t==vn?n.size:br(n).length},Jn.snakeCase=ic,Jn.some=function(n,t,r){var e=zf(n)?h:Dr;return r&&He(n,t,r)&&(t=N),e(n,Fe(t,3))},Jn.sortedIndex=function(n,t){return Mr(n,t)},Jn.sortedIndexBy=function(n,t,r){return Fr(n,t,Fe(r,2))},Jn.sortedIndexOf=function(n,t){var r=null==n?0:n.length;if(r){var e=Mr(n,t);if(e<r&&Eu(n[e],t))return e}return-1},Jn.sortedLastIndex=function(n,t){return Mr(n,t,!0)},Jn.sortedLastIndexBy=function(n,t,r){return Fr(n,t,Fe(r,2),!0)},Jn.sortedLastIndexOf=function(n,t){if(null!=n&&n.length){var r=Mr(n,t,!0)-1;if(Eu(n[r],t))return r}return-1},Jn.startCase=oc,Jn.startsWith=function(n,t,r){return n=Hu(n),r=null==r?0:Rt(Zu(r),0,n.length),t=qr(t),n.slice(r,r+t.length)==t},Jn.subtract=Oc,Jn.sum=function(n){return n&&n.length?j(n,oi):0},Jn.sumBy=function(n,t){return n&&n.length?j(n,Fe(t,2)):0},Jn.template=function(n,t,r){var e=Jn.templateSettings;r&&He(n,t,r)&&(t=N),n=Hu(n),t=Ff({},t,e,We);var u,i,o=Ff({},t.imports,e.imports,We),f=Qu(o),c=I(o,f),a=0,l=t.interpolate||ft,s="__p += '",h=bi((t.escape||ft).source+"|"+l.source+"|"+(l===Dn?Xn:ft).source+"|"+(t.evaluate||ft).source+"|$","g"),p="//# sourceURL="+(Ii.call(t,"sourceURL")?(t.sourceURL+"").replace(/\s/g," "):"lodash.templateSources["+ ++Kt+"]")+"\n";n.replace(h,(function(t,r,e,o,f,c){return e||(e=o),s+=n.slice(a,c).replace(ct,S),r&&(u=!0,s+="' +\n__e("+r+") +\n'"),f&&(i=!0,s+="';\n"+f+";\n__p += '"),e&&(s+="' +\n((__t = ("+e+")) == null ? '' : __t) +\n'"),a=c+t.length,t})),s+="';\n";var _=Ii.call(t,"variable")&&t.variable;if(_){if(Yn.test(_))throw new vi("Invalid `variable` option passed into `_.template`")}else s="with (obj) {\n"+s+"\n}\n";s=(i?s.replace(En,""):s).replace(Sn,"$1").replace(Wn,"$1;"),s="function("+(_||"obj")+") {\n"+(_?"":"obj || (obj = {});\n")+"var __t, __p = ''"+(u?", __e = _.escape":"")+(i?", __j = Array.prototype.join;\nfunction print() { __p += __j.call(arguments, '') }\n":";\n")+s+"return __p\n}";var v=ac((function(){return gi(f,p+"return "+s).apply(N,c)}));if(v.source=s,Lu(v))throw v;return v},Jn.times=function(n,t){if((n=Zu(n))<1||n>Q)return[];var r=nn,e=eo(n,nn);t=Fe(t),n-=nn;for(var u=A(e,t);++r<n;)t(r);return u},Jn.toFinite=qu,Jn.toInteger=Zu,Jn.toLength=Ku,Jn.toLower=function(n){return Hu(n).toLowerCase()},Jn.toNumber=Vu,Jn.toSafeInteger=function(n){return n?Rt(Zu(n),-Q,Q):0===n?n:0},Jn.toString=Hu,Jn.toUpper=function(n){return Hu(n).toUpperCase()},Jn.trim=function(n,t,r){if((n=Hu(n))&&(r||t===N))return k(n);if(!n||!(t=qr(t)))return n;var e=D(n),u=D(t);return te(e,z(e,u),E(e,u)+1).join("")},Jn.trimEnd=function(n,t,r){if((n=Hu(n))&&(r||t===N))return n.slice(0,M(n)+1);if(!n||!(t=qr(t)))return n;var e=D(n);return te(e,0,E(e,D(t))+1).join("")},Jn.trimStart=function(n,t,r){if((n=Hu(n))&&(r||t===N))return n.replace(Zn,"");if(!n||!(t=qr(t)))return n;var e=D(n);return te(e,z(e,D(t))).join("")},Jn.truncate=function(n,t){var r=30,e="...";if(Tu(t)){var u="separator"in t?t.separator:u;r="length"in t?Zu(t.length):r,e="omission"in t?qr(t.omission):e}var i=(n=Hu(n)).length;if(W(n)){var o=D(n);i=o.length}if(r>=i)return n;var f=r-$(e);if(f<1)return e;var c=o?te(o,0,f).join(""):n.slice(0,f);if(u===N)return c+e;if(o&&(f+=c.length-f),Cf(u)){if(n.slice(f).search(u)){var a,l=c;for(u.global||(u=bi(u.source,Hu(nt.exec(u))+"g")),u.lastIndex=0;a=u.exec(l);)var s=a.index;c=c.slice(0,s===N?f:s)}}else if(n.indexOf(qr(u),f)!=f){var h=c.lastIndexOf(u);h>-1&&(c=c.slice(0,h))}return c+e},Jn.unescape=function(n){return(n=Hu(n))&&Un.test(n)?n.replace(Ln,vr):n},Jn.uniqueId=function(n){var t=++Ri;return Hu(n)+t},Jn.upperCase=fc,Jn.upperFirst=cc,Jn.each=xu,Jn.eachRight=ju,Jn.first=_u,ci(Jn,function(){var n={};return Tt(Jn,(function(t,r){Ii.call(Jn.prototype,r)||(n[r]=t)})),n}(),{chain:!1}),Jn.VERSION="4.17.21",r(["bind","bindKey","curry","curryRight","partial","partialRight"],(function(n){Jn[n].placeholder=Jn})),r(["drop","take"],(function(n,t){st.prototype[n]=function(r){r=r===N?1:ro(Zu(r),0);var e=this.__filtered__&&!t?new st(this):this.clone();return e.__filtered__?e.__takeCount__=eo(r,e.__takeCount__):e.__views__.push({size:eo(r,nn),type:n+(e.__dir__<0?"Right":"")}),e},st.prototype[n+"Right"]=function(t){return this.reverse()[n](t).reverse()}})),r(["filter","map","takeWhile"],(function(n,t){var r=t+1,e=1==r||3==r;st.prototype[n]=function(n){var t=this.clone();return t.__iteratees__.push({iteratee:Fe(n,3),type:r}),t.__filtered__=t.__filtered__||e,t}})),r(["head","last"],(function(n,t){var r="take"+(t?"Right":"");st.prototype[n]=function(){return this[r](1).value()[0]}})),r(["initial","tail"],(function(n,t){var r="drop"+(t?"":"Right");st.prototype[n]=function(){return this.__filtered__?new st(this):this[r](1)}})),st.prototype.compact=function(){return this.filter(oi)},st.prototype.find=function(n){return this.filter(n).head()},st.prototype.findLast=function(n){return this.reverse().find(n)},st.prototype.invokeMap=Lr((function(n,t){return"function"==typeof n?new st(this):this.map((function(r){return rr(r,n,t)}))})),st.prototype.reject=function(n){return this.filter(zu(Fe(n)))},st.prototype.slice=function(n,t){n=Zu(n);var r=this;return r.__filtered__&&(n>0||t<0)?new st(r):(n<0?r=r.takeRight(-n):n&&(r=r.drop(n)),t!==N&&(r=(t=Zu(t))<0?r.dropRight(-t):r.take(t-n)),r)},st.prototype.takeRightWhile=function(n){return this.reverse().takeWhile(n).reverse()},st.prototype.toArray=function(){return this.take(nn)},Tt(st.prototype,(function(n,t){var r=/^(?:filter|find|map|reject)|While$/.test(t),e=/^(?:head|last)$/.test(t),u=Jn[e?"take"+("last"==t?"Right":""):t],i=e||/^find/.test(t);u&&(Jn.prototype[t]=function(){var t=this.__wrapped__,o=e?[1]:arguments,f=t instanceof st,c=o[0],l=f||zf(t),s=function(n){var t=u.apply(Jn,a([n],o));return e&&h?t[0]:t};l&&r&&"function"==typeof c&&1!=c.length&&(f=l=!1);var h=this.__chain__,p=!!this.__actions__.length,_=i&&!h,v=f&&!p;if(!i&&l){t=v?t:new st(this);var g=n.apply(t,o);return g.__actions__.push({func:mu,args:[s],thisArg:N}),new lt(g,h)}return _&&v?n.apply(this,o):(g=this.thru(s),_?e?g.value()[0]:g.value():g)})})),r(["pop","push","shift","sort","splice","unshift"],(function(n){var t=xi[n],r=/^(?:push|sort|unshift)$/.test(n)?"tap":"thru",e=/^(?:pop|shift)$/.test(n);Jn.prototype[n]=function(){var n=arguments;if(e&&!this.__chain__){var u=this.value();return t.apply(zf(u)?u:[],n)}return this[r]((function(r){return t.apply(zf(r)?r:[],n)}))}})),Tt(st.prototype,(function(n,t){var r=Jn[t];if(r){var e=r.name+"";Ii.call(vo,e)||(vo[e]=[]),vo[e].push({name:t,func:r})}})),vo[we(N,2).name]=[{name:"wrapper",func:N}],st.prototype.clone=function(){var n=new st(this.__wrapped__);return n.__actions__=ce(this.__actions__),n.__dir__=this.__dir__,n.__filtered__=this.__filtered__,n.__iteratees__=ce(this.__iteratees__),n.__takeCount__=this.__takeCount__,n.__views__=ce(this.__views__),n},st.prototype.reverse=function(){if(this.__filtered__){var n=new st(this);n.__dir__=-1,n.__filtered__=!0}else(n=this.clone()).__dir__*=-1;return n},st.prototype.value=function(){var n=this.__wrapped__.value(),t=this.__dir__,r=zf(n),e=t<0,u=r?n.length:0,i=function(n,t,r){for(var e=-1,u=r.length;++e<u;){var i=r[e],o=i.size;switch(i.type){case"drop":n+=o;break;case"dropRight":t-=o;break;case"take":t=eo(t,n+o);break;case"takeRight":n=ro(n,t-o)}}return{start:n,end:t}}(0,u,this.__views__),o=i.start,f=i.end,c=f-o,a=e?f:o-1,l=this.__iteratees__,s=l.length,h=0,p=eo(c,this.__takeCount__);if(!r||!e&&u==c&&p==c)return Hr(n,this.__actions__);var _=[];n:for(;c--&&h<p;){for(var v=-1,g=n[a+=t];++v<s;){var y=l[v],d=y.iteratee,b=y.type,w=d(g);if(2==b)g=w;else if(!w){if(1==b)continue n;break n}}_[h++]=g}return _},Jn.prototype.at=cf,Jn.prototype.chain=function(){return wu(this)},Jn.prototype.commit=function(){return new lt(this.value(),this.__chain__)},Jn.prototype.next=function(){this.__values__===N&&(this.__values__=Pu(this.value()));var n=this.__index__>=this.__values__.length;return{done:n,value:n?N:this.__values__[this.__index__++]}},Jn.prototype.plant=function(n){for(var t,r=this;r instanceof at;){var e=lu(r);e.__index__=0,e.__values__=N,t?u.__wrapped__=e:t=e;var u=e;r=r.__wrapped__}return u.__wrapped__=n,t},Jn.prototype.reverse=function(){var n=this.__wrapped__;if(n instanceof st){var t=n;return this.__actions__.length&&(t=new st(this)),(t=t.reverse()).__actions__.push({func:mu,args:[yu],thisArg:N}),new lt(t,this.__chain__)}return this.thru(yu)},Jn.prototype.toJSON=Jn.prototype.valueOf=Jn.prototype.value=function(){return Hr(this.__wrapped__,this.__actions__)},Jn.prototype.first=Jn.prototype.head,Pi&&(Jn.prototype[Pi]=function(){return this}),Jn}();"function"==typeof define&&"object"==typeof define.amd&&define.amd?(nr._=gr,define((function(){return gr}))):rr?((rr.exports=gr)._=gr,tr._=gr):nr._=gr}).call(this);wp-polyfill-element-closest.min.js000064400000000652151334462320013251 0ustar00!function(e){var t=window.Element.prototype;"function"!=typeof t.matches&&(t.matches=t.msMatchesSelector||t.mozMatchesSelector||t.webkitMatchesSelector||function(e){for(var t=(this.document||this.ownerDocument).querySelectorAll(e),o=0;t[o]&&t[o]!==this;)++o;return Boolean(t[o])}),"function"!=typeof t.closest&&(t.closest=function(e){for(var t=this;t&&1===t.nodeType;){if(t.matches(e))return t;t=t.parentNode}return null})}();wp-polyfill-node-contains.js000060400000001203151334462320012112 0ustar00
// Node.prototype.contains
(function() {

	function contains(node) {
		if (!(0 in arguments)) {
			throw new TypeError('1 argument is required');
		}

		do {
			if (this === node) {
				return true;
			}
		// eslint-disable-next-line no-cond-assign
		} while (node = node && node.parentNode);

		return false;
	}

	// IE
	if ('HTMLElement' in self && 'contains' in HTMLElement.prototype) {
		try {
			delete HTMLElement.prototype.contains;
		// eslint-disable-next-line no-empty
		} catch (e) {}
	}

	if ('Node' in self) {
		Node.prototype.contains = contains;
	} else {
		document.contains = Element.prototype.contains = contains;
	}

}());
react-jsx-runtime.min.js000064400000001604151334462320011251 0ustar00/*! For license information please see react-jsx-runtime.min.js.LICENSE.txt */
(()=>{"use strict";var r={20:(r,e,t)=>{var o=t(594),n=Symbol.for("react.element"),s=Symbol.for("react.fragment"),a=Object.prototype.hasOwnProperty,f=o.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED.ReactCurrentOwner,p={key:!0,ref:!0,__self:!0,__source:!0};function _(r,e,t){var o,s={},_=null,i=null;for(o in void 0!==t&&(_=""+t),void 0!==e.key&&(_=""+e.key),void 0!==e.ref&&(i=e.ref),e)a.call(e,o)&&!p.hasOwnProperty(o)&&(s[o]=e[o]);if(r&&r.defaultProps)for(o in e=r.defaultProps)void 0===s[o]&&(s[o]=e[o]);return{$$typeof:n,type:r,key:_,ref:i,props:s,_owner:f.current}}e.Fragment=s,e.jsx=_,e.jsxs=_},848:(r,e,t)=>{r.exports=t(20)},594:r=>{r.exports=React}},e={},t=function t(o){var n=e[o];if(void 0!==n)return n.exports;var s=e[o]={exports:{}};return r[o](s,s.exports,t),s.exports}(848);window.ReactJSXRuntime=t})();regenerator-runtime.min.js000064400000014741151334462320011674 0ustar00var runtime=function(t){"use strict";var e,r=Object.prototype,n=r.hasOwnProperty,o=Object.defineProperty||function(t,e,r){t[e]=r.value},i=(w="function"==typeof Symbol?Symbol:{}).iterator||"@@iterator",a=w.asyncIterator||"@@asyncIterator",c=w.toStringTag||"@@toStringTag";function u(t,e,r){return Object.defineProperty(t,e,{value:r,enumerable:!0,configurable:!0,writable:!0}),t[e]}try{u({},"")}catch(r){u=function(t,e,r){return t[e]=r}}function h(t,r,n,i){var a,c,u,h;r=r&&r.prototype instanceof v?r:v,r=Object.create(r.prototype),i=new O(i||[]);return o(r,"_invoke",{value:(a=t,c=n,u=i,h=f,function(t,r){if(h===p)throw new Error("Generator is already running");if(h===y){if("throw"===t)throw r;return{value:e,done:!0}}for(u.method=t,u.arg=r;;){var n=u.delegate;if(n&&(n=function t(r,n){var o=n.method,i=r.iterator[o];return i===e?(n.delegate=null,"throw"===o&&r.iterator.return&&(n.method="return",n.arg=e,t(r,n),"throw"===n.method)||"return"!==o&&(n.method="throw",n.arg=new TypeError("The iterator does not provide a '"+o+"' method")),g):"throw"===(o=l(i,r.iterator,n.arg)).type?(n.method="throw",n.arg=o.arg,n.delegate=null,g):(i=o.arg)?i.done?(n[r.resultName]=i.value,n.next=r.nextLoc,"return"!==n.method&&(n.method="next",n.arg=e),n.delegate=null,g):i:(n.method="throw",n.arg=new TypeError("iterator result is not an object"),n.delegate=null,g)}(n,u),n)){if(n===g)continue;return n}if("next"===u.method)u.sent=u._sent=u.arg;else if("throw"===u.method){if(h===f)throw h=y,u.arg;u.dispatchException(u.arg)}else"return"===u.method&&u.abrupt("return",u.arg);if(h=p,"normal"===(n=l(a,c,u)).type){if(h=u.done?y:s,n.arg!==g)return{value:n.arg,done:u.done}}else"throw"===n.type&&(h=y,u.method="throw",u.arg=n.arg)}})}),r}function l(t,e,r){try{return{type:"normal",arg:t.call(e,r)}}catch(t){return{type:"throw",arg:t}}}t.wrap=h;var f="suspendedStart",s="suspendedYield",p="executing",y="completed",g={};function v(){}function d(){}function m(){}var w,b,L=((b=(b=(u(w={},i,(function(){return this})),Object.getPrototypeOf))&&b(b(k([]))))&&b!==r&&n.call(b,i)&&(w=b),m.prototype=v.prototype=Object.create(w));function x(t){["next","throw","return"].forEach((function(e){u(t,e,(function(t){return this._invoke(e,t)}))}))}function E(t,e){var r;o(this,"_invoke",{value:function(o,i){function a(){return new e((function(r,a){!function r(o,i,a,c){var u;if("throw"!==(o=l(t[o],t,i)).type)return(i=(u=o.arg).value)&&"object"==typeof i&&n.call(i,"__await")?e.resolve(i.__await).then((function(t){r("next",t,a,c)}),(function(t){r("throw",t,a,c)})):e.resolve(i).then((function(t){u.value=t,a(u)}),(function(t){return r("throw",t,a,c)}));c(o.arg)}(o,i,r,a)}))}return r=r?r.then(a,a):a()}})}function j(t){var e={tryLoc:t[0]};1 in t&&(e.catchLoc=t[1]),2 in t&&(e.finallyLoc=t[2],e.afterLoc=t[3]),this.tryEntries.push(e)}function _(t){var e=t.completion||{};e.type="normal",delete e.arg,t.completion=e}function O(t){this.tryEntries=[{tryLoc:"root"}],t.forEach(j,this),this.reset(!0)}function k(t){if(t||""===t){var r,o=t[i];if(o)return o.call(t);if("function"==typeof t.next)return t;if(!isNaN(t.length))return r=-1,(o=function o(){for(;++r<t.length;)if(n.call(t,r))return o.value=t[r],o.done=!1,o;return o.value=e,o.done=!0,o}).next=o}throw new TypeError(typeof t+" is not iterable")}return o(L,"constructor",{value:d.prototype=m,configurable:!0}),o(m,"constructor",{value:d,configurable:!0}),d.displayName=u(m,c,"GeneratorFunction"),t.isGeneratorFunction=function(t){return!!(t="function"==typeof t&&t.constructor)&&(t===d||"GeneratorFunction"===(t.displayName||t.name))},t.mark=function(t){return Object.setPrototypeOf?Object.setPrototypeOf(t,m):(t.__proto__=m,u(t,c,"GeneratorFunction")),t.prototype=Object.create(L),t},t.awrap=function(t){return{__await:t}},x(E.prototype),u(E.prototype,a,(function(){return this})),t.AsyncIterator=E,t.async=function(e,r,n,o,i){void 0===i&&(i=Promise);var a=new E(h(e,r,n,o),i);return t.isGeneratorFunction(r)?a:a.next().then((function(t){return t.done?t.value:a.next()}))},x(L),u(L,c,"Generator"),u(L,i,(function(){return this})),u(L,"toString",(function(){return"[object Generator]"})),t.keys=function(t){var e,r=Object(t),n=[];for(e in r)n.push(e);return n.reverse(),function t(){for(;n.length;){var e=n.pop();if(e in r)return t.value=e,t.done=!1,t}return t.done=!0,t}},t.values=k,O.prototype={constructor:O,reset:function(t){if(this.prev=0,this.next=0,this.sent=this._sent=e,this.done=!1,this.delegate=null,this.method="next",this.arg=e,this.tryEntries.forEach(_),!t)for(var r in this)"t"===r.charAt(0)&&n.call(this,r)&&!isNaN(+r.slice(1))&&(this[r]=e)},stop:function(){this.done=!0;var t=this.tryEntries[0].completion;if("throw"===t.type)throw t.arg;return this.rval},dispatchException:function(t){if(this.done)throw t;var r=this;function o(n,o){return c.type="throw",c.arg=t,r.next=n,o&&(r.method="next",r.arg=e),!!o}for(var i=this.tryEntries.length-1;0<=i;--i){var a=this.tryEntries[i],c=a.completion;if("root"===a.tryLoc)return o("end");if(a.tryLoc<=this.prev){var u=n.call(a,"catchLoc"),h=n.call(a,"finallyLoc");if(u&&h){if(this.prev<a.catchLoc)return o(a.catchLoc,!0);if(this.prev<a.finallyLoc)return o(a.finallyLoc)}else if(u){if(this.prev<a.catchLoc)return o(a.catchLoc,!0)}else{if(!h)throw new Error("try statement without catch or finally");if(this.prev<a.finallyLoc)return o(a.finallyLoc)}}}},abrupt:function(t,e){for(var r=this.tryEntries.length-1;0<=r;--r){var o=this.tryEntries[r];if(o.tryLoc<=this.prev&&n.call(o,"finallyLoc")&&this.prev<o.finallyLoc){var i=o;break}}var a=(i=i&&("break"===t||"continue"===t)&&i.tryLoc<=e&&e<=i.finallyLoc?null:i)?i.completion:{};return a.type=t,a.arg=e,i?(this.method="next",this.next=i.finallyLoc,g):this.complete(a)},complete:function(t,e){if("throw"===t.type)throw t.arg;return"break"===t.type||"continue"===t.type?this.next=t.arg:"return"===t.type?(this.rval=this.arg=t.arg,this.method="return",this.next="end"):"normal"===t.type&&e&&(this.next=e),g},finish:function(t){for(var e=this.tryEntries.length-1;0<=e;--e){var r=this.tryEntries[e];if(r.finallyLoc===t)return this.complete(r.completion,r.afterLoc),_(r),g}},catch:function(t){for(var e=this.tryEntries.length-1;0<=e;--e){var r,n,o=this.tryEntries[e];if(o.tryLoc===t)return"throw"===(r=o.completion).type&&(n=r.arg,_(o)),n}throw new Error("illegal catch attempt")},delegateYield:function(t,r,n){return this.delegate={iterator:k(t),resultName:r,nextLoc:n},"next"===this.method&&(this.arg=e),g}},t}("object"==typeof module?module.exports:{});try{regeneratorRuntime=runtime}catch(t){"object"==typeof globalThis?globalThis.regeneratorRuntime=runtime:Function("r","regeneratorRuntime = r")(runtime)}wp-polyfill-formdata.min.js000064400000021106151334462320011740 0ustar00/*! formdata-polyfill. MIT License. Jimmy W?rting <https://jimmy.warting.se/opensource> */
!function(){var t;function e(t){var e=0;return function(){return e<t.length?{done:!1,value:t[e++]}:{done:!0}}}var n="function"==typeof Object.defineProperties?Object.defineProperty:function(t,e,n){return t==Array.prototype||t==Object.prototype||(t[e]=n.value),t};var r,o=function(t){t=["object"==typeof globalThis&&globalThis,t,"object"==typeof window&&window,"object"==typeof self&&self,"object"==typeof global&&global];for(var e=0;e<t.length;++e){var n=t[e];if(n&&n.Math==Math)return n}throw Error("Cannot find global object")}(this);function i(t,e){if(e)t:{var r=o;t=t.split(".");for(var i=0;i<t.length-1;i++){var a=t[i];if(!(a in r))break t;r=r[a]}(e=e(i=r[t=t[t.length-1]]))!=i&&null!=e&&n(r,t,{configurable:!0,writable:!0,value:e})}}function a(t){return(t={next:t})[Symbol.iterator]=function(){return this},t}function u(t){var n="undefined"!=typeof Symbol&&Symbol.iterator&&t[Symbol.iterator];return n?n.call(t):{next:e(t)}}if(i("Symbol",(function(t){function e(t,e){this.A=t,n(this,"description",{configurable:!0,writable:!0,value:e})}if(t)return t;e.prototype.toString=function(){return this.A};var r="jscomp_symbol_"+(1e9*Math.random()>>>0)+"_",o=0;return function t(n){if(this instanceof t)throw new TypeError("Symbol is not a constructor");return new e(r+(n||"")+"_"+o++,n)}})),i("Symbol.iterator",(function(t){if(t)return t;t=Symbol("Symbol.iterator");for(var r="Array Int8Array Uint8Array Uint8ClampedArray Int16Array Uint16Array Int32Array Uint32Array Float32Array Float64Array".split(" "),i=0;i<r.length;i++){var u=o[r[i]];"function"==typeof u&&"function"!=typeof u.prototype[t]&&n(u.prototype,t,{configurable:!0,writable:!0,value:function(){return a(e(this))}})}return t})),"function"==typeof Object.setPrototypeOf)r=Object.setPrototypeOf;else{var l;t:{var s={};try{s.__proto__={a:!0},l=s.a;break t}catch(t){}l=!1}r=l?function(t,e){if(t.__proto__=e,t.__proto__!==e)throw new TypeError(t+" is not extensible");return t}:null}var f=r;function c(){this.m=!1,this.j=null,this.v=void 0,this.h=1,this.u=this.C=0,this.l=null}function h(t){if(t.m)throw new TypeError("Generator is already running");t.m=!0}function p(t,e){return t.h=3,{value:e}}function y(t){this.g=new c,this.G=t}function v(t,e,n,r){try{var o=e.call(t.g.j,n);if(!(o instanceof Object))throw new TypeError("Iterator result "+o+" is not an object");if(!o.done)return t.g.m=!1,o;var i=o.value}catch(e){return t.g.j=null,t.g.s(e),g(t)}return t.g.j=null,r.call(t.g,i),g(t)}function g(t){for(;t.g.h;)try{var e=t.G(t.g);if(e)return t.g.m=!1,{value:e.value,done:!1}}catch(e){t.g.v=void 0,t.g.s(e)}if(t.g.m=!1,t.g.l){if(e=t.g.l,t.g.l=null,e.F)throw e.D;return{value:e.return,done:!0}}return{value:void 0,done:!0}}function d(t){this.next=function(e){return t.o(e)},this.throw=function(e){return t.s(e)},this.return=function(e){return function(t,e){h(t.g);var n=t.g.j;return n?v(t,"return"in n?n.return:function(t){return{value:t,done:!0}},e,t.g.return):(t.g.return(e),g(t))}(t,e)},this[Symbol.iterator]=function(){return this}}function b(t,e){return e=new d(new y(e)),f&&t.prototype&&f(e,t.prototype),e}if(c.prototype.o=function(t){this.v=t},c.prototype.s=function(t){this.l={D:t,F:!0},this.h=this.C||this.u},c.prototype.return=function(t){this.l={return:t},this.h=this.u},y.prototype.o=function(t){return h(this.g),this.g.j?v(this,this.g.j.next,t,this.g.o):(this.g.o(t),g(this))},y.prototype.s=function(t){return h(this.g),this.g.j?v(this,this.g.j.throw,t,this.g.o):(this.g.s(t),g(this))},i("Array.prototype.entries",(function(t){return t||function(){return function(t,e){t instanceof String&&(t+="");var n=0,r=!1,o={next:function(){if(!r&&n<t.length){var o=n++;return{value:e(o,t[o]),done:!1}}return r=!0,{done:!0,value:void 0}}};return o[Symbol.iterator]=function(){return o},o}(this,(function(t,e){return[t,e]}))}})),"undefined"!=typeof Blob&&("undefined"==typeof FormData||!FormData.prototype.keys)){var m=function(t,e){for(var n=0;n<t.length;n++)e(t[n])},w=function(t){return t.replace(/\r?\n|\r/g,"\r\n")},S=function(t,e,n){return e instanceof Blob?(n=void 0!==n?String(n+""):"string"==typeof e.name?e.name:"blob",e.name===n&&"[object Blob]"!==Object.prototype.toString.call(e)||(e=new File([e],n)),[String(t),e]):[String(t),String(e)]},j=function(t,e){if(t.length<e)throw new TypeError(e+" argument required, but only "+t.length+" present.")},x="object"==typeof globalThis?globalThis:"object"==typeof window?window:"object"==typeof self?self:this,_=x.FormData,F=x.XMLHttpRequest&&x.XMLHttpRequest.prototype.send,A=x.Request&&x.fetch,M=x.navigator&&x.navigator.sendBeacon,D=x.Element&&x.Element.prototype,B=x.Symbol&&Symbol.toStringTag;B&&(Blob.prototype[B]||(Blob.prototype[B]="Blob"),"File"in x&&!File.prototype[B]&&(File.prototype[B]="File"));try{new File([],"")}catch(t){x.File=function(t,e,n){return t=new Blob(t,n||{}),Object.defineProperties(t,{name:{value:e},lastModified:{value:+(n&&void 0!==n.lastModified?new Date(n.lastModified):new Date)},toString:{value:function(){return"[object File]"}}}),B&&Object.defineProperty(t,B,{value:"File"}),t}}var T=function(t){return t.replace(/\n/g,"%0A").replace(/\r/g,"%0D").replace(/"/g,"%22")},q=function(t){this.i=[];var e=this;t&&m(t.elements,(function(t){if(t.name&&!t.disabled&&"submit"!==t.type&&"button"!==t.type&&!t.matches("form fieldset[disabled] *"))if("file"===t.type){var n=t.files&&t.files.length?t.files:[new File([],"",{type:"application/octet-stream"})];m(n,(function(n){e.append(t.name,n)}))}else"select-multiple"===t.type||"select-one"===t.type?m(t.options,(function(n){!n.disabled&&n.selected&&e.append(t.name,n.value)})):"checkbox"===t.type||"radio"===t.type?t.checked&&e.append(t.name,t.value):(n="textarea"===t.type?w(t.value):t.value,e.append(t.name,n))}))};if((t=q.prototype).append=function(t,e,n){j(arguments,2),this.i.push(S(t,e,n))},t.delete=function(t){j(arguments,1);var e=[];t=String(t),m(this.i,(function(n){n[0]!==t&&e.push(n)})),this.i=e},t.entries=function t(){var e,n=this;return b(t,(function(t){if(1==t.h&&(e=0),3!=t.h)return e<n.i.length?t=p(t,n.i[e]):(t.h=0,t=void 0),t;e++,t.h=2}))},t.forEach=function(t,e){j(arguments,1);for(var n=u(this),r=n.next();!r.done;r=n.next()){var o=u(r.value);r=o.next().value,o=o.next().value,t.call(e,o,r,this)}},t.get=function(t){j(arguments,1);var e=this.i;t=String(t);for(var n=0;n<e.length;n++)if(e[n][0]===t)return e[n][1];return null},t.getAll=function(t){j(arguments,1);var e=[];return t=String(t),m(this.i,(function(n){n[0]===t&&e.push(n[1])})),e},t.has=function(t){j(arguments,1),t=String(t);for(var e=0;e<this.i.length;e++)if(this.i[e][0]===t)return!0;return!1},t.keys=function t(){var e,n,r,o,i=this;return b(t,(function(t){if(1==t.h&&(e=u(i),n=e.next()),3!=t.h)return n.done?void(t.h=0):(r=n.value,o=u(r),p(t,o.next().value));n=e.next(),t.h=2}))},t.set=function(t,e,n){j(arguments,2),t=String(t);var r=[],o=S(t,e,n),i=!0;m(this.i,(function(e){e[0]===t?i&&(i=!r.push(o)):r.push(e)})),i&&r.push(o),this.i=r},t.values=function t(){var e,n,r,o,i=this;return b(t,(function(t){if(1==t.h&&(e=u(i),n=e.next()),3!=t.h)return n.done?void(t.h=0):(r=n.value,(o=u(r)).next(),p(t,o.next().value));n=e.next(),t.h=2}))},q.prototype._asNative=function(){for(var t=new _,e=u(this),n=e.next();!n.done;n=e.next()){var r=u(n.value);n=r.next().value,r=r.next().value,t.append(n,r)}return t},q.prototype._blob=function(){var t="----formdata-polyfill-"+Math.random(),e=[],n="--"+t+'\r\nContent-Disposition: form-data; name="';return this.forEach((function(t,r){return"string"==typeof t?e.push(n+T(w(r))+'"\r\n\r\n'+w(t)+"\r\n"):e.push(n+T(w(r))+'"; filename="'+T(t.name)+'"\r\nContent-Type: '+(t.type||"application/octet-stream")+"\r\n\r\n",t,"\r\n")})),e.push("--"+t+"--"),new Blob(e,{type:"multipart/form-data; boundary="+t})},q.prototype[Symbol.iterator]=function(){return this.entries()},q.prototype.toString=function(){return"[object FormData]"},D&&!D.matches&&(D.matches=D.matchesSelector||D.mozMatchesSelector||D.msMatchesSelector||D.oMatchesSelector||D.webkitMatchesSelector||function(t){for(var e=(t=(this.document||this.ownerDocument).querySelectorAll(t)).length;0<=--e&&t.item(e)!==this;);return-1<e}),B&&(q.prototype[B]="FormData"),F){var O=x.XMLHttpRequest.prototype.setRequestHeader;x.XMLHttpRequest.prototype.setRequestHeader=function(t,e){O.call(this,t,e),"content-type"===t.toLowerCase()&&(this.B=!0)},x.XMLHttpRequest.prototype.send=function(t){t instanceof q?(t=t._blob(),this.B||this.setRequestHeader("Content-Type",t.type),F.call(this,t)):F.call(this,t)}}A&&(x.fetch=function(t,e){return e&&e.body&&e.body instanceof q&&(e.body=e.body._blob()),A.call(this,t,e)}),M&&(x.navigator.sendBeacon=function(t,e){return e instanceof q&&(e=e._asNative()),M.call(this,t,e)}),x.FormData=q}}();wp-polyfill-inert.js000064400000072743151334462320010517 0ustar00(function (global, factory) {
  typeof exports === 'object' && typeof module !== 'undefined' ? factory() :
  typeof define === 'function' && define.amd ? define('inert', factory) :
  (factory());
}(this, (function () { 'use strict';

  var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

  function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

  /**
   * This work is licensed under the W3C Software and Document License
   * (http://www.w3.org/Consortium/Legal/2015/copyright-software-and-document).
   */

  (function () {
    // Return early if we're not running inside of the browser.
    if (typeof window === 'undefined') {
      return;
    }

    // Convenience function for converting NodeLists.
    /** @type {typeof Array.prototype.slice} */
    var slice = Array.prototype.slice;

    /**
     * IE has a non-standard name for "matches".
     * @type {typeof Element.prototype.matches}
     */
    var matches = Element.prototype.matches || Element.prototype.msMatchesSelector;

    /** @type {string} */
    var _focusableElementsString = ['a[href]', 'area[href]', 'input:not([disabled])', 'select:not([disabled])', 'textarea:not([disabled])', 'button:not([disabled])', 'details', 'summary', 'iframe', 'object', 'embed', '[contenteditable]'].join(',');

    /**
     * `InertRoot` manages a single inert subtree, i.e. a DOM subtree whose root element has an `inert`
     * attribute.
     *
     * Its main functions are:
     *
     * - to create and maintain a set of managed `InertNode`s, including when mutations occur in the
     *   subtree. The `makeSubtreeUnfocusable()` method handles collecting `InertNode`s via registering
     *   each focusable node in the subtree with the singleton `InertManager` which manages all known
     *   focusable nodes within inert subtrees. `InertManager` ensures that a single `InertNode`
     *   instance exists for each focusable node which has at least one inert root as an ancestor.
     *
     * - to notify all managed `InertNode`s when this subtree stops being inert (i.e. when the `inert`
     *   attribute is removed from the root node). This is handled in the destructor, which calls the
     *   `deregister` method on `InertManager` for each managed inert node.
     */

    var InertRoot = function () {
      /**
       * @param {!HTMLElement} rootElement The HTMLElement at the root of the inert subtree.
       * @param {!InertManager} inertManager The global singleton InertManager object.
       */
      function InertRoot(rootElement, inertManager) {
        _classCallCheck(this, InertRoot);

        /** @type {!InertManager} */
        this._inertManager = inertManager;

        /** @type {!HTMLElement} */
        this._rootElement = rootElement;

        /**
         * @type {!Set<!InertNode>}
         * All managed focusable nodes in this InertRoot's subtree.
         */
        this._managedNodes = new Set();

        // Make the subtree hidden from assistive technology
        if (this._rootElement.hasAttribute('aria-hidden')) {
          /** @type {?string} */
          this._savedAriaHidden = this._rootElement.getAttribute('aria-hidden');
        } else {
          this._savedAriaHidden = null;
        }
        this._rootElement.setAttribute('aria-hidden', 'true');

        // Make all focusable elements in the subtree unfocusable and add them to _managedNodes
        this._makeSubtreeUnfocusable(this._rootElement);

        // Watch for:
        // - any additions in the subtree: make them unfocusable too
        // - any removals from the subtree: remove them from this inert root's managed nodes
        // - attribute changes: if `tabindex` is added, or removed from an intrinsically focusable
        //   element, make that node a managed node.
        this._observer = new MutationObserver(this._onMutation.bind(this));
        this._observer.observe(this._rootElement, { attributes: true, childList: true, subtree: true });
      }

      /**
       * Call this whenever this object is about to become obsolete.  This unwinds all of the state
       * stored in this object and updates the state of all of the managed nodes.
       */


      _createClass(InertRoot, [{
        key: 'destructor',
        value: function destructor() {
          this._observer.disconnect();

          if (this._rootElement) {
            if (this._savedAriaHidden !== null) {
              this._rootElement.setAttribute('aria-hidden', this._savedAriaHidden);
            } else {
              this._rootElement.removeAttribute('aria-hidden');
            }
          }

          this._managedNodes.forEach(function (inertNode) {
            this._unmanageNode(inertNode.node);
          }, this);

          // Note we cast the nulls to the ANY type here because:
          // 1) We want the class properties to be declared as non-null, or else we
          //    need even more casts throughout this code. All bets are off if an
          //    instance has been destroyed and a method is called.
          // 2) We don't want to cast "this", because we want type-aware optimizations
          //    to know which properties we're setting.
          this._observer = /** @type {?} */null;
          this._rootElement = /** @type {?} */null;
          this._managedNodes = /** @type {?} */null;
          this._inertManager = /** @type {?} */null;
        }

        /**
         * @return {!Set<!InertNode>} A copy of this InertRoot's managed nodes set.
         */

      }, {
        key: '_makeSubtreeUnfocusable',


        /**
         * @param {!Node} startNode
         */
        value: function _makeSubtreeUnfocusable(startNode) {
          var _this2 = this;

          composedTreeWalk(startNode, function (node) {
            return _this2._visitNode(node);
          });

          var activeElement = document.activeElement;

          if (!document.body.contains(startNode)) {
            // startNode may be in shadow DOM, so find its nearest shadowRoot to get the activeElement.
            var node = startNode;
            /** @type {!ShadowRoot|undefined} */
            var root = undefined;
            while (node) {
              if (node.nodeType === Node.DOCUMENT_FRAGMENT_NODE) {
                root = /** @type {!ShadowRoot} */node;
                break;
              }
              node = node.parentNode;
            }
            if (root) {
              activeElement = root.activeElement;
            }
          }
          if (startNode.contains(activeElement)) {
            activeElement.blur();
            // In IE11, if an element is already focused, and then set to tabindex=-1
            // calling blur() will not actually move the focus.
            // To work around this we call focus() on the body instead.
            if (activeElement === document.activeElement) {
              document.body.focus();
            }
          }
        }

        /**
         * @param {!Node} node
         */

      }, {
        key: '_visitNode',
        value: function _visitNode(node) {
          if (node.nodeType !== Node.ELEMENT_NODE) {
            return;
          }
          var element = /** @type {!HTMLElement} */node;

          // If a descendant inert root becomes un-inert, its descendants will still be inert because of
          // this inert root, so all of its managed nodes need to be adopted by this InertRoot.
          if (element !== this._rootElement && element.hasAttribute('inert')) {
            this._adoptInertRoot(element);
          }

          if (matches.call(element, _focusableElementsString) || element.hasAttribute('tabindex')) {
            this._manageNode(element);
          }
        }

        /**
         * Register the given node with this InertRoot and with InertManager.
         * @param {!Node} node
         */

      }, {
        key: '_manageNode',
        value: function _manageNode(node) {
          var inertNode = this._inertManager.register(node, this);
          this._managedNodes.add(inertNode);
        }

        /**
         * Unregister the given node with this InertRoot and with InertManager.
         * @param {!Node} node
         */

      }, {
        key: '_unmanageNode',
        value: function _unmanageNode(node) {
          var inertNode = this._inertManager.deregister(node, this);
          if (inertNode) {
            this._managedNodes['delete'](inertNode);
          }
        }

        /**
         * Unregister the entire subtree starting at `startNode`.
         * @param {!Node} startNode
         */

      }, {
        key: '_unmanageSubtree',
        value: function _unmanageSubtree(startNode) {
          var _this3 = this;

          composedTreeWalk(startNode, function (node) {
            return _this3._unmanageNode(node);
          });
        }

        /**
         * If a descendant node is found with an `inert` attribute, adopt its managed nodes.
         * @param {!HTMLElement} node
         */

      }, {
        key: '_adoptInertRoot',
        value: function _adoptInertRoot(node) {
          var inertSubroot = this._inertManager.getInertRoot(node);

          // During initialisation this inert root may not have been registered yet,
          // so register it now if need be.
          if (!inertSubroot) {
            this._inertManager.setInert(node, true);
            inertSubroot = this._inertManager.getInertRoot(node);
          }

          inertSubroot.managedNodes.forEach(function (savedInertNode) {
            this._manageNode(savedInertNode.node);
          }, this);
        }

        /**
         * Callback used when mutation observer detects subtree additions, removals, or attribute changes.
         * @param {!Array<!MutationRecord>} records
         * @param {!MutationObserver} self
         */

      }, {
        key: '_onMutation',
        value: function _onMutation(records, self) {
          records.forEach(function (record) {
            var target = /** @type {!HTMLElement} */record.target;
            if (record.type === 'childList') {
              // Manage added nodes
              slice.call(record.addedNodes).forEach(function (node) {
                this._makeSubtreeUnfocusable(node);
              }, this);

              // Un-manage removed nodes
              slice.call(record.removedNodes).forEach(function (node) {
                this._unmanageSubtree(node);
              }, this);
            } else if (record.type === 'attributes') {
              if (record.attributeName === 'tabindex') {
                // Re-initialise inert node if tabindex changes
                this._manageNode(target);
              } else if (target !== this._rootElement && record.attributeName === 'inert' && target.hasAttribute('inert')) {
                // If a new inert root is added, adopt its managed nodes and make sure it knows about the
                // already managed nodes from this inert subroot.
                this._adoptInertRoot(target);
                var inertSubroot = this._inertManager.getInertRoot(target);
                this._managedNodes.forEach(function (managedNode) {
                  if (target.contains(managedNode.node)) {
                    inertSubroot._manageNode(managedNode.node);
                  }
                });
              }
            }
          }, this);
        }
      }, {
        key: 'managedNodes',
        get: function get() {
          return new Set(this._managedNodes);
        }

        /** @return {boolean} */

      }, {
        key: 'hasSavedAriaHidden',
        get: function get() {
          return this._savedAriaHidden !== null;
        }

        /** @param {?string} ariaHidden */

      }, {
        key: 'savedAriaHidden',
        set: function set(ariaHidden) {
          this._savedAriaHidden = ariaHidden;
        }

        /** @return {?string} */
        ,
        get: function get() {
          return this._savedAriaHidden;
        }
      }]);

      return InertRoot;
    }();

    /**
     * `InertNode` initialises and manages a single inert node.
     * A node is inert if it is a descendant of one or more inert root elements.
     *
     * On construction, `InertNode` saves the existing `tabindex` value for the node, if any, and
     * either removes the `tabindex` attribute or sets it to `-1`, depending on whether the element
     * is intrinsically focusable or not.
     *
     * `InertNode` maintains a set of `InertRoot`s which are descendants of this `InertNode`. When an
     * `InertRoot` is destroyed, and calls `InertManager.deregister()`, the `InertManager` notifies the
     * `InertNode` via `removeInertRoot()`, which in turn destroys the `InertNode` if no `InertRoot`s
     * remain in the set. On destruction, `InertNode` reinstates the stored `tabindex` if one exists,
     * or removes the `tabindex` attribute if the element is intrinsically focusable.
     */


    var InertNode = function () {
      /**
       * @param {!Node} node A focusable element to be made inert.
       * @param {!InertRoot} inertRoot The inert root element associated with this inert node.
       */
      function InertNode(node, inertRoot) {
        _classCallCheck(this, InertNode);

        /** @type {!Node} */
        this._node = node;

        /** @type {boolean} */
        this._overrodeFocusMethod = false;

        /**
         * @type {!Set<!InertRoot>} The set of descendant inert roots.
         *    If and only if this set becomes empty, this node is no longer inert.
         */
        this._inertRoots = new Set([inertRoot]);

        /** @type {?number} */
        this._savedTabIndex = null;

        /** @type {boolean} */
        this._destroyed = false;

        // Save any prior tabindex info and make this node untabbable
        this.ensureUntabbable();
      }

      /**
       * Call this whenever this object is about to become obsolete.
       * This makes the managed node focusable again and deletes all of the previously stored state.
       */


      _createClass(InertNode, [{
        key: 'destructor',
        value: function destructor() {
          this._throwIfDestroyed();

          if (this._node && this._node.nodeType === Node.ELEMENT_NODE) {
            var element = /** @type {!HTMLElement} */this._node;
            if (this._savedTabIndex !== null) {
              element.setAttribute('tabindex', this._savedTabIndex);
            } else {
              element.removeAttribute('tabindex');
            }

            // Use `delete` to restore native focus method.
            if (this._overrodeFocusMethod) {
              delete element.focus;
            }
          }

          // See note in InertRoot.destructor for why we cast these nulls to ANY.
          this._node = /** @type {?} */null;
          this._inertRoots = /** @type {?} */null;
          this._destroyed = true;
        }

        /**
         * @type {boolean} Whether this object is obsolete because the managed node is no longer inert.
         * If the object has been destroyed, any attempt to access it will cause an exception.
         */

      }, {
        key: '_throwIfDestroyed',


        /**
         * Throw if user tries to access destroyed InertNode.
         */
        value: function _throwIfDestroyed() {
          if (this.destroyed) {
            throw new Error('Trying to access destroyed InertNode');
          }
        }

        /** @return {boolean} */

      }, {
        key: 'ensureUntabbable',


        /** Save the existing tabindex value and make the node untabbable and unfocusable */
        value: function ensureUntabbable() {
          if (this.node.nodeType !== Node.ELEMENT_NODE) {
            return;
          }
          var element = /** @type {!HTMLElement} */this.node;
          if (matches.call(element, _focusableElementsString)) {
            if ( /** @type {!HTMLElement} */element.tabIndex === -1 && this.hasSavedTabIndex) {
              return;
            }

            if (element.hasAttribute('tabindex')) {
              this._savedTabIndex = /** @type {!HTMLElement} */element.tabIndex;
            }
            element.setAttribute('tabindex', '-1');
            if (element.nodeType === Node.ELEMENT_NODE) {
              element.focus = function () {};
              this._overrodeFocusMethod = true;
            }
          } else if (element.hasAttribute('tabindex')) {
            this._savedTabIndex = /** @type {!HTMLElement} */element.tabIndex;
            element.removeAttribute('tabindex');
          }
        }

        /**
         * Add another inert root to this inert node's set of managing inert roots.
         * @param {!InertRoot} inertRoot
         */

      }, {
        key: 'addInertRoot',
        value: function addInertRoot(inertRoot) {
          this._throwIfDestroyed();
          this._inertRoots.add(inertRoot);
        }

        /**
         * Remove the given inert root from this inert node's set of managing inert roots.
         * If the set of managing inert roots becomes empty, this node is no longer inert,
         * so the object should be destroyed.
         * @param {!InertRoot} inertRoot
         */

      }, {
        key: 'removeInertRoot',
        value: function removeInertRoot(inertRoot) {
          this._throwIfDestroyed();
          this._inertRoots['delete'](inertRoot);
          if (this._inertRoots.size === 0) {
            this.destructor();
          }
        }
      }, {
        key: 'destroyed',
        get: function get() {
          return (/** @type {!InertNode} */this._destroyed
          );
        }
      }, {
        key: 'hasSavedTabIndex',
        get: function get() {
          return this._savedTabIndex !== null;
        }

        /** @return {!Node} */

      }, {
        key: 'node',
        get: function get() {
          this._throwIfDestroyed();
          return this._node;
        }

        /** @param {?number} tabIndex */

      }, {
        key: 'savedTabIndex',
        set: function set(tabIndex) {
          this._throwIfDestroyed();
          this._savedTabIndex = tabIndex;
        }

        /** @return {?number} */
        ,
        get: function get() {
          this._throwIfDestroyed();
          return this._savedTabIndex;
        }
      }]);

      return InertNode;
    }();

    /**
     * InertManager is a per-document singleton object which manages all inert roots and nodes.
     *
     * When an element becomes an inert root by having an `inert` attribute set and/or its `inert`
     * property set to `true`, the `setInert` method creates an `InertRoot` object for the element.
     * The `InertRoot` in turn registers itself as managing all of the element's focusable descendant
     * nodes via the `register()` method. The `InertManager` ensures that a single `InertNode` instance
     * is created for each such node, via the `_managedNodes` map.
     */


    var InertManager = function () {
      /**
       * @param {!Document} document
       */
      function InertManager(document) {
        _classCallCheck(this, InertManager);

        if (!document) {
          throw new Error('Missing required argument; InertManager needs to wrap a document.');
        }

        /** @type {!Document} */
        this._document = document;

        /**
         * All managed nodes known to this InertManager. In a map to allow looking up by Node.
         * @type {!Map<!Node, !InertNode>}
         */
        this._managedNodes = new Map();

        /**
         * All inert roots known to this InertManager. In a map to allow looking up by Node.
         * @type {!Map<!Node, !InertRoot>}
         */
        this._inertRoots = new Map();

        /**
         * Observer for mutations on `document.body`.
         * @type {!MutationObserver}
         */
        this._observer = new MutationObserver(this._watchForInert.bind(this));

        // Add inert style.
        addInertStyle(document.head || document.body || document.documentElement);

        // Wait for document to be loaded.
        if (document.readyState === 'loading') {
          document.addEventListener('DOMContentLoaded', this._onDocumentLoaded.bind(this));
        } else {
          this._onDocumentLoaded();
        }
      }

      /**
       * Set whether the given element should be an inert root or not.
       * @param {!HTMLElement} root
       * @param {boolean} inert
       */


      _createClass(InertManager, [{
        key: 'setInert',
        value: function setInert(root, inert) {
          if (inert) {
            if (this._inertRoots.has(root)) {
              // element is already inert
              return;
            }

            var inertRoot = new InertRoot(root, this);
            root.setAttribute('inert', '');
            this._inertRoots.set(root, inertRoot);
            // If not contained in the document, it must be in a shadowRoot.
            // Ensure inert styles are added there.
            if (!this._document.body.contains(root)) {
              var parent = root.parentNode;
              while (parent) {
                if (parent.nodeType === 11) {
                  addInertStyle(parent);
                }
                parent = parent.parentNode;
              }
            }
          } else {
            if (!this._inertRoots.has(root)) {
              // element is already non-inert
              return;
            }

            var _inertRoot = this._inertRoots.get(root);
            _inertRoot.destructor();
            this._inertRoots['delete'](root);
            root.removeAttribute('inert');
          }
        }

        /**
         * Get the InertRoot object corresponding to the given inert root element, if any.
         * @param {!Node} element
         * @return {!InertRoot|undefined}
         */

      }, {
        key: 'getInertRoot',
        value: function getInertRoot(element) {
          return this._inertRoots.get(element);
        }

        /**
         * Register the given InertRoot as managing the given node.
         * In the case where the node has a previously existing inert root, this inert root will
         * be added to its set of inert roots.
         * @param {!Node} node
         * @param {!InertRoot} inertRoot
         * @return {!InertNode} inertNode
         */

      }, {
        key: 'register',
        value: function register(node, inertRoot) {
          var inertNode = this._managedNodes.get(node);
          if (inertNode !== undefined) {
            // node was already in an inert subtree
            inertNode.addInertRoot(inertRoot);
          } else {
            inertNode = new InertNode(node, inertRoot);
          }

          this._managedNodes.set(node, inertNode);

          return inertNode;
        }

        /**
         * De-register the given InertRoot as managing the given inert node.
         * Removes the inert root from the InertNode's set of managing inert roots, and remove the inert
         * node from the InertManager's set of managed nodes if it is destroyed.
         * If the node is not currently managed, this is essentially a no-op.
         * @param {!Node} node
         * @param {!InertRoot} inertRoot
         * @return {?InertNode} The potentially destroyed InertNode associated with this node, if any.
         */

      }, {
        key: 'deregister',
        value: function deregister(node, inertRoot) {
          var inertNode = this._managedNodes.get(node);
          if (!inertNode) {
            return null;
          }

          inertNode.removeInertRoot(inertRoot);
          if (inertNode.destroyed) {
            this._managedNodes['delete'](node);
          }

          return inertNode;
        }

        /**
         * Callback used when document has finished loading.
         */

      }, {
        key: '_onDocumentLoaded',
        value: function _onDocumentLoaded() {
          // Find all inert roots in document and make them actually inert.
          var inertElements = slice.call(this._document.querySelectorAll('[inert]'));
          inertElements.forEach(function (inertElement) {
            this.setInert(inertElement, true);
          }, this);

          // Comment this out to use programmatic API only.
          this._observer.observe(this._document.body || this._document.documentElement, { attributes: true, subtree: true, childList: true });
        }

        /**
         * Callback used when mutation observer detects attribute changes.
         * @param {!Array<!MutationRecord>} records
         * @param {!MutationObserver} self
         */

      }, {
        key: '_watchForInert',
        value: function _watchForInert(records, self) {
          var _this = this;
          records.forEach(function (record) {
            switch (record.type) {
              case 'childList':
                slice.call(record.addedNodes).forEach(function (node) {
                  if (node.nodeType !== Node.ELEMENT_NODE) {
                    return;
                  }
                  var inertElements = slice.call(node.querySelectorAll('[inert]'));
                  if (matches.call(node, '[inert]')) {
                    inertElements.unshift(node);
                  }
                  inertElements.forEach(function (inertElement) {
                    this.setInert(inertElement, true);
                  }, _this);
                }, _this);
                break;
              case 'attributes':
                if (record.attributeName !== 'inert') {
                  return;
                }
                var target = /** @type {!HTMLElement} */record.target;
                var inert = target.hasAttribute('inert');
                _this.setInert(target, inert);
                break;
            }
          }, this);
        }
      }]);

      return InertManager;
    }();

    /**
     * Recursively walk the composed tree from |node|.
     * @param {!Node} node
     * @param {(function (!HTMLElement))=} callback Callback to be called for each element traversed,
     *     before descending into child nodes.
     * @param {?ShadowRoot=} shadowRootAncestor The nearest ShadowRoot ancestor, if any.
     */


    function composedTreeWalk(node, callback, shadowRootAncestor) {
      if (node.nodeType == Node.ELEMENT_NODE) {
        var element = /** @type {!HTMLElement} */node;
        if (callback) {
          callback(element);
        }

        // Descend into node:
        // If it has a ShadowRoot, ignore all child elements - these will be picked
        // up by the <content> or <shadow> elements. Descend straight into the
        // ShadowRoot.
        var shadowRoot = /** @type {!HTMLElement} */element.shadowRoot;
        if (shadowRoot) {
          composedTreeWalk(shadowRoot, callback, shadowRoot);
          return;
        }

        // If it is a <content> element, descend into distributed elements - these
        // are elements from outside the shadow root which are rendered inside the
        // shadow DOM.
        if (element.localName == 'content') {
          var content = /** @type {!HTMLContentElement} */element;
          // Verifies if ShadowDom v0 is supported.
          var distributedNodes = content.getDistributedNodes ? content.getDistributedNodes() : [];
          for (var i = 0; i < distributedNodes.length; i++) {
            composedTreeWalk(distributedNodes[i], callback, shadowRootAncestor);
          }
          return;
        }

        // If it is a <slot> element, descend into assigned nodes - these
        // are elements from outside the shadow root which are rendered inside the
        // shadow DOM.
        if (element.localName == 'slot') {
          var slot = /** @type {!HTMLSlotElement} */element;
          // Verify if ShadowDom v1 is supported.
          var _distributedNodes = slot.assignedNodes ? slot.assignedNodes({ flatten: true }) : [];
          for (var _i = 0; _i < _distributedNodes.length; _i++) {
            composedTreeWalk(_distributedNodes[_i], callback, shadowRootAncestor);
          }
          return;
        }
      }

      // If it is neither the parent of a ShadowRoot, a <content> element, a <slot>
      // element, nor a <shadow> element recurse normally.
      var child = node.firstChild;
      while (child != null) {
        composedTreeWalk(child, callback, shadowRootAncestor);
        child = child.nextSibling;
      }
    }

    /**
     * Adds a style element to the node containing the inert specific styles
     * @param {!Node} node
     */
    function addInertStyle(node) {
      if (node.querySelector('style#inert-style, link#inert-style')) {
        return;
      }
      var style = document.createElement('style');
      style.setAttribute('id', 'inert-style');
      style.textContent = '\n' + '[inert] {\n' + '  pointer-events: none;\n' + '  cursor: default;\n' + '}\n' + '\n' + '[inert], [inert] * {\n' + '  -webkit-user-select: none;\n' + '  -moz-user-select: none;\n' + '  -ms-user-select: none;\n' + '  user-select: none;\n' + '}\n';
      node.appendChild(style);
    }

    if (!HTMLElement.prototype.hasOwnProperty('inert')) {
      /** @type {!InertManager} */
      var inertManager = new InertManager(document);

      Object.defineProperty(HTMLElement.prototype, 'inert', {
        enumerable: true,
        /** @this {!HTMLElement} */
        get: function get() {
          return this.hasAttribute('inert');
        },
        /** @this {!HTMLElement} */
        set: function set(inert) {
          inertManager.setInert(this, inert);
        }
      });
    }
  })();

})));
react-dom.min.js000064400000404161151334462320007550 0ustar00/*! For license information please see react-dom.min.js.LICENSE.txt */
(()=>{"use strict";var e={551:(e,n,t)=>{var r=t(594),l=t(982);function a(e){for(var n="https://reactjs.org/docs/error-decoder.html?invariant="+e,t=1;t<arguments.length;t++)n+="&args[]="+encodeURIComponent(arguments[t]);return"Minified React error #"+e+"; visit "+n+" for the full message or use the non-minified dev environment for full errors and additional helpful warnings."}var u=new Set,o={};function i(e,n){s(e,n),s(e+"Capture",n)}function s(e,n){for(o[e]=n,e=0;e<n.length;e++)u.add(n[e])}var c=!("undefined"==typeof window||void 0===window.document||void 0===window.document.createElement),f=Object.prototype.hasOwnProperty,d=/^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.0-9\u00B7\u0300-\u036F\u203F-\u2040]*$/,p={},m={};function h(e,n,t,r,l,a,u){this.acceptsBooleans=2===n||3===n||4===n,this.attributeName=r,this.attributeNamespace=l,this.mustUseProperty=t,this.propertyName=e,this.type=n,this.sanitizeURL=a,this.removeEmptyString=u}var g={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach((function(e){g[e]=new h(e,0,!1,e,null,!1,!1)})),[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach((function(e){var n=e[0];g[n]=new h(n,1,!1,e[1],null,!1,!1)})),["contentEditable","draggable","spellCheck","value"].forEach((function(e){g[e]=new h(e,2,!1,e.toLowerCase(),null,!1,!1)})),["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach((function(e){g[e]=new h(e,2,!1,e,null,!1,!1)})),"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach((function(e){g[e]=new h(e,3,!1,e.toLowerCase(),null,!1,!1)})),["checked","multiple","muted","selected"].forEach((function(e){g[e]=new h(e,3,!0,e,null,!1,!1)})),["capture","download"].forEach((function(e){g[e]=new h(e,4,!1,e,null,!1,!1)})),["cols","rows","size","span"].forEach((function(e){g[e]=new h(e,6,!1,e,null,!1,!1)})),["rowSpan","start"].forEach((function(e){g[e]=new h(e,5,!1,e.toLowerCase(),null,!1,!1)}));var v=/[\-:]([a-z])/g;function y(e){return e[1].toUpperCase()}function b(e,n,t,r){var l=g.hasOwnProperty(n)?g[n]:null;(null!==l?0!==l.type:r||!(2<n.length)||"o"!==n[0]&&"O"!==n[0]||"n"!==n[1]&&"N"!==n[1])&&(function(e,n,t,r){if(null==n||function(e,n,t,r){if(null!==t&&0===t.type)return!1;switch(typeof n){case"function":case"symbol":return!0;case"boolean":return!r&&(null!==t?!t.acceptsBooleans:"data-"!==(e=e.toLowerCase().slice(0,5))&&"aria-"!==e);default:return!1}}(e,n,t,r))return!0;if(r)return!1;if(null!==t)switch(t.type){case 3:return!n;case 4:return!1===n;case 5:return isNaN(n);case 6:return isNaN(n)||1>n}return!1}(n,t,l,r)&&(t=null),r||null===l?function(e){return!!f.call(m,e)||!f.call(p,e)&&(d.test(e)?m[e]=!0:(p[e]=!0,!1))}(n)&&(null===t?e.removeAttribute(n):e.setAttribute(n,""+t)):l.mustUseProperty?e[l.propertyName]=null===t?3!==l.type&&"":t:(n=l.attributeName,r=l.attributeNamespace,null===t?e.removeAttribute(n):(t=3===(l=l.type)||4===l&&!0===t?"":""+t,r?e.setAttributeNS(r,n,t):e.setAttribute(n,t))))}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach((function(e){var n=e.replace(v,y);g[n]=new h(n,1,!1,e,null,!1,!1)})),"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach((function(e){var n=e.replace(v,y);g[n]=new h(n,1,!1,e,"http://www.w3.org/1999/xlink",!1,!1)})),["xml:base","xml:lang","xml:space"].forEach((function(e){var n=e.replace(v,y);g[n]=new h(n,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1,!1)})),["tabIndex","crossOrigin"].forEach((function(e){g[e]=new h(e,1,!1,e.toLowerCase(),null,!1,!1)})),g.xlinkHref=new h("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0,!1),["src","href","action","formAction"].forEach((function(e){g[e]=new h(e,1,!1,e.toLowerCase(),null,!0,!0)}));var k=r.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED,w=Symbol.for("react.element"),S=Symbol.for("react.portal"),x=Symbol.for("react.fragment"),E=Symbol.for("react.strict_mode"),C=Symbol.for("react.profiler"),_=Symbol.for("react.provider"),z=Symbol.for("react.context"),N=Symbol.for("react.forward_ref"),P=Symbol.for("react.suspense"),T=Symbol.for("react.suspense_list"),L=Symbol.for("react.memo"),M=Symbol.for("react.lazy");Symbol.for("react.scope"),Symbol.for("react.debug_trace_mode");var F=Symbol.for("react.offscreen");Symbol.for("react.legacy_hidden"),Symbol.for("react.cache"),Symbol.for("react.tracing_marker");var R=Symbol.iterator;function D(e){return null===e||"object"!=typeof e?null:"function"==typeof(e=R&&e[R]||e["@@iterator"])?e:null}var O,I=Object.assign;function U(e){if(void 0===O)try{throw Error()}catch(e){var n=e.stack.trim().match(/\n( *(at )?)/);O=n&&n[1]||""}return"\n"+O+e}var V=!1;function A(e,n){if(!e||V)return"";V=!0;var t=Error.prepareStackTrace;Error.prepareStackTrace=void 0;try{if(n)if(n=function(){throw Error()},Object.defineProperty(n.prototype,"props",{set:function(){throw Error()}}),"object"==typeof Reflect&&Reflect.construct){try{Reflect.construct(n,[])}catch(e){var r=e}Reflect.construct(e,[],n)}else{try{n.call()}catch(e){r=e}e.call(n.prototype)}else{try{throw Error()}catch(e){r=e}e()}}catch(n){if(n&&r&&"string"==typeof n.stack){for(var l=n.stack.split("\n"),a=r.stack.split("\n"),u=l.length-1,o=a.length-1;1<=u&&0<=o&&l[u]!==a[o];)o--;for(;1<=u&&0<=o;u--,o--)if(l[u]!==a[o]){if(1!==u||1!==o)do{if(u--,0>--o||l[u]!==a[o]){var i="\n"+l[u].replace(" at new "," at ");return e.displayName&&i.includes("<anonymous>")&&(i=i.replace("<anonymous>",e.displayName)),i}}while(1<=u&&0<=o);break}}}finally{V=!1,Error.prepareStackTrace=t}return(e=e?e.displayName||e.name:"")?U(e):""}function B(e){switch(e.tag){case 5:return U(e.type);case 16:return U("Lazy");case 13:return U("Suspense");case 19:return U("SuspenseList");case 0:case 2:case 15:return A(e.type,!1);case 11:return A(e.type.render,!1);case 1:return A(e.type,!0);default:return""}}function H(e){if(null==e)return null;if("function"==typeof e)return e.displayName||e.name||null;if("string"==typeof e)return e;switch(e){case x:return"Fragment";case S:return"Portal";case C:return"Profiler";case E:return"StrictMode";case P:return"Suspense";case T:return"SuspenseList"}if("object"==typeof e)switch(e.$$typeof){case z:return(e.displayName||"Context")+".Consumer";case _:return(e._context.displayName||"Context")+".Provider";case N:var n=e.render;return(e=e.displayName)||(e=""!==(e=n.displayName||n.name||"")?"ForwardRef("+e+")":"ForwardRef"),e;case L:return null!==(n=e.displayName||null)?n:H(e.type)||"Memo";case M:n=e._payload,e=e._init;try{return H(e(n))}catch(e){}}return null}function W(e){var n=e.type;switch(e.tag){case 24:return"Cache";case 9:return(n.displayName||"Context")+".Consumer";case 10:return(n._context.displayName||"Context")+".Provider";case 18:return"DehydratedFragment";case 11:return e=(e=n.render).displayName||e.name||"",n.displayName||(""!==e?"ForwardRef("+e+")":"ForwardRef");case 7:return"Fragment";case 5:return n;case 4:return"Portal";case 3:return"Root";case 6:return"Text";case 16:return H(n);case 8:return n===E?"StrictMode":"Mode";case 22:return"Offscreen";case 12:return"Profiler";case 21:return"Scope";case 13:return"Suspense";case 19:return"SuspenseList";case 25:return"TracingMarker";case 1:case 0:case 17:case 2:case 14:case 15:if("function"==typeof n)return n.displayName||n.name||null;if("string"==typeof n)return n}return null}function Q(e){switch(typeof e){case"boolean":case"number":case"string":case"undefined":case"object":return e;default:return""}}function j(e){var n=e.type;return(e=e.nodeName)&&"input"===e.toLowerCase()&&("checkbox"===n||"radio"===n)}function $(e){e._valueTracker||(e._valueTracker=function(e){var n=j(e)?"checked":"value",t=Object.getOwnPropertyDescriptor(e.constructor.prototype,n),r=""+e[n];if(!e.hasOwnProperty(n)&&void 0!==t&&"function"==typeof t.get&&"function"==typeof t.set){var l=t.get,a=t.set;return Object.defineProperty(e,n,{configurable:!0,get:function(){return l.call(this)},set:function(e){r=""+e,a.call(this,e)}}),Object.defineProperty(e,n,{enumerable:t.enumerable}),{getValue:function(){return r},setValue:function(e){r=""+e},stopTracking:function(){e._valueTracker=null,delete e[n]}}}}(e))}function K(e){if(!e)return!1;var n=e._valueTracker;if(!n)return!0;var t=n.getValue(),r="";return e&&(r=j(e)?e.checked?"true":"false":e.value),(e=r)!==t&&(n.setValue(e),!0)}function q(e){if(void 0===(e=e||("undefined"!=typeof document?document:void 0)))return null;try{return e.activeElement||e.body}catch(n){return e.body}}function Y(e,n){var t=n.checked;return I({},n,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:null!=t?t:e._wrapperState.initialChecked})}function X(e,n){var t=null==n.defaultValue?"":n.defaultValue,r=null!=n.checked?n.checked:n.defaultChecked;t=Q(null!=n.value?n.value:t),e._wrapperState={initialChecked:r,initialValue:t,controlled:"checkbox"===n.type||"radio"===n.type?null!=n.checked:null!=n.value}}function G(e,n){null!=(n=n.checked)&&b(e,"checked",n,!1)}function Z(e,n){G(e,n);var t=Q(n.value),r=n.type;if(null!=t)"number"===r?(0===t&&""===e.value||e.value!=t)&&(e.value=""+t):e.value!==""+t&&(e.value=""+t);else if("submit"===r||"reset"===r)return void e.removeAttribute("value");n.hasOwnProperty("value")?ee(e,n.type,t):n.hasOwnProperty("defaultValue")&&ee(e,n.type,Q(n.defaultValue)),null==n.checked&&null!=n.defaultChecked&&(e.defaultChecked=!!n.defaultChecked)}function J(e,n,t){if(n.hasOwnProperty("value")||n.hasOwnProperty("defaultValue")){var r=n.type;if(!("submit"!==r&&"reset"!==r||void 0!==n.value&&null!==n.value))return;n=""+e._wrapperState.initialValue,t||n===e.value||(e.value=n),e.defaultValue=n}""!==(t=e.name)&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,""!==t&&(e.name=t)}function ee(e,n,t){"number"===n&&q(e.ownerDocument)===e||(null==t?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+t&&(e.defaultValue=""+t))}var ne=Array.isArray;function te(e,n,t,r){if(e=e.options,n){n={};for(var l=0;l<t.length;l++)n["$"+t[l]]=!0;for(t=0;t<e.length;t++)l=n.hasOwnProperty("$"+e[t].value),e[t].selected!==l&&(e[t].selected=l),l&&r&&(e[t].defaultSelected=!0)}else{for(t=""+Q(t),n=null,l=0;l<e.length;l++){if(e[l].value===t)return e[l].selected=!0,void(r&&(e[l].defaultSelected=!0));null!==n||e[l].disabled||(n=e[l])}null!==n&&(n.selected=!0)}}function re(e,n){if(null!=n.dangerouslySetInnerHTML)throw Error(a(91));return I({},n,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue})}function le(e,n){var t=n.value;if(null==t){if(t=n.children,n=n.defaultValue,null!=t){if(null!=n)throw Error(a(92));if(ne(t)){if(1<t.length)throw Error(a(93));t=t[0]}n=t}null==n&&(n=""),t=n}e._wrapperState={initialValue:Q(t)}}function ae(e,n){var t=Q(n.value),r=Q(n.defaultValue);null!=t&&((t=""+t)!==e.value&&(e.value=t),null==n.defaultValue&&e.defaultValue!==t&&(e.defaultValue=t)),null!=r&&(e.defaultValue=""+r)}function ue(e){var n=e.textContent;n===e._wrapperState.initialValue&&""!==n&&null!==n&&(e.value=n)}function oe(e){switch(e){case"svg":return"http://www.w3.org/2000/svg";case"math":return"http://www.w3.org/1998/Math/MathML";default:return"http://www.w3.org/1999/xhtml"}}function ie(e,n){return null==e||"http://www.w3.org/1999/xhtml"===e?oe(n):"http://www.w3.org/2000/svg"===e&&"foreignObject"===n?"http://www.w3.org/1999/xhtml":e}var se,ce,fe=(ce=function(e,n){if("http://www.w3.org/2000/svg"!==e.namespaceURI||"innerHTML"in e)e.innerHTML=n;else{for((se=se||document.createElement("div")).innerHTML="<svg>"+n.valueOf().toString()+"</svg>",n=se.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;n.firstChild;)e.appendChild(n.firstChild)}},"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(e,n,t,r){MSApp.execUnsafeLocalFunction((function(){return ce(e,n)}))}:ce);function de(e,n){if(n){var t=e.firstChild;if(t&&t===e.lastChild&&3===t.nodeType)return void(t.nodeValue=n)}e.textContent=n}var pe={animationIterationCount:!0,aspectRatio:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},me=["Webkit","ms","Moz","O"];function he(e,n,t){return null==n||"boolean"==typeof n||""===n?"":t||"number"!=typeof n||0===n||pe.hasOwnProperty(e)&&pe[e]?(""+n).trim():n+"px"}function ge(e,n){for(var t in e=e.style,n)if(n.hasOwnProperty(t)){var r=0===t.indexOf("--"),l=he(t,n[t],r);"float"===t&&(t="cssFloat"),r?e.setProperty(t,l):e[t]=l}}Object.keys(pe).forEach((function(e){me.forEach((function(n){n=n+e.charAt(0).toUpperCase()+e.substring(1),pe[n]=pe[e]}))}));var ve=I({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function ye(e,n){if(n){if(ve[e]&&(null!=n.children||null!=n.dangerouslySetInnerHTML))throw Error(a(137,e));if(null!=n.dangerouslySetInnerHTML){if(null!=n.children)throw Error(a(60));if("object"!=typeof n.dangerouslySetInnerHTML||!("__html"in n.dangerouslySetInnerHTML))throw Error(a(61))}if(null!=n.style&&"object"!=typeof n.style)throw Error(a(62))}}function be(e,n){if(-1===e.indexOf("-"))return"string"==typeof n.is;switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var ke=null;function we(e){return(e=e.target||e.srcElement||window).correspondingUseElement&&(e=e.correspondingUseElement),3===e.nodeType?e.parentNode:e}var Se=null,xe=null,Ee=null;function Ce(e){if(e=bl(e)){if("function"!=typeof Se)throw Error(a(280));var n=e.stateNode;n&&(n=wl(n),Se(e.stateNode,e.type,n))}}function _e(e){xe?Ee?Ee.push(e):Ee=[e]:xe=e}function ze(){if(xe){var e=xe,n=Ee;if(Ee=xe=null,Ce(e),n)for(e=0;e<n.length;e++)Ce(n[e])}}function Ne(e,n){return e(n)}function Pe(){}var Te=!1;function Le(e,n,t){if(Te)return e(n,t);Te=!0;try{return Ne(e,n,t)}finally{Te=!1,(null!==xe||null!==Ee)&&(Pe(),ze())}}function Me(e,n){var t=e.stateNode;if(null===t)return null;var r=wl(t);if(null===r)return null;t=r[n];e:switch(n){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":case"onMouseEnter":(r=!r.disabled)||(r=!("button"===(e=e.type)||"input"===e||"select"===e||"textarea"===e)),e=!r;break e;default:e=!1}if(e)return null;if(t&&"function"!=typeof t)throw Error(a(231,n,typeof t));return t}var Fe=!1;if(c)try{var Re={};Object.defineProperty(Re,"passive",{get:function(){Fe=!0}}),window.addEventListener("test",Re,Re),window.removeEventListener("test",Re,Re)}catch(ce){Fe=!1}function De(e,n,t,r,l,a,u,o,i){var s=Array.prototype.slice.call(arguments,3);try{n.apply(t,s)}catch(e){this.onError(e)}}var Oe=!1,Ie=null,Ue=!1,Ve=null,Ae={onError:function(e){Oe=!0,Ie=e}};function Be(e,n,t,r,l,a,u,o,i){Oe=!1,Ie=null,De.apply(Ae,arguments)}function He(e){var n=e,t=e;if(e.alternate)for(;n.return;)n=n.return;else{e=n;do{0!=(4098&(n=e).flags)&&(t=n.return),e=n.return}while(e)}return 3===n.tag?t:null}function We(e){if(13===e.tag){var n=e.memoizedState;if(null===n&&null!==(e=e.alternate)&&(n=e.memoizedState),null!==n)return n.dehydrated}return null}function Qe(e){if(He(e)!==e)throw Error(a(188))}function je(e){return null!==(e=function(e){var n=e.alternate;if(!n){if(null===(n=He(e)))throw Error(a(188));return n!==e?null:e}for(var t=e,r=n;;){var l=t.return;if(null===l)break;var u=l.alternate;if(null===u){if(null!==(r=l.return)){t=r;continue}break}if(l.child===u.child){for(u=l.child;u;){if(u===t)return Qe(l),e;if(u===r)return Qe(l),n;u=u.sibling}throw Error(a(188))}if(t.return!==r.return)t=l,r=u;else{for(var o=!1,i=l.child;i;){if(i===t){o=!0,t=l,r=u;break}if(i===r){o=!0,r=l,t=u;break}i=i.sibling}if(!o){for(i=u.child;i;){if(i===t){o=!0,t=u,r=l;break}if(i===r){o=!0,r=u,t=l;break}i=i.sibling}if(!o)throw Error(a(189))}}if(t.alternate!==r)throw Error(a(190))}if(3!==t.tag)throw Error(a(188));return t.stateNode.current===t?e:n}(e))?$e(e):null}function $e(e){if(5===e.tag||6===e.tag)return e;for(e=e.child;null!==e;){var n=$e(e);if(null!==n)return n;e=e.sibling}return null}var Ke=l.unstable_scheduleCallback,qe=l.unstable_cancelCallback,Ye=l.unstable_shouldYield,Xe=l.unstable_requestPaint,Ge=l.unstable_now,Ze=l.unstable_getCurrentPriorityLevel,Je=l.unstable_ImmediatePriority,en=l.unstable_UserBlockingPriority,nn=l.unstable_NormalPriority,tn=l.unstable_LowPriority,rn=l.unstable_IdlePriority,ln=null,an=null,un=Math.clz32?Math.clz32:function(e){return 0===(e>>>=0)?32:31-(on(e)/sn|0)|0},on=Math.log,sn=Math.LN2,cn=64,fn=4194304;function dn(e){switch(e&-e){case 1:return 1;case 2:return 2;case 4:return 4;case 8:return 8;case 16:return 16;case 32:return 32;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return 4194240&e;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return 130023424&e;case 134217728:return 134217728;case 268435456:return 268435456;case 536870912:return 536870912;case 1073741824:return 1073741824;default:return e}}function pn(e,n){var t=e.pendingLanes;if(0===t)return 0;var r=0,l=e.suspendedLanes,a=e.pingedLanes,u=268435455&t;if(0!==u){var o=u&~l;0!==o?r=dn(o):0!=(a&=u)&&(r=dn(a))}else 0!=(u=t&~l)?r=dn(u):0!==a&&(r=dn(a));if(0===r)return 0;if(0!==n&&n!==r&&0==(n&l)&&((l=r&-r)>=(a=n&-n)||16===l&&0!=(4194240&a)))return n;if(0!=(4&r)&&(r|=16&t),0!==(n=e.entangledLanes))for(e=e.entanglements,n&=r;0<n;)l=1<<(t=31-un(n)),r|=e[t],n&=~l;return r}function mn(e,n){switch(e){case 1:case 2:case 4:return n+250;case 8:case 16:case 32:case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return n+5e3;default:return-1}}function hn(e){return 0!=(e=-1073741825&e.pendingLanes)?e:1073741824&e?1073741824:0}function gn(){var e=cn;return 0==(4194240&(cn<<=1))&&(cn=64),e}function vn(e){for(var n=[],t=0;31>t;t++)n.push(e);return n}function yn(e,n,t){e.pendingLanes|=n,536870912!==n&&(e.suspendedLanes=0,e.pingedLanes=0),(e=e.eventTimes)[n=31-un(n)]=t}function bn(e,n){var t=e.entangledLanes|=n;for(e=e.entanglements;t;){var r=31-un(t),l=1<<r;l&n|e[r]&n&&(e[r]|=n),t&=~l}}var kn=0;function wn(e){return 1<(e&=-e)?4<e?0!=(268435455&e)?16:536870912:4:1}var Sn,xn,En,Cn,_n,zn=!1,Nn=[],Pn=null,Tn=null,Ln=null,Mn=new Map,Fn=new Map,Rn=[],Dn="mousedown mouseup touchcancel touchend touchstart auxclick dblclick pointercancel pointerdown pointerup dragend dragstart drop compositionend compositionstart keydown keypress keyup input textInput copy cut paste click change contextmenu reset submit".split(" ");function On(e,n){switch(e){case"focusin":case"focusout":Pn=null;break;case"dragenter":case"dragleave":Tn=null;break;case"mouseover":case"mouseout":Ln=null;break;case"pointerover":case"pointerout":Mn.delete(n.pointerId);break;case"gotpointercapture":case"lostpointercapture":Fn.delete(n.pointerId)}}function In(e,n,t,r,l,a){return null===e||e.nativeEvent!==a?(e={blockedOn:n,domEventName:t,eventSystemFlags:r,nativeEvent:a,targetContainers:[l]},null!==n&&null!==(n=bl(n))&&xn(n),e):(e.eventSystemFlags|=r,n=e.targetContainers,null!==l&&-1===n.indexOf(l)&&n.push(l),e)}function Un(e){var n=yl(e.target);if(null!==n){var t=He(n);if(null!==t)if(13===(n=t.tag)){if(null!==(n=We(t)))return e.blockedOn=n,void _n(e.priority,(function(){En(t)}))}else if(3===n&&t.stateNode.current.memoizedState.isDehydrated)return void(e.blockedOn=3===t.tag?t.stateNode.containerInfo:null)}e.blockedOn=null}function Vn(e){if(null!==e.blockedOn)return!1;for(var n=e.targetContainers;0<n.length;){var t=Xn(e.domEventName,e.eventSystemFlags,n[0],e.nativeEvent);if(null!==t)return null!==(n=bl(t))&&xn(n),e.blockedOn=t,!1;var r=new(t=e.nativeEvent).constructor(t.type,t);ke=r,t.target.dispatchEvent(r),ke=null,n.shift()}return!0}function An(e,n,t){Vn(e)&&t.delete(n)}function Bn(){zn=!1,null!==Pn&&Vn(Pn)&&(Pn=null),null!==Tn&&Vn(Tn)&&(Tn=null),null!==Ln&&Vn(Ln)&&(Ln=null),Mn.forEach(An),Fn.forEach(An)}function Hn(e,n){e.blockedOn===n&&(e.blockedOn=null,zn||(zn=!0,l.unstable_scheduleCallback(l.unstable_NormalPriority,Bn)))}function Wn(e){function n(n){return Hn(n,e)}if(0<Nn.length){Hn(Nn[0],e);for(var t=1;t<Nn.length;t++){var r=Nn[t];r.blockedOn===e&&(r.blockedOn=null)}}for(null!==Pn&&Hn(Pn,e),null!==Tn&&Hn(Tn,e),null!==Ln&&Hn(Ln,e),Mn.forEach(n),Fn.forEach(n),t=0;t<Rn.length;t++)(r=Rn[t]).blockedOn===e&&(r.blockedOn=null);for(;0<Rn.length&&null===(t=Rn[0]).blockedOn;)Un(t),null===t.blockedOn&&Rn.shift()}var Qn=k.ReactCurrentBatchConfig,jn=!0;function $n(e,n,t,r){var l=kn,a=Qn.transition;Qn.transition=null;try{kn=1,qn(e,n,t,r)}finally{kn=l,Qn.transition=a}}function Kn(e,n,t,r){var l=kn,a=Qn.transition;Qn.transition=null;try{kn=4,qn(e,n,t,r)}finally{kn=l,Qn.transition=a}}function qn(e,n,t,r){if(jn){var l=Xn(e,n,t,r);if(null===l)Qr(e,n,r,Yn,t),On(e,r);else if(function(e,n,t,r,l){switch(n){case"focusin":return Pn=In(Pn,e,n,t,r,l),!0;case"dragenter":return Tn=In(Tn,e,n,t,r,l),!0;case"mouseover":return Ln=In(Ln,e,n,t,r,l),!0;case"pointerover":var a=l.pointerId;return Mn.set(a,In(Mn.get(a)||null,e,n,t,r,l)),!0;case"gotpointercapture":return a=l.pointerId,Fn.set(a,In(Fn.get(a)||null,e,n,t,r,l)),!0}return!1}(l,e,n,t,r))r.stopPropagation();else if(On(e,r),4&n&&-1<Dn.indexOf(e)){for(;null!==l;){var a=bl(l);if(null!==a&&Sn(a),null===(a=Xn(e,n,t,r))&&Qr(e,n,r,Yn,t),a===l)break;l=a}null!==l&&r.stopPropagation()}else Qr(e,n,r,null,t)}}var Yn=null;function Xn(e,n,t,r){if(Yn=null,null!==(e=yl(e=we(r))))if(null===(n=He(e)))e=null;else if(13===(t=n.tag)){if(null!==(e=We(n)))return e;e=null}else if(3===t){if(n.stateNode.current.memoizedState.isDehydrated)return 3===n.tag?n.stateNode.containerInfo:null;e=null}else n!==e&&(e=null);return Yn=e,null}function Gn(e){switch(e){case"cancel":case"click":case"close":case"contextmenu":case"copy":case"cut":case"auxclick":case"dblclick":case"dragend":case"dragstart":case"drop":case"focusin":case"focusout":case"input":case"invalid":case"keydown":case"keypress":case"keyup":case"mousedown":case"mouseup":case"paste":case"pause":case"play":case"pointercancel":case"pointerdown":case"pointerup":case"ratechange":case"reset":case"resize":case"seeked":case"submit":case"touchcancel":case"touchend":case"touchstart":case"volumechange":case"change":case"selectionchange":case"textInput":case"compositionstart":case"compositionend":case"compositionupdate":case"beforeblur":case"afterblur":case"beforeinput":case"blur":case"fullscreenchange":case"focus":case"hashchange":case"popstate":case"select":case"selectstart":return 1;case"drag":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"mousemove":case"mouseout":case"mouseover":case"pointermove":case"pointerout":case"pointerover":case"scroll":case"toggle":case"touchmove":case"wheel":case"mouseenter":case"mouseleave":case"pointerenter":case"pointerleave":return 4;case"message":switch(Ze()){case Je:return 1;case en:return 4;case nn:case tn:return 16;case rn:return 536870912;default:return 16}default:return 16}}var Zn=null,Jn=null,et=null;function nt(){if(et)return et;var e,n,t=Jn,r=t.length,l="value"in Zn?Zn.value:Zn.textContent,a=l.length;for(e=0;e<r&&t[e]===l[e];e++);var u=r-e;for(n=1;n<=u&&t[r-n]===l[a-n];n++);return et=l.slice(e,1<n?1-n:void 0)}function tt(e){var n=e.keyCode;return"charCode"in e?0===(e=e.charCode)&&13===n&&(e=13):e=n,10===e&&(e=13),32<=e||13===e?e:0}function rt(){return!0}function lt(){return!1}function at(e){function n(n,t,r,l,a){for(var u in this._reactName=n,this._targetInst=r,this.type=t,this.nativeEvent=l,this.target=a,this.currentTarget=null,e)e.hasOwnProperty(u)&&(n=e[u],this[u]=n?n(l):l[u]);return this.isDefaultPrevented=(null!=l.defaultPrevented?l.defaultPrevented:!1===l.returnValue)?rt:lt,this.isPropagationStopped=lt,this}return I(n.prototype,{preventDefault:function(){this.defaultPrevented=!0;var e=this.nativeEvent;e&&(e.preventDefault?e.preventDefault():"unknown"!=typeof e.returnValue&&(e.returnValue=!1),this.isDefaultPrevented=rt)},stopPropagation:function(){var e=this.nativeEvent;e&&(e.stopPropagation?e.stopPropagation():"unknown"!=typeof e.cancelBubble&&(e.cancelBubble=!0),this.isPropagationStopped=rt)},persist:function(){},isPersistent:rt}),n}var ut,ot,it,st={eventPhase:0,bubbles:0,cancelable:0,timeStamp:function(e){return e.timeStamp||Date.now()},defaultPrevented:0,isTrusted:0},ct=at(st),ft=I({},st,{view:0,detail:0}),dt=at(ft),pt=I({},ft,{screenX:0,screenY:0,clientX:0,clientY:0,pageX:0,pageY:0,ctrlKey:0,shiftKey:0,altKey:0,metaKey:0,getModifierState:Ct,button:0,buttons:0,relatedTarget:function(e){return void 0===e.relatedTarget?e.fromElement===e.srcElement?e.toElement:e.fromElement:e.relatedTarget},movementX:function(e){return"movementX"in e?e.movementX:(e!==it&&(it&&"mousemove"===e.type?(ut=e.screenX-it.screenX,ot=e.screenY-it.screenY):ot=ut=0,it=e),ut)},movementY:function(e){return"movementY"in e?e.movementY:ot}}),mt=at(pt),ht=at(I({},pt,{dataTransfer:0})),gt=at(I({},ft,{relatedTarget:0})),vt=at(I({},st,{animationName:0,elapsedTime:0,pseudoElement:0})),yt=I({},st,{clipboardData:function(e){return"clipboardData"in e?e.clipboardData:window.clipboardData}}),bt=at(yt),kt=at(I({},st,{data:0})),wt={Esc:"Escape",Spacebar:" ",Left:"ArrowLeft",Up:"ArrowUp",Right:"ArrowRight",Down:"ArrowDown",Del:"Delete",Win:"OS",Menu:"ContextMenu",Apps:"ContextMenu",Scroll:"ScrollLock",MozPrintableKey:"Unidentified"},St={8:"Backspace",9:"Tab",12:"Clear",13:"Enter",16:"Shift",17:"Control",18:"Alt",19:"Pause",20:"CapsLock",27:"Escape",32:" ",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"ArrowLeft",38:"ArrowUp",39:"ArrowRight",40:"ArrowDown",45:"Insert",46:"Delete",112:"F1",113:"F2",114:"F3",115:"F4",116:"F5",117:"F6",118:"F7",119:"F8",120:"F9",121:"F10",122:"F11",123:"F12",144:"NumLock",145:"ScrollLock",224:"Meta"},xt={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};function Et(e){var n=this.nativeEvent;return n.getModifierState?n.getModifierState(e):!!(e=xt[e])&&!!n[e]}function Ct(){return Et}var _t=I({},ft,{key:function(e){if(e.key){var n=wt[e.key]||e.key;if("Unidentified"!==n)return n}return"keypress"===e.type?13===(e=tt(e))?"Enter":String.fromCharCode(e):"keydown"===e.type||"keyup"===e.type?St[e.keyCode]||"Unidentified":""},code:0,location:0,ctrlKey:0,shiftKey:0,altKey:0,metaKey:0,repeat:0,locale:0,getModifierState:Ct,charCode:function(e){return"keypress"===e.type?tt(e):0},keyCode:function(e){return"keydown"===e.type||"keyup"===e.type?e.keyCode:0},which:function(e){return"keypress"===e.type?tt(e):"keydown"===e.type||"keyup"===e.type?e.keyCode:0}}),zt=at(_t),Nt=at(I({},pt,{pointerId:0,width:0,height:0,pressure:0,tangentialPressure:0,tiltX:0,tiltY:0,twist:0,pointerType:0,isPrimary:0})),Pt=at(I({},ft,{touches:0,targetTouches:0,changedTouches:0,altKey:0,metaKey:0,ctrlKey:0,shiftKey:0,getModifierState:Ct})),Tt=at(I({},st,{propertyName:0,elapsedTime:0,pseudoElement:0})),Lt=I({},pt,{deltaX:function(e){return"deltaX"in e?e.deltaX:"wheelDeltaX"in e?-e.wheelDeltaX:0},deltaY:function(e){return"deltaY"in e?e.deltaY:"wheelDeltaY"in e?-e.wheelDeltaY:"wheelDelta"in e?-e.wheelDelta:0},deltaZ:0,deltaMode:0}),Mt=at(Lt),Ft=[9,13,27,32],Rt=c&&"CompositionEvent"in window,Dt=null;c&&"documentMode"in document&&(Dt=document.documentMode);var Ot=c&&"TextEvent"in window&&!Dt,It=c&&(!Rt||Dt&&8<Dt&&11>=Dt),Ut=String.fromCharCode(32),Vt=!1;function At(e,n){switch(e){case"keyup":return-1!==Ft.indexOf(n.keyCode);case"keydown":return 229!==n.keyCode;case"keypress":case"mousedown":case"focusout":return!0;default:return!1}}function Bt(e){return"object"==typeof(e=e.detail)&&"data"in e?e.data:null}var Ht=!1,Wt={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};function Qt(e){var n=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===n?!!Wt[e.type]:"textarea"===n}function jt(e,n,t,r){_e(r),0<(n=$r(n,"onChange")).length&&(t=new ct("onChange","change",null,t,r),e.push({event:t,listeners:n}))}var $t=null,Kt=null;function qt(e){Ur(e,0)}function Yt(e){if(K(kl(e)))return e}function Xt(e,n){if("change"===e)return n}var Gt=!1;if(c){var Zt;if(c){var Jt="oninput"in document;if(!Jt){var er=document.createElement("div");er.setAttribute("oninput","return;"),Jt="function"==typeof er.oninput}Zt=Jt}else Zt=!1;Gt=Zt&&(!document.documentMode||9<document.documentMode)}function nr(){$t&&($t.detachEvent("onpropertychange",tr),Kt=$t=null)}function tr(e){if("value"===e.propertyName&&Yt(Kt)){var n=[];jt(n,Kt,e,we(e)),Le(qt,n)}}function rr(e,n,t){"focusin"===e?(nr(),Kt=t,($t=n).attachEvent("onpropertychange",tr)):"focusout"===e&&nr()}function lr(e){if("selectionchange"===e||"keyup"===e||"keydown"===e)return Yt(Kt)}function ar(e,n){if("click"===e)return Yt(n)}function ur(e,n){if("input"===e||"change"===e)return Yt(n)}var or="function"==typeof Object.is?Object.is:function(e,n){return e===n&&(0!==e||1/e==1/n)||e!=e&&n!=n};function ir(e,n){if(or(e,n))return!0;if("object"!=typeof e||null===e||"object"!=typeof n||null===n)return!1;var t=Object.keys(e),r=Object.keys(n);if(t.length!==r.length)return!1;for(r=0;r<t.length;r++){var l=t[r];if(!f.call(n,l)||!or(e[l],n[l]))return!1}return!0}function sr(e){for(;e&&e.firstChild;)e=e.firstChild;return e}function cr(e,n){var t,r=sr(e);for(e=0;r;){if(3===r.nodeType){if(t=e+r.textContent.length,e<=n&&t>=n)return{node:r,offset:n-e};e=t}e:{for(;r;){if(r.nextSibling){r=r.nextSibling;break e}r=r.parentNode}r=void 0}r=sr(r)}}function fr(e,n){return!(!e||!n)&&(e===n||(!e||3!==e.nodeType)&&(n&&3===n.nodeType?fr(e,n.parentNode):"contains"in e?e.contains(n):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(n))))}function dr(){for(var e=window,n=q();n instanceof e.HTMLIFrameElement;){try{var t="string"==typeof n.contentWindow.location.href}catch(e){t=!1}if(!t)break;n=q((e=n.contentWindow).document)}return n}function pr(e){var n=e&&e.nodeName&&e.nodeName.toLowerCase();return n&&("input"===n&&("text"===e.type||"search"===e.type||"tel"===e.type||"url"===e.type||"password"===e.type)||"textarea"===n||"true"===e.contentEditable)}function mr(e){var n=dr(),t=e.focusedElem,r=e.selectionRange;if(n!==t&&t&&t.ownerDocument&&fr(t.ownerDocument.documentElement,t)){if(null!==r&&pr(t))if(n=r.start,void 0===(e=r.end)&&(e=n),"selectionStart"in t)t.selectionStart=n,t.selectionEnd=Math.min(e,t.value.length);else if((e=(n=t.ownerDocument||document)&&n.defaultView||window).getSelection){e=e.getSelection();var l=t.textContent.length,a=Math.min(r.start,l);r=void 0===r.end?a:Math.min(r.end,l),!e.extend&&a>r&&(l=r,r=a,a=l),l=cr(t,a);var u=cr(t,r);l&&u&&(1!==e.rangeCount||e.anchorNode!==l.node||e.anchorOffset!==l.offset||e.focusNode!==u.node||e.focusOffset!==u.offset)&&((n=n.createRange()).setStart(l.node,l.offset),e.removeAllRanges(),a>r?(e.addRange(n),e.extend(u.node,u.offset)):(n.setEnd(u.node,u.offset),e.addRange(n)))}for(n=[],e=t;e=e.parentNode;)1===e.nodeType&&n.push({element:e,left:e.scrollLeft,top:e.scrollTop});for("function"==typeof t.focus&&t.focus(),t=0;t<n.length;t++)(e=n[t]).element.scrollLeft=e.left,e.element.scrollTop=e.top}}var hr=c&&"documentMode"in document&&11>=document.documentMode,gr=null,vr=null,yr=null,br=!1;function kr(e,n,t){var r=t.window===t?t.document:9===t.nodeType?t:t.ownerDocument;br||null==gr||gr!==q(r)||(r="selectionStart"in(r=gr)&&pr(r)?{start:r.selectionStart,end:r.selectionEnd}:{anchorNode:(r=(r.ownerDocument&&r.ownerDocument.defaultView||window).getSelection()).anchorNode,anchorOffset:r.anchorOffset,focusNode:r.focusNode,focusOffset:r.focusOffset},yr&&ir(yr,r)||(yr=r,0<(r=$r(vr,"onSelect")).length&&(n=new ct("onSelect","select",null,n,t),e.push({event:n,listeners:r}),n.target=gr)))}function wr(e,n){var t={};return t[e.toLowerCase()]=n.toLowerCase(),t["Webkit"+e]="webkit"+n,t["Moz"+e]="moz"+n,t}var Sr={animationend:wr("Animation","AnimationEnd"),animationiteration:wr("Animation","AnimationIteration"),animationstart:wr("Animation","AnimationStart"),transitionend:wr("Transition","TransitionEnd")},xr={},Er={};function Cr(e){if(xr[e])return xr[e];if(!Sr[e])return e;var n,t=Sr[e];for(n in t)if(t.hasOwnProperty(n)&&n in Er)return xr[e]=t[n];return e}c&&(Er=document.createElement("div").style,"AnimationEvent"in window||(delete Sr.animationend.animation,delete Sr.animationiteration.animation,delete Sr.animationstart.animation),"TransitionEvent"in window||delete Sr.transitionend.transition);var _r=Cr("animationend"),zr=Cr("animationiteration"),Nr=Cr("animationstart"),Pr=Cr("transitionend"),Tr=new Map,Lr="abort auxClick cancel canPlay canPlayThrough click close contextMenu copy cut drag dragEnd dragEnter dragExit dragLeave dragOver dragStart drop durationChange emptied encrypted ended error gotPointerCapture input invalid keyDown keyPress keyUp load loadedData loadedMetadata loadStart lostPointerCapture mouseDown mouseMove mouseOut mouseOver mouseUp paste pause play playing pointerCancel pointerDown pointerMove pointerOut pointerOver pointerUp progress rateChange reset resize seeked seeking stalled submit suspend timeUpdate touchCancel touchEnd touchStart volumeChange scroll toggle touchMove waiting wheel".split(" ");function Mr(e,n){Tr.set(e,n),i(n,[e])}for(var Fr=0;Fr<Lr.length;Fr++){var Rr=Lr[Fr];Mr(Rr.toLowerCase(),"on"+(Rr[0].toUpperCase()+Rr.slice(1)))}Mr(_r,"onAnimationEnd"),Mr(zr,"onAnimationIteration"),Mr(Nr,"onAnimationStart"),Mr("dblclick","onDoubleClick"),Mr("focusin","onFocus"),Mr("focusout","onBlur"),Mr(Pr,"onTransitionEnd"),s("onMouseEnter",["mouseout","mouseover"]),s("onMouseLeave",["mouseout","mouseover"]),s("onPointerEnter",["pointerout","pointerover"]),s("onPointerLeave",["pointerout","pointerover"]),i("onChange","change click focusin focusout input keydown keyup selectionchange".split(" ")),i("onSelect","focusout contextmenu dragend focusin keydown keyup mousedown mouseup selectionchange".split(" ")),i("onBeforeInput",["compositionend","keypress","textInput","paste"]),i("onCompositionEnd","compositionend focusout keydown keypress keyup mousedown".split(" ")),i("onCompositionStart","compositionstart focusout keydown keypress keyup mousedown".split(" ")),i("onCompositionUpdate","compositionupdate focusout keydown keypress keyup mousedown".split(" "));var Dr="abort canplay canplaythrough durationchange emptied encrypted ended error loadeddata loadedmetadata loadstart pause play playing progress ratechange resize seeked seeking stalled suspend timeupdate volumechange waiting".split(" "),Or=new Set("cancel close invalid load scroll toggle".split(" ").concat(Dr));function Ir(e,n,t){var r=e.type||"unknown-event";e.currentTarget=t,function(e,n,t,r,l,u,o,i,s){if(Be.apply(this,arguments),Oe){if(!Oe)throw Error(a(198));var c=Ie;Oe=!1,Ie=null,Ue||(Ue=!0,Ve=c)}}(r,n,void 0,e),e.currentTarget=null}function Ur(e,n){n=0!=(4&n);for(var t=0;t<e.length;t++){var r=e[t],l=r.event;r=r.listeners;e:{var a=void 0;if(n)for(var u=r.length-1;0<=u;u--){var o=r[u],i=o.instance,s=o.currentTarget;if(o=o.listener,i!==a&&l.isPropagationStopped())break e;Ir(l,o,s),a=i}else for(u=0;u<r.length;u++){if(i=(o=r[u]).instance,s=o.currentTarget,o=o.listener,i!==a&&l.isPropagationStopped())break e;Ir(l,o,s),a=i}}}if(Ue)throw e=Ve,Ue=!1,Ve=null,e}function Vr(e,n){var t=n[hl];void 0===t&&(t=n[hl]=new Set);var r=e+"__bubble";t.has(r)||(Wr(n,e,2,!1),t.add(r))}function Ar(e,n,t){var r=0;n&&(r|=4),Wr(t,e,r,n)}var Br="_reactListening"+Math.random().toString(36).slice(2);function Hr(e){if(!e[Br]){e[Br]=!0,u.forEach((function(n){"selectionchange"!==n&&(Or.has(n)||Ar(n,!1,e),Ar(n,!0,e))}));var n=9===e.nodeType?e:e.ownerDocument;null===n||n[Br]||(n[Br]=!0,Ar("selectionchange",!1,n))}}function Wr(e,n,t,r){switch(Gn(n)){case 1:var l=$n;break;case 4:l=Kn;break;default:l=qn}t=l.bind(null,n,t,e),l=void 0,!Fe||"touchstart"!==n&&"touchmove"!==n&&"wheel"!==n||(l=!0),r?void 0!==l?e.addEventListener(n,t,{capture:!0,passive:l}):e.addEventListener(n,t,!0):void 0!==l?e.addEventListener(n,t,{passive:l}):e.addEventListener(n,t,!1)}function Qr(e,n,t,r,l){var a=r;if(0==(1&n)&&0==(2&n)&&null!==r)e:for(;;){if(null===r)return;var u=r.tag;if(3===u||4===u){var o=r.stateNode.containerInfo;if(o===l||8===o.nodeType&&o.parentNode===l)break;if(4===u)for(u=r.return;null!==u;){var i=u.tag;if((3===i||4===i)&&((i=u.stateNode.containerInfo)===l||8===i.nodeType&&i.parentNode===l))return;u=u.return}for(;null!==o;){if(null===(u=yl(o)))return;if(5===(i=u.tag)||6===i){r=a=u;continue e}o=o.parentNode}}r=r.return}Le((function(){var r=a,l=we(t),u=[];e:{var o=Tr.get(e);if(void 0!==o){var i=ct,s=e;switch(e){case"keypress":if(0===tt(t))break e;case"keydown":case"keyup":i=zt;break;case"focusin":s="focus",i=gt;break;case"focusout":s="blur",i=gt;break;case"beforeblur":case"afterblur":i=gt;break;case"click":if(2===t.button)break e;case"auxclick":case"dblclick":case"mousedown":case"mousemove":case"mouseup":case"mouseout":case"mouseover":case"contextmenu":i=mt;break;case"drag":case"dragend":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"dragstart":case"drop":i=ht;break;case"touchcancel":case"touchend":case"touchmove":case"touchstart":i=Pt;break;case _r:case zr:case Nr:i=vt;break;case Pr:i=Tt;break;case"scroll":i=dt;break;case"wheel":i=Mt;break;case"copy":case"cut":case"paste":i=bt;break;case"gotpointercapture":case"lostpointercapture":case"pointercancel":case"pointerdown":case"pointermove":case"pointerout":case"pointerover":case"pointerup":i=Nt}var c=0!=(4&n),f=!c&&"scroll"===e,d=c?null!==o?o+"Capture":null:o;c=[];for(var p,m=r;null!==m;){var h=(p=m).stateNode;if(5===p.tag&&null!==h&&(p=h,null!==d&&null!=(h=Me(m,d))&&c.push(jr(m,h,p))),f)break;m=m.return}0<c.length&&(o=new i(o,s,null,t,l),u.push({event:o,listeners:c}))}}if(0==(7&n)){if(i="mouseout"===e||"pointerout"===e,(!(o="mouseover"===e||"pointerover"===e)||t===ke||!(s=t.relatedTarget||t.fromElement)||!yl(s)&&!s[ml])&&(i||o)&&(o=l.window===l?l:(o=l.ownerDocument)?o.defaultView||o.parentWindow:window,i?(i=r,null!==(s=(s=t.relatedTarget||t.toElement)?yl(s):null)&&(s!==(f=He(s))||5!==s.tag&&6!==s.tag)&&(s=null)):(i=null,s=r),i!==s)){if(c=mt,h="onMouseLeave",d="onMouseEnter",m="mouse","pointerout"!==e&&"pointerover"!==e||(c=Nt,h="onPointerLeave",d="onPointerEnter",m="pointer"),f=null==i?o:kl(i),p=null==s?o:kl(s),(o=new c(h,m+"leave",i,t,l)).target=f,o.relatedTarget=p,h=null,yl(l)===r&&((c=new c(d,m+"enter",s,t,l)).target=p,c.relatedTarget=f,h=c),f=h,i&&s)e:{for(d=s,m=0,p=c=i;p;p=Kr(p))m++;for(p=0,h=d;h;h=Kr(h))p++;for(;0<m-p;)c=Kr(c),m--;for(;0<p-m;)d=Kr(d),p--;for(;m--;){if(c===d||null!==d&&c===d.alternate)break e;c=Kr(c),d=Kr(d)}c=null}else c=null;null!==i&&qr(u,o,i,c,!1),null!==s&&null!==f&&qr(u,f,s,c,!0)}if("select"===(i=(o=r?kl(r):window).nodeName&&o.nodeName.toLowerCase())||"input"===i&&"file"===o.type)var g=Xt;else if(Qt(o))if(Gt)g=ur;else{g=lr;var v=rr}else(i=o.nodeName)&&"input"===i.toLowerCase()&&("checkbox"===o.type||"radio"===o.type)&&(g=ar);switch(g&&(g=g(e,r))?jt(u,g,t,l):(v&&v(e,o,r),"focusout"===e&&(v=o._wrapperState)&&v.controlled&&"number"===o.type&&ee(o,"number",o.value)),v=r?kl(r):window,e){case"focusin":(Qt(v)||"true"===v.contentEditable)&&(gr=v,vr=r,yr=null);break;case"focusout":yr=vr=gr=null;break;case"mousedown":br=!0;break;case"contextmenu":case"mouseup":case"dragend":br=!1,kr(u,t,l);break;case"selectionchange":if(hr)break;case"keydown":case"keyup":kr(u,t,l)}var y;if(Rt)e:{switch(e){case"compositionstart":var b="onCompositionStart";break e;case"compositionend":b="onCompositionEnd";break e;case"compositionupdate":b="onCompositionUpdate";break e}b=void 0}else Ht?At(e,t)&&(b="onCompositionEnd"):"keydown"===e&&229===t.keyCode&&(b="onCompositionStart");b&&(It&&"ko"!==t.locale&&(Ht||"onCompositionStart"!==b?"onCompositionEnd"===b&&Ht&&(y=nt()):(Jn="value"in(Zn=l)?Zn.value:Zn.textContent,Ht=!0)),0<(v=$r(r,b)).length&&(b=new kt(b,e,null,t,l),u.push({event:b,listeners:v}),(y||null!==(y=Bt(t)))&&(b.data=y))),(y=Ot?function(e,n){switch(e){case"compositionend":return Bt(n);case"keypress":return 32!==n.which?null:(Vt=!0,Ut);case"textInput":return(e=n.data)===Ut&&Vt?null:e;default:return null}}(e,t):function(e,n){if(Ht)return"compositionend"===e||!Rt&&At(e,n)?(e=nt(),et=Jn=Zn=null,Ht=!1,e):null;switch(e){case"paste":default:return null;case"keypress":if(!(n.ctrlKey||n.altKey||n.metaKey)||n.ctrlKey&&n.altKey){if(n.char&&1<n.char.length)return n.char;if(n.which)return String.fromCharCode(n.which)}return null;case"compositionend":return It&&"ko"!==n.locale?null:n.data}}(e,t))&&0<(r=$r(r,"onBeforeInput")).length&&(l=new kt("onBeforeInput","beforeinput",null,t,l),u.push({event:l,listeners:r}),l.data=y)}Ur(u,n)}))}function jr(e,n,t){return{instance:e,listener:n,currentTarget:t}}function $r(e,n){for(var t=n+"Capture",r=[];null!==e;){var l=e,a=l.stateNode;5===l.tag&&null!==a&&(l=a,null!=(a=Me(e,t))&&r.unshift(jr(e,a,l)),null!=(a=Me(e,n))&&r.push(jr(e,a,l))),e=e.return}return r}function Kr(e){if(null===e)return null;do{e=e.return}while(e&&5!==e.tag);return e||null}function qr(e,n,t,r,l){for(var a=n._reactName,u=[];null!==t&&t!==r;){var o=t,i=o.alternate,s=o.stateNode;if(null!==i&&i===r)break;5===o.tag&&null!==s&&(o=s,l?null!=(i=Me(t,a))&&u.unshift(jr(t,i,o)):l||null!=(i=Me(t,a))&&u.push(jr(t,i,o))),t=t.return}0!==u.length&&e.push({event:n,listeners:u})}var Yr=/\r\n?/g,Xr=/\u0000|\uFFFD/g;function Gr(e){return("string"==typeof e?e:""+e).replace(Yr,"\n").replace(Xr,"")}function Zr(e,n,t){if(n=Gr(n),Gr(e)!==n&&t)throw Error(a(425))}function Jr(){}var el=null,nl=null;function tl(e,n){return"textarea"===e||"noscript"===e||"string"==typeof n.children||"number"==typeof n.children||"object"==typeof n.dangerouslySetInnerHTML&&null!==n.dangerouslySetInnerHTML&&null!=n.dangerouslySetInnerHTML.__html}var rl="function"==typeof setTimeout?setTimeout:void 0,ll="function"==typeof clearTimeout?clearTimeout:void 0,al="function"==typeof Promise?Promise:void 0,ul="function"==typeof queueMicrotask?queueMicrotask:void 0!==al?function(e){return al.resolve(null).then(e).catch(ol)}:rl;function ol(e){setTimeout((function(){throw e}))}function il(e,n){var t=n,r=0;do{var l=t.nextSibling;if(e.removeChild(t),l&&8===l.nodeType)if("/$"===(t=l.data)){if(0===r)return e.removeChild(l),void Wn(n);r--}else"$"!==t&&"$?"!==t&&"$!"!==t||r++;t=l}while(t);Wn(n)}function sl(e){for(;null!=e;e=e.nextSibling){var n=e.nodeType;if(1===n||3===n)break;if(8===n){if("$"===(n=e.data)||"$!"===n||"$?"===n)break;if("/$"===n)return null}}return e}function cl(e){e=e.previousSibling;for(var n=0;e;){if(8===e.nodeType){var t=e.data;if("$"===t||"$!"===t||"$?"===t){if(0===n)return e;n--}else"/$"===t&&n++}e=e.previousSibling}return null}var fl=Math.random().toString(36).slice(2),dl="__reactFiber$"+fl,pl="__reactProps$"+fl,ml="__reactContainer$"+fl,hl="__reactEvents$"+fl,gl="__reactListeners$"+fl,vl="__reactHandles$"+fl;function yl(e){var n=e[dl];if(n)return n;for(var t=e.parentNode;t;){if(n=t[ml]||t[dl]){if(t=n.alternate,null!==n.child||null!==t&&null!==t.child)for(e=cl(e);null!==e;){if(t=e[dl])return t;e=cl(e)}return n}t=(e=t).parentNode}return null}function bl(e){return!(e=e[dl]||e[ml])||5!==e.tag&&6!==e.tag&&13!==e.tag&&3!==e.tag?null:e}function kl(e){if(5===e.tag||6===e.tag)return e.stateNode;throw Error(a(33))}function wl(e){return e[pl]||null}var Sl=[],xl=-1;function El(e){return{current:e}}function Cl(e){0>xl||(e.current=Sl[xl],Sl[xl]=null,xl--)}function _l(e,n){xl++,Sl[xl]=e.current,e.current=n}var zl={},Nl=El(zl),Pl=El(!1),Tl=zl;function Ll(e,n){var t=e.type.contextTypes;if(!t)return zl;var r=e.stateNode;if(r&&r.__reactInternalMemoizedUnmaskedChildContext===n)return r.__reactInternalMemoizedMaskedChildContext;var l,a={};for(l in t)a[l]=n[l];return r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=n,e.__reactInternalMemoizedMaskedChildContext=a),a}function Ml(e){return null!=e.childContextTypes}function Fl(){Cl(Pl),Cl(Nl)}function Rl(e,n,t){if(Nl.current!==zl)throw Error(a(168));_l(Nl,n),_l(Pl,t)}function Dl(e,n,t){var r=e.stateNode;if(n=n.childContextTypes,"function"!=typeof r.getChildContext)return t;for(var l in r=r.getChildContext())if(!(l in n))throw Error(a(108,W(e)||"Unknown",l));return I({},t,r)}function Ol(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||zl,Tl=Nl.current,_l(Nl,e),_l(Pl,Pl.current),!0}function Il(e,n,t){var r=e.stateNode;if(!r)throw Error(a(169));t?(e=Dl(e,n,Tl),r.__reactInternalMemoizedMergedChildContext=e,Cl(Pl),Cl(Nl),_l(Nl,e)):Cl(Pl),_l(Pl,t)}var Ul=null,Vl=!1,Al=!1;function Bl(e){null===Ul?Ul=[e]:Ul.push(e)}function Hl(){if(!Al&&null!==Ul){Al=!0;var e=0,n=kn;try{var t=Ul;for(kn=1;e<t.length;e++){var r=t[e];do{r=r(!0)}while(null!==r)}Ul=null,Vl=!1}catch(n){throw null!==Ul&&(Ul=Ul.slice(e+1)),Ke(Je,Hl),n}finally{kn=n,Al=!1}}return null}var Wl=[],Ql=0,jl=null,$l=0,Kl=[],ql=0,Yl=null,Xl=1,Gl="";function Zl(e,n){Wl[Ql++]=$l,Wl[Ql++]=jl,jl=e,$l=n}function Jl(e,n,t){Kl[ql++]=Xl,Kl[ql++]=Gl,Kl[ql++]=Yl,Yl=e;var r=Xl;e=Gl;var l=32-un(r)-1;r&=~(1<<l),t+=1;var a=32-un(n)+l;if(30<a){var u=l-l%5;a=(r&(1<<u)-1).toString(32),r>>=u,l-=u,Xl=1<<32-un(n)+l|t<<l|r,Gl=a+e}else Xl=1<<a|t<<l|r,Gl=e}function ea(e){null!==e.return&&(Zl(e,1),Jl(e,1,0))}function na(e){for(;e===jl;)jl=Wl[--Ql],Wl[Ql]=null,$l=Wl[--Ql],Wl[Ql]=null;for(;e===Yl;)Yl=Kl[--ql],Kl[ql]=null,Gl=Kl[--ql],Kl[ql]=null,Xl=Kl[--ql],Kl[ql]=null}var ta=null,ra=null,la=!1,aa=null;function ua(e,n){var t=Ls(5,null,null,0);t.elementType="DELETED",t.stateNode=n,t.return=e,null===(n=e.deletions)?(e.deletions=[t],e.flags|=16):n.push(t)}function oa(e,n){switch(e.tag){case 5:var t=e.type;return null!==(n=1!==n.nodeType||t.toLowerCase()!==n.nodeName.toLowerCase()?null:n)&&(e.stateNode=n,ta=e,ra=sl(n.firstChild),!0);case 6:return null!==(n=""===e.pendingProps||3!==n.nodeType?null:n)&&(e.stateNode=n,ta=e,ra=null,!0);case 13:return null!==(n=8!==n.nodeType?null:n)&&(t=null!==Yl?{id:Xl,overflow:Gl}:null,e.memoizedState={dehydrated:n,treeContext:t,retryLane:1073741824},(t=Ls(18,null,null,0)).stateNode=n,t.return=e,e.child=t,ta=e,ra=null,!0);default:return!1}}function ia(e){return 0!=(1&e.mode)&&0==(128&e.flags)}function sa(e){if(la){var n=ra;if(n){var t=n;if(!oa(e,n)){if(ia(e))throw Error(a(418));n=sl(t.nextSibling);var r=ta;n&&oa(e,n)?ua(r,t):(e.flags=-4097&e.flags|2,la=!1,ta=e)}}else{if(ia(e))throw Error(a(418));e.flags=-4097&e.flags|2,la=!1,ta=e}}}function ca(e){for(e=e.return;null!==e&&5!==e.tag&&3!==e.tag&&13!==e.tag;)e=e.return;ta=e}function fa(e){if(e!==ta)return!1;if(!la)return ca(e),la=!0,!1;var n;if((n=3!==e.tag)&&!(n=5!==e.tag)&&(n="head"!==(n=e.type)&&"body"!==n&&!tl(e.type,e.memoizedProps)),n&&(n=ra)){if(ia(e))throw da(),Error(a(418));for(;n;)ua(e,n),n=sl(n.nextSibling)}if(ca(e),13===e.tag){if(!(e=null!==(e=e.memoizedState)?e.dehydrated:null))throw Error(a(317));e:{for(e=e.nextSibling,n=0;e;){if(8===e.nodeType){var t=e.data;if("/$"===t){if(0===n){ra=sl(e.nextSibling);break e}n--}else"$"!==t&&"$!"!==t&&"$?"!==t||n++}e=e.nextSibling}ra=null}}else ra=ta?sl(e.stateNode.nextSibling):null;return!0}function da(){for(var e=ra;e;)e=sl(e.nextSibling)}function pa(){ra=ta=null,la=!1}function ma(e){null===aa?aa=[e]:aa.push(e)}var ha=k.ReactCurrentBatchConfig;function ga(e,n,t){if(null!==(e=t.ref)&&"function"!=typeof e&&"object"!=typeof e){if(t._owner){if(t=t._owner){if(1!==t.tag)throw Error(a(309));var r=t.stateNode}if(!r)throw Error(a(147,e));var l=r,u=""+e;return null!==n&&null!==n.ref&&"function"==typeof n.ref&&n.ref._stringRef===u?n.ref:(n=function(e){var n=l.refs;null===e?delete n[u]:n[u]=e},n._stringRef=u,n)}if("string"!=typeof e)throw Error(a(284));if(!t._owner)throw Error(a(290,e))}return e}function va(e,n){throw e=Object.prototype.toString.call(n),Error(a(31,"[object Object]"===e?"object with keys {"+Object.keys(n).join(", ")+"}":e))}function ya(e){return(0,e._init)(e._payload)}function ba(e){function n(n,t){if(e){var r=n.deletions;null===r?(n.deletions=[t],n.flags|=16):r.push(t)}}function t(t,r){if(!e)return null;for(;null!==r;)n(t,r),r=r.sibling;return null}function r(e,n){for(e=new Map;null!==n;)null!==n.key?e.set(n.key,n):e.set(n.index,n),n=n.sibling;return e}function l(e,n){return(e=Fs(e,n)).index=0,e.sibling=null,e}function u(n,t,r){return n.index=r,e?null!==(r=n.alternate)?(r=r.index)<t?(n.flags|=2,t):r:(n.flags|=2,t):(n.flags|=1048576,t)}function o(n){return e&&null===n.alternate&&(n.flags|=2),n}function i(e,n,t,r){return null===n||6!==n.tag?((n=Is(t,e.mode,r)).return=e,n):((n=l(n,t)).return=e,n)}function s(e,n,t,r){var a=t.type;return a===x?f(e,n,t.props.children,r,t.key):null!==n&&(n.elementType===a||"object"==typeof a&&null!==a&&a.$$typeof===M&&ya(a)===n.type)?((r=l(n,t.props)).ref=ga(e,n,t),r.return=e,r):((r=Rs(t.type,t.key,t.props,null,e.mode,r)).ref=ga(e,n,t),r.return=e,r)}function c(e,n,t,r){return null===n||4!==n.tag||n.stateNode.containerInfo!==t.containerInfo||n.stateNode.implementation!==t.implementation?((n=Us(t,e.mode,r)).return=e,n):((n=l(n,t.children||[])).return=e,n)}function f(e,n,t,r,a){return null===n||7!==n.tag?((n=Ds(t,e.mode,r,a)).return=e,n):((n=l(n,t)).return=e,n)}function d(e,n,t){if("string"==typeof n&&""!==n||"number"==typeof n)return(n=Is(""+n,e.mode,t)).return=e,n;if("object"==typeof n&&null!==n){switch(n.$$typeof){case w:return(t=Rs(n.type,n.key,n.props,null,e.mode,t)).ref=ga(e,null,n),t.return=e,t;case S:return(n=Us(n,e.mode,t)).return=e,n;case M:return d(e,(0,n._init)(n._payload),t)}if(ne(n)||D(n))return(n=Ds(n,e.mode,t,null)).return=e,n;va(e,n)}return null}function p(e,n,t,r){var l=null!==n?n.key:null;if("string"==typeof t&&""!==t||"number"==typeof t)return null!==l?null:i(e,n,""+t,r);if("object"==typeof t&&null!==t){switch(t.$$typeof){case w:return t.key===l?s(e,n,t,r):null;case S:return t.key===l?c(e,n,t,r):null;case M:return p(e,n,(l=t._init)(t._payload),r)}if(ne(t)||D(t))return null!==l?null:f(e,n,t,r,null);va(e,t)}return null}function m(e,n,t,r,l){if("string"==typeof r&&""!==r||"number"==typeof r)return i(n,e=e.get(t)||null,""+r,l);if("object"==typeof r&&null!==r){switch(r.$$typeof){case w:return s(n,e=e.get(null===r.key?t:r.key)||null,r,l);case S:return c(n,e=e.get(null===r.key?t:r.key)||null,r,l);case M:return m(e,n,t,(0,r._init)(r._payload),l)}if(ne(r)||D(r))return f(n,e=e.get(t)||null,r,l,null);va(n,r)}return null}function h(l,a,o,i){for(var s=null,c=null,f=a,h=a=0,g=null;null!==f&&h<o.length;h++){f.index>h?(g=f,f=null):g=f.sibling;var v=p(l,f,o[h],i);if(null===v){null===f&&(f=g);break}e&&f&&null===v.alternate&&n(l,f),a=u(v,a,h),null===c?s=v:c.sibling=v,c=v,f=g}if(h===o.length)return t(l,f),la&&Zl(l,h),s;if(null===f){for(;h<o.length;h++)null!==(f=d(l,o[h],i))&&(a=u(f,a,h),null===c?s=f:c.sibling=f,c=f);return la&&Zl(l,h),s}for(f=r(l,f);h<o.length;h++)null!==(g=m(f,l,h,o[h],i))&&(e&&null!==g.alternate&&f.delete(null===g.key?h:g.key),a=u(g,a,h),null===c?s=g:c.sibling=g,c=g);return e&&f.forEach((function(e){return n(l,e)})),la&&Zl(l,h),s}function g(l,o,i,s){var c=D(i);if("function"!=typeof c)throw Error(a(150));if(null==(i=c.call(i)))throw Error(a(151));for(var f=c=null,h=o,g=o=0,v=null,y=i.next();null!==h&&!y.done;g++,y=i.next()){h.index>g?(v=h,h=null):v=h.sibling;var b=p(l,h,y.value,s);if(null===b){null===h&&(h=v);break}e&&h&&null===b.alternate&&n(l,h),o=u(b,o,g),null===f?c=b:f.sibling=b,f=b,h=v}if(y.done)return t(l,h),la&&Zl(l,g),c;if(null===h){for(;!y.done;g++,y=i.next())null!==(y=d(l,y.value,s))&&(o=u(y,o,g),null===f?c=y:f.sibling=y,f=y);return la&&Zl(l,g),c}for(h=r(l,h);!y.done;g++,y=i.next())null!==(y=m(h,l,g,y.value,s))&&(e&&null!==y.alternate&&h.delete(null===y.key?g:y.key),o=u(y,o,g),null===f?c=y:f.sibling=y,f=y);return e&&h.forEach((function(e){return n(l,e)})),la&&Zl(l,g),c}return function e(r,a,u,i){if("object"==typeof u&&null!==u&&u.type===x&&null===u.key&&(u=u.props.children),"object"==typeof u&&null!==u){switch(u.$$typeof){case w:e:{for(var s=u.key,c=a;null!==c;){if(c.key===s){if((s=u.type)===x){if(7===c.tag){t(r,c.sibling),(a=l(c,u.props.children)).return=r,r=a;break e}}else if(c.elementType===s||"object"==typeof s&&null!==s&&s.$$typeof===M&&ya(s)===c.type){t(r,c.sibling),(a=l(c,u.props)).ref=ga(r,c,u),a.return=r,r=a;break e}t(r,c);break}n(r,c),c=c.sibling}u.type===x?((a=Ds(u.props.children,r.mode,i,u.key)).return=r,r=a):((i=Rs(u.type,u.key,u.props,null,r.mode,i)).ref=ga(r,a,u),i.return=r,r=i)}return o(r);case S:e:{for(c=u.key;null!==a;){if(a.key===c){if(4===a.tag&&a.stateNode.containerInfo===u.containerInfo&&a.stateNode.implementation===u.implementation){t(r,a.sibling),(a=l(a,u.children||[])).return=r,r=a;break e}t(r,a);break}n(r,a),a=a.sibling}(a=Us(u,r.mode,i)).return=r,r=a}return o(r);case M:return e(r,a,(c=u._init)(u._payload),i)}if(ne(u))return h(r,a,u,i);if(D(u))return g(r,a,u,i);va(r,u)}return"string"==typeof u&&""!==u||"number"==typeof u?(u=""+u,null!==a&&6===a.tag?(t(r,a.sibling),(a=l(a,u)).return=r,r=a):(t(r,a),(a=Is(u,r.mode,i)).return=r,r=a),o(r)):t(r,a)}}var ka=ba(!0),wa=ba(!1),Sa=El(null),xa=null,Ea=null,Ca=null;function _a(){Ca=Ea=xa=null}function za(e){var n=Sa.current;Cl(Sa),e._currentValue=n}function Na(e,n,t){for(;null!==e;){var r=e.alternate;if((e.childLanes&n)!==n?(e.childLanes|=n,null!==r&&(r.childLanes|=n)):null!==r&&(r.childLanes&n)!==n&&(r.childLanes|=n),e===t)break;e=e.return}}function Pa(e,n){xa=e,Ca=Ea=null,null!==(e=e.dependencies)&&null!==e.firstContext&&(0!=(e.lanes&n)&&(bo=!0),e.firstContext=null)}function Ta(e){var n=e._currentValue;if(Ca!==e)if(e={context:e,memoizedValue:n,next:null},null===Ea){if(null===xa)throw Error(a(308));Ea=e,xa.dependencies={lanes:0,firstContext:e}}else Ea=Ea.next=e;return n}var La=null;function Ma(e){null===La?La=[e]:La.push(e)}function Fa(e,n,t,r){var l=n.interleaved;return null===l?(t.next=t,Ma(n)):(t.next=l.next,l.next=t),n.interleaved=t,Ra(e,r)}function Ra(e,n){e.lanes|=n;var t=e.alternate;for(null!==t&&(t.lanes|=n),t=e,e=e.return;null!==e;)e.childLanes|=n,null!==(t=e.alternate)&&(t.childLanes|=n),t=e,e=e.return;return 3===t.tag?t.stateNode:null}var Da=!1;function Oa(e){e.updateQueue={baseState:e.memoizedState,firstBaseUpdate:null,lastBaseUpdate:null,shared:{pending:null,interleaved:null,lanes:0},effects:null}}function Ia(e,n){e=e.updateQueue,n.updateQueue===e&&(n.updateQueue={baseState:e.baseState,firstBaseUpdate:e.firstBaseUpdate,lastBaseUpdate:e.lastBaseUpdate,shared:e.shared,effects:e.effects})}function Ua(e,n){return{eventTime:e,lane:n,tag:0,payload:null,callback:null,next:null}}function Va(e,n,t){var r=e.updateQueue;if(null===r)return null;if(r=r.shared,0!=(2&Ni)){var l=r.pending;return null===l?n.next=n:(n.next=l.next,l.next=n),r.pending=n,Ra(e,t)}return null===(l=r.interleaved)?(n.next=n,Ma(r)):(n.next=l.next,l.next=n),r.interleaved=n,Ra(e,t)}function Aa(e,n,t){if(null!==(n=n.updateQueue)&&(n=n.shared,0!=(4194240&t))){var r=n.lanes;t|=r&=e.pendingLanes,n.lanes=t,bn(e,t)}}function Ba(e,n){var t=e.updateQueue,r=e.alternate;if(null!==r&&t===(r=r.updateQueue)){var l=null,a=null;if(null!==(t=t.firstBaseUpdate)){do{var u={eventTime:t.eventTime,lane:t.lane,tag:t.tag,payload:t.payload,callback:t.callback,next:null};null===a?l=a=u:a=a.next=u,t=t.next}while(null!==t);null===a?l=a=n:a=a.next=n}else l=a=n;return t={baseState:r.baseState,firstBaseUpdate:l,lastBaseUpdate:a,shared:r.shared,effects:r.effects},void(e.updateQueue=t)}null===(e=t.lastBaseUpdate)?t.firstBaseUpdate=n:e.next=n,t.lastBaseUpdate=n}function Ha(e,n,t,r){var l=e.updateQueue;Da=!1;var a=l.firstBaseUpdate,u=l.lastBaseUpdate,o=l.shared.pending;if(null!==o){l.shared.pending=null;var i=o,s=i.next;i.next=null,null===u?a=s:u.next=s,u=i;var c=e.alternate;null!==c&&(o=(c=c.updateQueue).lastBaseUpdate)!==u&&(null===o?c.firstBaseUpdate=s:o.next=s,c.lastBaseUpdate=i)}if(null!==a){var f=l.baseState;for(u=0,c=s=i=null,o=a;;){var d=o.lane,p=o.eventTime;if((r&d)===d){null!==c&&(c=c.next={eventTime:p,lane:0,tag:o.tag,payload:o.payload,callback:o.callback,next:null});e:{var m=e,h=o;switch(d=n,p=t,h.tag){case 1:if("function"==typeof(m=h.payload)){f=m.call(p,f,d);break e}f=m;break e;case 3:m.flags=-65537&m.flags|128;case 0:if(null==(d="function"==typeof(m=h.payload)?m.call(p,f,d):m))break e;f=I({},f,d);break e;case 2:Da=!0}}null!==o.callback&&0!==o.lane&&(e.flags|=64,null===(d=l.effects)?l.effects=[o]:d.push(o))}else p={eventTime:p,lane:d,tag:o.tag,payload:o.payload,callback:o.callback,next:null},null===c?(s=c=p,i=f):c=c.next=p,u|=d;if(null===(o=o.next)){if(null===(o=l.shared.pending))break;o=(d=o).next,d.next=null,l.lastBaseUpdate=d,l.shared.pending=null}}if(null===c&&(i=f),l.baseState=i,l.firstBaseUpdate=s,l.lastBaseUpdate=c,null!==(n=l.shared.interleaved)){l=n;do{u|=l.lane,l=l.next}while(l!==n)}else null===a&&(l.shared.lanes=0);Oi|=u,e.lanes=u,e.memoizedState=f}}function Wa(e,n,t){if(e=n.effects,n.effects=null,null!==e)for(n=0;n<e.length;n++){var r=e[n],l=r.callback;if(null!==l){if(r.callback=null,r=t,"function"!=typeof l)throw Error(a(191,l));l.call(r)}}}var Qa={},ja=El(Qa),$a=El(Qa),Ka=El(Qa);function qa(e){if(e===Qa)throw Error(a(174));return e}function Ya(e,n){switch(_l(Ka,n),_l($a,e),_l(ja,Qa),e=n.nodeType){case 9:case 11:n=(n=n.documentElement)?n.namespaceURI:ie(null,"");break;default:n=ie(n=(e=8===e?n.parentNode:n).namespaceURI||null,e=e.tagName)}Cl(ja),_l(ja,n)}function Xa(){Cl(ja),Cl($a),Cl(Ka)}function Ga(e){qa(Ka.current);var n=qa(ja.current),t=ie(n,e.type);n!==t&&(_l($a,e),_l(ja,t))}function Za(e){$a.current===e&&(Cl(ja),Cl($a))}var Ja=El(0);function eu(e){for(var n=e;null!==n;){if(13===n.tag){var t=n.memoizedState;if(null!==t&&(null===(t=t.dehydrated)||"$?"===t.data||"$!"===t.data))return n}else if(19===n.tag&&void 0!==n.memoizedProps.revealOrder){if(0!=(128&n.flags))return n}else if(null!==n.child){n.child.return=n,n=n.child;continue}if(n===e)break;for(;null===n.sibling;){if(null===n.return||n.return===e)return null;n=n.return}n.sibling.return=n.return,n=n.sibling}return null}var nu=[];function tu(){for(var e=0;e<nu.length;e++)nu[e]._workInProgressVersionPrimary=null;nu.length=0}var ru=k.ReactCurrentDispatcher,lu=k.ReactCurrentBatchConfig,au=0,uu=null,ou=null,iu=null,su=!1,cu=!1,fu=0,du=0;function pu(){throw Error(a(321))}function mu(e,n){if(null===n)return!1;for(var t=0;t<n.length&&t<e.length;t++)if(!or(e[t],n[t]))return!1;return!0}function hu(e,n,t,r,l,u){if(au=u,uu=n,n.memoizedState=null,n.updateQueue=null,n.lanes=0,ru.current=null===e||null===e.memoizedState?Zu:Ju,e=t(r,l),cu){u=0;do{if(cu=!1,fu=0,25<=u)throw Error(a(301));u+=1,iu=ou=null,n.updateQueue=null,ru.current=eo,e=t(r,l)}while(cu)}if(ru.current=Gu,n=null!==ou&&null!==ou.next,au=0,iu=ou=uu=null,su=!1,n)throw Error(a(300));return e}function gu(){var e=0!==fu;return fu=0,e}function vu(){var e={memoizedState:null,baseState:null,baseQueue:null,queue:null,next:null};return null===iu?uu.memoizedState=iu=e:iu=iu.next=e,iu}function yu(){if(null===ou){var e=uu.alternate;e=null!==e?e.memoizedState:null}else e=ou.next;var n=null===iu?uu.memoizedState:iu.next;if(null!==n)iu=n,ou=e;else{if(null===e)throw Error(a(310));e={memoizedState:(ou=e).memoizedState,baseState:ou.baseState,baseQueue:ou.baseQueue,queue:ou.queue,next:null},null===iu?uu.memoizedState=iu=e:iu=iu.next=e}return iu}function bu(e,n){return"function"==typeof n?n(e):n}function ku(e){var n=yu(),t=n.queue;if(null===t)throw Error(a(311));t.lastRenderedReducer=e;var r=ou,l=r.baseQueue,u=t.pending;if(null!==u){if(null!==l){var o=l.next;l.next=u.next,u.next=o}r.baseQueue=l=u,t.pending=null}if(null!==l){u=l.next,r=r.baseState;var i=o=null,s=null,c=u;do{var f=c.lane;if((au&f)===f)null!==s&&(s=s.next={lane:0,action:c.action,hasEagerState:c.hasEagerState,eagerState:c.eagerState,next:null}),r=c.hasEagerState?c.eagerState:e(r,c.action);else{var d={lane:f,action:c.action,hasEagerState:c.hasEagerState,eagerState:c.eagerState,next:null};null===s?(i=s=d,o=r):s=s.next=d,uu.lanes|=f,Oi|=f}c=c.next}while(null!==c&&c!==u);null===s?o=r:s.next=i,or(r,n.memoizedState)||(bo=!0),n.memoizedState=r,n.baseState=o,n.baseQueue=s,t.lastRenderedState=r}if(null!==(e=t.interleaved)){l=e;do{u=l.lane,uu.lanes|=u,Oi|=u,l=l.next}while(l!==e)}else null===l&&(t.lanes=0);return[n.memoizedState,t.dispatch]}function wu(e){var n=yu(),t=n.queue;if(null===t)throw Error(a(311));t.lastRenderedReducer=e;var r=t.dispatch,l=t.pending,u=n.memoizedState;if(null!==l){t.pending=null;var o=l=l.next;do{u=e(u,o.action),o=o.next}while(o!==l);or(u,n.memoizedState)||(bo=!0),n.memoizedState=u,null===n.baseQueue&&(n.baseState=u),t.lastRenderedState=u}return[u,r]}function Su(){}function xu(e,n){var t=uu,r=yu(),l=n(),u=!or(r.memoizedState,l);if(u&&(r.memoizedState=l,bo=!0),r=r.queue,Du(_u.bind(null,t,r,e),[e]),r.getSnapshot!==n||u||null!==iu&&1&iu.memoizedState.tag){if(t.flags|=2048,Tu(9,Cu.bind(null,t,r,l,n),void 0,null),null===Pi)throw Error(a(349));0!=(30&au)||Eu(t,n,l)}return l}function Eu(e,n,t){e.flags|=16384,e={getSnapshot:n,value:t},null===(n=uu.updateQueue)?(n={lastEffect:null,stores:null},uu.updateQueue=n,n.stores=[e]):null===(t=n.stores)?n.stores=[e]:t.push(e)}function Cu(e,n,t,r){n.value=t,n.getSnapshot=r,zu(n)&&Nu(e)}function _u(e,n,t){return t((function(){zu(n)&&Nu(e)}))}function zu(e){var n=e.getSnapshot;e=e.value;try{var t=n();return!or(e,t)}catch(e){return!0}}function Nu(e){var n=Ra(e,1);null!==n&&ts(n,e,1,-1)}function Pu(e){var n=vu();return"function"==typeof e&&(e=e()),n.memoizedState=n.baseState=e,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:bu,lastRenderedState:e},n.queue=e,e=e.dispatch=Ku.bind(null,uu,e),[n.memoizedState,e]}function Tu(e,n,t,r){return e={tag:e,create:n,destroy:t,deps:r,next:null},null===(n=uu.updateQueue)?(n={lastEffect:null,stores:null},uu.updateQueue=n,n.lastEffect=e.next=e):null===(t=n.lastEffect)?n.lastEffect=e.next=e:(r=t.next,t.next=e,e.next=r,n.lastEffect=e),e}function Lu(){return yu().memoizedState}function Mu(e,n,t,r){var l=vu();uu.flags|=e,l.memoizedState=Tu(1|n,t,void 0,void 0===r?null:r)}function Fu(e,n,t,r){var l=yu();r=void 0===r?null:r;var a=void 0;if(null!==ou){var u=ou.memoizedState;if(a=u.destroy,null!==r&&mu(r,u.deps))return void(l.memoizedState=Tu(n,t,a,r))}uu.flags|=e,l.memoizedState=Tu(1|n,t,a,r)}function Ru(e,n){return Mu(8390656,8,e,n)}function Du(e,n){return Fu(2048,8,e,n)}function Ou(e,n){return Fu(4,2,e,n)}function Iu(e,n){return Fu(4,4,e,n)}function Uu(e,n){return"function"==typeof n?(e=e(),n(e),function(){n(null)}):null!=n?(e=e(),n.current=e,function(){n.current=null}):void 0}function Vu(e,n,t){return t=null!=t?t.concat([e]):null,Fu(4,4,Uu.bind(null,n,e),t)}function Au(){}function Bu(e,n){var t=yu();n=void 0===n?null:n;var r=t.memoizedState;return null!==r&&null!==n&&mu(n,r[1])?r[0]:(t.memoizedState=[e,n],e)}function Hu(e,n){var t=yu();n=void 0===n?null:n;var r=t.memoizedState;return null!==r&&null!==n&&mu(n,r[1])?r[0]:(e=e(),t.memoizedState=[e,n],e)}function Wu(e,n,t){return 0==(21&au)?(e.baseState&&(e.baseState=!1,bo=!0),e.memoizedState=t):(or(t,n)||(t=gn(),uu.lanes|=t,Oi|=t,e.baseState=!0),n)}function Qu(e,n){var t=kn;kn=0!==t&&4>t?t:4,e(!0);var r=lu.transition;lu.transition={};try{e(!1),n()}finally{kn=t,lu.transition=r}}function ju(){return yu().memoizedState}function $u(e,n,t){var r=ns(e);t={lane:r,action:t,hasEagerState:!1,eagerState:null,next:null},qu(e)?Yu(n,t):null!==(t=Fa(e,n,t,r))&&(ts(t,e,r,es()),Xu(t,n,r))}function Ku(e,n,t){var r=ns(e),l={lane:r,action:t,hasEagerState:!1,eagerState:null,next:null};if(qu(e))Yu(n,l);else{var a=e.alternate;if(0===e.lanes&&(null===a||0===a.lanes)&&null!==(a=n.lastRenderedReducer))try{var u=n.lastRenderedState,o=a(u,t);if(l.hasEagerState=!0,l.eagerState=o,or(o,u)){var i=n.interleaved;return null===i?(l.next=l,Ma(n)):(l.next=i.next,i.next=l),void(n.interleaved=l)}}catch(e){}null!==(t=Fa(e,n,l,r))&&(ts(t,e,r,l=es()),Xu(t,n,r))}}function qu(e){var n=e.alternate;return e===uu||null!==n&&n===uu}function Yu(e,n){cu=su=!0;var t=e.pending;null===t?n.next=n:(n.next=t.next,t.next=n),e.pending=n}function Xu(e,n,t){if(0!=(4194240&t)){var r=n.lanes;t|=r&=e.pendingLanes,n.lanes=t,bn(e,t)}}var Gu={readContext:Ta,useCallback:pu,useContext:pu,useEffect:pu,useImperativeHandle:pu,useInsertionEffect:pu,useLayoutEffect:pu,useMemo:pu,useReducer:pu,useRef:pu,useState:pu,useDebugValue:pu,useDeferredValue:pu,useTransition:pu,useMutableSource:pu,useSyncExternalStore:pu,useId:pu,unstable_isNewReconciler:!1},Zu={readContext:Ta,useCallback:function(e,n){return vu().memoizedState=[e,void 0===n?null:n],e},useContext:Ta,useEffect:Ru,useImperativeHandle:function(e,n,t){return t=null!=t?t.concat([e]):null,Mu(4194308,4,Uu.bind(null,n,e),t)},useLayoutEffect:function(e,n){return Mu(4194308,4,e,n)},useInsertionEffect:function(e,n){return Mu(4,2,e,n)},useMemo:function(e,n){var t=vu();return n=void 0===n?null:n,e=e(),t.memoizedState=[e,n],e},useReducer:function(e,n,t){var r=vu();return n=void 0!==t?t(n):n,r.memoizedState=r.baseState=n,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:e,lastRenderedState:n},r.queue=e,e=e.dispatch=$u.bind(null,uu,e),[r.memoizedState,e]},useRef:function(e){return e={current:e},vu().memoizedState=e},useState:Pu,useDebugValue:Au,useDeferredValue:function(e){return vu().memoizedState=e},useTransition:function(){var e=Pu(!1),n=e[0];return e=Qu.bind(null,e[1]),vu().memoizedState=e,[n,e]},useMutableSource:function(){},useSyncExternalStore:function(e,n,t){var r=uu,l=vu();if(la){if(void 0===t)throw Error(a(407));t=t()}else{if(t=n(),null===Pi)throw Error(a(349));0!=(30&au)||Eu(r,n,t)}l.memoizedState=t;var u={value:t,getSnapshot:n};return l.queue=u,Ru(_u.bind(null,r,u,e),[e]),r.flags|=2048,Tu(9,Cu.bind(null,r,u,t,n),void 0,null),t},useId:function(){var e=vu(),n=Pi.identifierPrefix;if(la){var t=Gl;n=":"+n+"R"+(t=(Xl&~(1<<32-un(Xl)-1)).toString(32)+t),0<(t=fu++)&&(n+="H"+t.toString(32)),n+=":"}else n=":"+n+"r"+(t=du++).toString(32)+":";return e.memoizedState=n},unstable_isNewReconciler:!1},Ju={readContext:Ta,useCallback:Bu,useContext:Ta,useEffect:Du,useImperativeHandle:Vu,useInsertionEffect:Ou,useLayoutEffect:Iu,useMemo:Hu,useReducer:ku,useRef:Lu,useState:function(){return ku(bu)},useDebugValue:Au,useDeferredValue:function(e){return Wu(yu(),ou.memoizedState,e)},useTransition:function(){return[ku(bu)[0],yu().memoizedState]},useMutableSource:Su,useSyncExternalStore:xu,useId:ju,unstable_isNewReconciler:!1},eo={readContext:Ta,useCallback:Bu,useContext:Ta,useEffect:Du,useImperativeHandle:Vu,useInsertionEffect:Ou,useLayoutEffect:Iu,useMemo:Hu,useReducer:wu,useRef:Lu,useState:function(){return wu(bu)},useDebugValue:Au,useDeferredValue:function(e){var n=yu();return null===ou?n.memoizedState=e:Wu(n,ou.memoizedState,e)},useTransition:function(){return[wu(bu)[0],yu().memoizedState]},useMutableSource:Su,useSyncExternalStore:xu,useId:ju,unstable_isNewReconciler:!1};function no(e,n){if(e&&e.defaultProps){for(var t in n=I({},n),e=e.defaultProps)void 0===n[t]&&(n[t]=e[t]);return n}return n}function to(e,n,t,r){t=null==(t=t(r,n=e.memoizedState))?n:I({},n,t),e.memoizedState=t,0===e.lanes&&(e.updateQueue.baseState=t)}var ro={isMounted:function(e){return!!(e=e._reactInternals)&&He(e)===e},enqueueSetState:function(e,n,t){e=e._reactInternals;var r=es(),l=ns(e),a=Ua(r,l);a.payload=n,null!=t&&(a.callback=t),null!==(n=Va(e,a,l))&&(ts(n,e,l,r),Aa(n,e,l))},enqueueReplaceState:function(e,n,t){e=e._reactInternals;var r=es(),l=ns(e),a=Ua(r,l);a.tag=1,a.payload=n,null!=t&&(a.callback=t),null!==(n=Va(e,a,l))&&(ts(n,e,l,r),Aa(n,e,l))},enqueueForceUpdate:function(e,n){e=e._reactInternals;var t=es(),r=ns(e),l=Ua(t,r);l.tag=2,null!=n&&(l.callback=n),null!==(n=Va(e,l,r))&&(ts(n,e,r,t),Aa(n,e,r))}};function lo(e,n,t,r,l,a,u){return"function"==typeof(e=e.stateNode).shouldComponentUpdate?e.shouldComponentUpdate(r,a,u):!(n.prototype&&n.prototype.isPureReactComponent&&ir(t,r)&&ir(l,a))}function ao(e,n,t){var r=!1,l=zl,a=n.contextType;return"object"==typeof a&&null!==a?a=Ta(a):(l=Ml(n)?Tl:Nl.current,a=(r=null!=(r=n.contextTypes))?Ll(e,l):zl),n=new n(t,a),e.memoizedState=null!==n.state&&void 0!==n.state?n.state:null,n.updater=ro,e.stateNode=n,n._reactInternals=e,r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=l,e.__reactInternalMemoizedMaskedChildContext=a),n}function uo(e,n,t,r){e=n.state,"function"==typeof n.componentWillReceiveProps&&n.componentWillReceiveProps(t,r),"function"==typeof n.UNSAFE_componentWillReceiveProps&&n.UNSAFE_componentWillReceiveProps(t,r),n.state!==e&&ro.enqueueReplaceState(n,n.state,null)}function oo(e,n,t,r){var l=e.stateNode;l.props=t,l.state=e.memoizedState,l.refs={},Oa(e);var a=n.contextType;"object"==typeof a&&null!==a?l.context=Ta(a):(a=Ml(n)?Tl:Nl.current,l.context=Ll(e,a)),l.state=e.memoizedState,"function"==typeof(a=n.getDerivedStateFromProps)&&(to(e,n,a,t),l.state=e.memoizedState),"function"==typeof n.getDerivedStateFromProps||"function"==typeof l.getSnapshotBeforeUpdate||"function"!=typeof l.UNSAFE_componentWillMount&&"function"!=typeof l.componentWillMount||(n=l.state,"function"==typeof l.componentWillMount&&l.componentWillMount(),"function"==typeof l.UNSAFE_componentWillMount&&l.UNSAFE_componentWillMount(),n!==l.state&&ro.enqueueReplaceState(l,l.state,null),Ha(e,t,l,r),l.state=e.memoizedState),"function"==typeof l.componentDidMount&&(e.flags|=4194308)}function io(e,n){try{var t="",r=n;do{t+=B(r),r=r.return}while(r);var l=t}catch(e){l="\nError generating stack: "+e.message+"\n"+e.stack}return{value:e,source:n,stack:l,digest:null}}function so(e,n,t){return{value:e,source:null,stack:null!=t?t:null,digest:null!=n?n:null}}function co(e,n){try{console.error(n.value)}catch(e){setTimeout((function(){throw e}))}}var fo="function"==typeof WeakMap?WeakMap:Map;function po(e,n,t){(t=Ua(-1,t)).tag=3,t.payload={element:null};var r=n.value;return t.callback=function(){Qi||(Qi=!0,ji=r),co(0,n)},t}function mo(e,n,t){(t=Ua(-1,t)).tag=3;var r=e.type.getDerivedStateFromError;if("function"==typeof r){var l=n.value;t.payload=function(){return r(l)},t.callback=function(){co(0,n)}}var a=e.stateNode;return null!==a&&"function"==typeof a.componentDidCatch&&(t.callback=function(){co(0,n),"function"!=typeof r&&(null===$i?$i=new Set([this]):$i.add(this));var e=n.stack;this.componentDidCatch(n.value,{componentStack:null!==e?e:""})}),t}function ho(e,n,t){var r=e.pingCache;if(null===r){r=e.pingCache=new fo;var l=new Set;r.set(n,l)}else void 0===(l=r.get(n))&&(l=new Set,r.set(n,l));l.has(t)||(l.add(t),e=Cs.bind(null,e,n,t),n.then(e,e))}function go(e){do{var n;if((n=13===e.tag)&&(n=null===(n=e.memoizedState)||null!==n.dehydrated),n)return e;e=e.return}while(null!==e);return null}function vo(e,n,t,r,l){return 0==(1&e.mode)?(e===n?e.flags|=65536:(e.flags|=128,t.flags|=131072,t.flags&=-52805,1===t.tag&&(null===t.alternate?t.tag=17:((n=Ua(-1,1)).tag=2,Va(t,n,1))),t.lanes|=1),e):(e.flags|=65536,e.lanes=l,e)}var yo=k.ReactCurrentOwner,bo=!1;function ko(e,n,t,r){n.child=null===e?wa(n,null,t,r):ka(n,e.child,t,r)}function wo(e,n,t,r,l){t=t.render;var a=n.ref;return Pa(n,l),r=hu(e,n,t,r,a,l),t=gu(),null===e||bo?(la&&t&&ea(n),n.flags|=1,ko(e,n,r,l),n.child):(n.updateQueue=e.updateQueue,n.flags&=-2053,e.lanes&=~l,Qo(e,n,l))}function So(e,n,t,r,l){if(null===e){var a=t.type;return"function"!=typeof a||Ms(a)||void 0!==a.defaultProps||null!==t.compare||void 0!==t.defaultProps?((e=Rs(t.type,null,r,n,n.mode,l)).ref=n.ref,e.return=n,n.child=e):(n.tag=15,n.type=a,xo(e,n,a,r,l))}if(a=e.child,0==(e.lanes&l)){var u=a.memoizedProps;if((t=null!==(t=t.compare)?t:ir)(u,r)&&e.ref===n.ref)return Qo(e,n,l)}return n.flags|=1,(e=Fs(a,r)).ref=n.ref,e.return=n,n.child=e}function xo(e,n,t,r,l){if(null!==e){var a=e.memoizedProps;if(ir(a,r)&&e.ref===n.ref){if(bo=!1,n.pendingProps=r=a,0==(e.lanes&l))return n.lanes=e.lanes,Qo(e,n,l);0!=(131072&e.flags)&&(bo=!0)}}return _o(e,n,t,r,l)}function Eo(e,n,t){var r=n.pendingProps,l=r.children,a=null!==e?e.memoizedState:null;if("hidden"===r.mode)if(0==(1&n.mode))n.memoizedState={baseLanes:0,cachePool:null,transitions:null},_l(Fi,Mi),Mi|=t;else{if(0==(1073741824&t))return e=null!==a?a.baseLanes|t:t,n.lanes=n.childLanes=1073741824,n.memoizedState={baseLanes:e,cachePool:null,transitions:null},n.updateQueue=null,_l(Fi,Mi),Mi|=e,null;n.memoizedState={baseLanes:0,cachePool:null,transitions:null},r=null!==a?a.baseLanes:t,_l(Fi,Mi),Mi|=r}else null!==a?(r=a.baseLanes|t,n.memoizedState=null):r=t,_l(Fi,Mi),Mi|=r;return ko(e,n,l,t),n.child}function Co(e,n){var t=n.ref;(null===e&&null!==t||null!==e&&e.ref!==t)&&(n.flags|=512,n.flags|=2097152)}function _o(e,n,t,r,l){var a=Ml(t)?Tl:Nl.current;return a=Ll(n,a),Pa(n,l),t=hu(e,n,t,r,a,l),r=gu(),null===e||bo?(la&&r&&ea(n),n.flags|=1,ko(e,n,t,l),n.child):(n.updateQueue=e.updateQueue,n.flags&=-2053,e.lanes&=~l,Qo(e,n,l))}function zo(e,n,t,r,l){if(Ml(t)){var a=!0;Ol(n)}else a=!1;if(Pa(n,l),null===n.stateNode)Wo(e,n),ao(n,t,r),oo(n,t,r,l),r=!0;else if(null===e){var u=n.stateNode,o=n.memoizedProps;u.props=o;var i=u.context,s=t.contextType;s="object"==typeof s&&null!==s?Ta(s):Ll(n,s=Ml(t)?Tl:Nl.current);var c=t.getDerivedStateFromProps,f="function"==typeof c||"function"==typeof u.getSnapshotBeforeUpdate;f||"function"!=typeof u.UNSAFE_componentWillReceiveProps&&"function"!=typeof u.componentWillReceiveProps||(o!==r||i!==s)&&uo(n,u,r,s),Da=!1;var d=n.memoizedState;u.state=d,Ha(n,r,u,l),i=n.memoizedState,o!==r||d!==i||Pl.current||Da?("function"==typeof c&&(to(n,t,c,r),i=n.memoizedState),(o=Da||lo(n,t,o,r,d,i,s))?(f||"function"!=typeof u.UNSAFE_componentWillMount&&"function"!=typeof u.componentWillMount||("function"==typeof u.componentWillMount&&u.componentWillMount(),"function"==typeof u.UNSAFE_componentWillMount&&u.UNSAFE_componentWillMount()),"function"==typeof u.componentDidMount&&(n.flags|=4194308)):("function"==typeof u.componentDidMount&&(n.flags|=4194308),n.memoizedProps=r,n.memoizedState=i),u.props=r,u.state=i,u.context=s,r=o):("function"==typeof u.componentDidMount&&(n.flags|=4194308),r=!1)}else{u=n.stateNode,Ia(e,n),o=n.memoizedProps,s=n.type===n.elementType?o:no(n.type,o),u.props=s,f=n.pendingProps,d=u.context,i="object"==typeof(i=t.contextType)&&null!==i?Ta(i):Ll(n,i=Ml(t)?Tl:Nl.current);var p=t.getDerivedStateFromProps;(c="function"==typeof p||"function"==typeof u.getSnapshotBeforeUpdate)||"function"!=typeof u.UNSAFE_componentWillReceiveProps&&"function"!=typeof u.componentWillReceiveProps||(o!==f||d!==i)&&uo(n,u,r,i),Da=!1,d=n.memoizedState,u.state=d,Ha(n,r,u,l);var m=n.memoizedState;o!==f||d!==m||Pl.current||Da?("function"==typeof p&&(to(n,t,p,r),m=n.memoizedState),(s=Da||lo(n,t,s,r,d,m,i)||!1)?(c||"function"!=typeof u.UNSAFE_componentWillUpdate&&"function"!=typeof u.componentWillUpdate||("function"==typeof u.componentWillUpdate&&u.componentWillUpdate(r,m,i),"function"==typeof u.UNSAFE_componentWillUpdate&&u.UNSAFE_componentWillUpdate(r,m,i)),"function"==typeof u.componentDidUpdate&&(n.flags|=4),"function"==typeof u.getSnapshotBeforeUpdate&&(n.flags|=1024)):("function"!=typeof u.componentDidUpdate||o===e.memoizedProps&&d===e.memoizedState||(n.flags|=4),"function"!=typeof u.getSnapshotBeforeUpdate||o===e.memoizedProps&&d===e.memoizedState||(n.flags|=1024),n.memoizedProps=r,n.memoizedState=m),u.props=r,u.state=m,u.context=i,r=s):("function"!=typeof u.componentDidUpdate||o===e.memoizedProps&&d===e.memoizedState||(n.flags|=4),"function"!=typeof u.getSnapshotBeforeUpdate||o===e.memoizedProps&&d===e.memoizedState||(n.flags|=1024),r=!1)}return No(e,n,t,r,a,l)}function No(e,n,t,r,l,a){Co(e,n);var u=0!=(128&n.flags);if(!r&&!u)return l&&Il(n,t,!1),Qo(e,n,a);r=n.stateNode,yo.current=n;var o=u&&"function"!=typeof t.getDerivedStateFromError?null:r.render();return n.flags|=1,null!==e&&u?(n.child=ka(n,e.child,null,a),n.child=ka(n,null,o,a)):ko(e,n,o,a),n.memoizedState=r.state,l&&Il(n,t,!0),n.child}function Po(e){var n=e.stateNode;n.pendingContext?Rl(0,n.pendingContext,n.pendingContext!==n.context):n.context&&Rl(0,n.context,!1),Ya(e,n.containerInfo)}function To(e,n,t,r,l){return pa(),ma(l),n.flags|=256,ko(e,n,t,r),n.child}var Lo,Mo,Fo,Ro,Do={dehydrated:null,treeContext:null,retryLane:0};function Oo(e){return{baseLanes:e,cachePool:null,transitions:null}}function Io(e,n,t){var r,l=n.pendingProps,u=Ja.current,o=!1,i=0!=(128&n.flags);if((r=i)||(r=(null===e||null!==e.memoizedState)&&0!=(2&u)),r?(o=!0,n.flags&=-129):null!==e&&null===e.memoizedState||(u|=1),_l(Ja,1&u),null===e)return sa(n),null!==(e=n.memoizedState)&&null!==(e=e.dehydrated)?(0==(1&n.mode)?n.lanes=1:"$!"===e.data?n.lanes=8:n.lanes=1073741824,null):(i=l.children,e=l.fallback,o?(l=n.mode,o=n.child,i={mode:"hidden",children:i},0==(1&l)&&null!==o?(o.childLanes=0,o.pendingProps=i):o=Os(i,l,0,null),e=Ds(e,l,t,null),o.return=n,e.return=n,o.sibling=e,n.child=o,n.child.memoizedState=Oo(t),n.memoizedState=Do,e):Uo(n,i));if(null!==(u=e.memoizedState)&&null!==(r=u.dehydrated))return function(e,n,t,r,l,u,o){if(t)return 256&n.flags?(n.flags&=-257,Vo(e,n,o,r=so(Error(a(422))))):null!==n.memoizedState?(n.child=e.child,n.flags|=128,null):(u=r.fallback,l=n.mode,r=Os({mode:"visible",children:r.children},l,0,null),(u=Ds(u,l,o,null)).flags|=2,r.return=n,u.return=n,r.sibling=u,n.child=r,0!=(1&n.mode)&&ka(n,e.child,null,o),n.child.memoizedState=Oo(o),n.memoizedState=Do,u);if(0==(1&n.mode))return Vo(e,n,o,null);if("$!"===l.data){if(r=l.nextSibling&&l.nextSibling.dataset)var i=r.dgst;return r=i,Vo(e,n,o,r=so(u=Error(a(419)),r,void 0))}if(i=0!=(o&e.childLanes),bo||i){if(null!==(r=Pi)){switch(o&-o){case 4:l=2;break;case 16:l=8;break;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:l=32;break;case 536870912:l=268435456;break;default:l=0}0!==(l=0!=(l&(r.suspendedLanes|o))?0:l)&&l!==u.retryLane&&(u.retryLane=l,Ra(e,l),ts(r,e,l,-1))}return hs(),Vo(e,n,o,r=so(Error(a(421))))}return"$?"===l.data?(n.flags|=128,n.child=e.child,n=zs.bind(null,e),l._reactRetry=n,null):(e=u.treeContext,ra=sl(l.nextSibling),ta=n,la=!0,aa=null,null!==e&&(Kl[ql++]=Xl,Kl[ql++]=Gl,Kl[ql++]=Yl,Xl=e.id,Gl=e.overflow,Yl=n),(n=Uo(n,r.children)).flags|=4096,n)}(e,n,i,l,r,u,t);if(o){o=l.fallback,i=n.mode,r=(u=e.child).sibling;var s={mode:"hidden",children:l.children};return 0==(1&i)&&n.child!==u?((l=n.child).childLanes=0,l.pendingProps=s,n.deletions=null):(l=Fs(u,s)).subtreeFlags=14680064&u.subtreeFlags,null!==r?o=Fs(r,o):(o=Ds(o,i,t,null)).flags|=2,o.return=n,l.return=n,l.sibling=o,n.child=l,l=o,o=n.child,i=null===(i=e.child.memoizedState)?Oo(t):{baseLanes:i.baseLanes|t,cachePool:null,transitions:i.transitions},o.memoizedState=i,o.childLanes=e.childLanes&~t,n.memoizedState=Do,l}return e=(o=e.child).sibling,l=Fs(o,{mode:"visible",children:l.children}),0==(1&n.mode)&&(l.lanes=t),l.return=n,l.sibling=null,null!==e&&(null===(t=n.deletions)?(n.deletions=[e],n.flags|=16):t.push(e)),n.child=l,n.memoizedState=null,l}function Uo(e,n){return(n=Os({mode:"visible",children:n},e.mode,0,null)).return=e,e.child=n}function Vo(e,n,t,r){return null!==r&&ma(r),ka(n,e.child,null,t),(e=Uo(n,n.pendingProps.children)).flags|=2,n.memoizedState=null,e}function Ao(e,n,t){e.lanes|=n;var r=e.alternate;null!==r&&(r.lanes|=n),Na(e.return,n,t)}function Bo(e,n,t,r,l){var a=e.memoizedState;null===a?e.memoizedState={isBackwards:n,rendering:null,renderingStartTime:0,last:r,tail:t,tailMode:l}:(a.isBackwards=n,a.rendering=null,a.renderingStartTime=0,a.last=r,a.tail=t,a.tailMode=l)}function Ho(e,n,t){var r=n.pendingProps,l=r.revealOrder,a=r.tail;if(ko(e,n,r.children,t),0!=(2&(r=Ja.current)))r=1&r|2,n.flags|=128;else{if(null!==e&&0!=(128&e.flags))e:for(e=n.child;null!==e;){if(13===e.tag)null!==e.memoizedState&&Ao(e,t,n);else if(19===e.tag)Ao(e,t,n);else if(null!==e.child){e.child.return=e,e=e.child;continue}if(e===n)break e;for(;null===e.sibling;){if(null===e.return||e.return===n)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}r&=1}if(_l(Ja,r),0==(1&n.mode))n.memoizedState=null;else switch(l){case"forwards":for(t=n.child,l=null;null!==t;)null!==(e=t.alternate)&&null===eu(e)&&(l=t),t=t.sibling;null===(t=l)?(l=n.child,n.child=null):(l=t.sibling,t.sibling=null),Bo(n,!1,l,t,a);break;case"backwards":for(t=null,l=n.child,n.child=null;null!==l;){if(null!==(e=l.alternate)&&null===eu(e)){n.child=l;break}e=l.sibling,l.sibling=t,t=l,l=e}Bo(n,!0,t,null,a);break;case"together":Bo(n,!1,null,null,void 0);break;default:n.memoizedState=null}return n.child}function Wo(e,n){0==(1&n.mode)&&null!==e&&(e.alternate=null,n.alternate=null,n.flags|=2)}function Qo(e,n,t){if(null!==e&&(n.dependencies=e.dependencies),Oi|=n.lanes,0==(t&n.childLanes))return null;if(null!==e&&n.child!==e.child)throw Error(a(153));if(null!==n.child){for(t=Fs(e=n.child,e.pendingProps),n.child=t,t.return=n;null!==e.sibling;)e=e.sibling,(t=t.sibling=Fs(e,e.pendingProps)).return=n;t.sibling=null}return n.child}function jo(e,n){if(!la)switch(e.tailMode){case"hidden":n=e.tail;for(var t=null;null!==n;)null!==n.alternate&&(t=n),n=n.sibling;null===t?e.tail=null:t.sibling=null;break;case"collapsed":t=e.tail;for(var r=null;null!==t;)null!==t.alternate&&(r=t),t=t.sibling;null===r?n||null===e.tail?e.tail=null:e.tail.sibling=null:r.sibling=null}}function $o(e){var n=null!==e.alternate&&e.alternate.child===e.child,t=0,r=0;if(n)for(var l=e.child;null!==l;)t|=l.lanes|l.childLanes,r|=14680064&l.subtreeFlags,r|=14680064&l.flags,l.return=e,l=l.sibling;else for(l=e.child;null!==l;)t|=l.lanes|l.childLanes,r|=l.subtreeFlags,r|=l.flags,l.return=e,l=l.sibling;return e.subtreeFlags|=r,e.childLanes=t,n}function Ko(e,n,t){var r=n.pendingProps;switch(na(n),n.tag){case 2:case 16:case 15:case 0:case 11:case 7:case 8:case 12:case 9:case 14:return $o(n),null;case 1:case 17:return Ml(n.type)&&Fl(),$o(n),null;case 3:return r=n.stateNode,Xa(),Cl(Pl),Cl(Nl),tu(),r.pendingContext&&(r.context=r.pendingContext,r.pendingContext=null),null!==e&&null!==e.child||(fa(n)?n.flags|=4:null===e||e.memoizedState.isDehydrated&&0==(256&n.flags)||(n.flags|=1024,null!==aa&&(us(aa),aa=null))),Mo(e,n),$o(n),null;case 5:Za(n);var l=qa(Ka.current);if(t=n.type,null!==e&&null!=n.stateNode)Fo(e,n,t,r,l),e.ref!==n.ref&&(n.flags|=512,n.flags|=2097152);else{if(!r){if(null===n.stateNode)throw Error(a(166));return $o(n),null}if(e=qa(ja.current),fa(n)){r=n.stateNode,t=n.type;var u=n.memoizedProps;switch(r[dl]=n,r[pl]=u,e=0!=(1&n.mode),t){case"dialog":Vr("cancel",r),Vr("close",r);break;case"iframe":case"object":case"embed":Vr("load",r);break;case"video":case"audio":for(l=0;l<Dr.length;l++)Vr(Dr[l],r);break;case"source":Vr("error",r);break;case"img":case"image":case"link":Vr("error",r),Vr("load",r);break;case"details":Vr("toggle",r);break;case"input":X(r,u),Vr("invalid",r);break;case"select":r._wrapperState={wasMultiple:!!u.multiple},Vr("invalid",r);break;case"textarea":le(r,u),Vr("invalid",r)}for(var i in ye(t,u),l=null,u)if(u.hasOwnProperty(i)){var s=u[i];"children"===i?"string"==typeof s?r.textContent!==s&&(!0!==u.suppressHydrationWarning&&Zr(r.textContent,s,e),l=["children",s]):"number"==typeof s&&r.textContent!==""+s&&(!0!==u.suppressHydrationWarning&&Zr(r.textContent,s,e),l=["children",""+s]):o.hasOwnProperty(i)&&null!=s&&"onScroll"===i&&Vr("scroll",r)}switch(t){case"input":$(r),J(r,u,!0);break;case"textarea":$(r),ue(r);break;case"select":case"option":break;default:"function"==typeof u.onClick&&(r.onclick=Jr)}r=l,n.updateQueue=r,null!==r&&(n.flags|=4)}else{i=9===l.nodeType?l:l.ownerDocument,"http://www.w3.org/1999/xhtml"===e&&(e=oe(t)),"http://www.w3.org/1999/xhtml"===e?"script"===t?((e=i.createElement("div")).innerHTML="<script><\/script>",e=e.removeChild(e.firstChild)):"string"==typeof r.is?e=i.createElement(t,{is:r.is}):(e=i.createElement(t),"select"===t&&(i=e,r.multiple?i.multiple=!0:r.size&&(i.size=r.size))):e=i.createElementNS(e,t),e[dl]=n,e[pl]=r,Lo(e,n,!1,!1),n.stateNode=e;e:{switch(i=be(t,r),t){case"dialog":Vr("cancel",e),Vr("close",e),l=r;break;case"iframe":case"object":case"embed":Vr("load",e),l=r;break;case"video":case"audio":for(l=0;l<Dr.length;l++)Vr(Dr[l],e);l=r;break;case"source":Vr("error",e),l=r;break;case"img":case"image":case"link":Vr("error",e),Vr("load",e),l=r;break;case"details":Vr("toggle",e),l=r;break;case"input":X(e,r),l=Y(e,r),Vr("invalid",e);break;case"option":default:l=r;break;case"select":e._wrapperState={wasMultiple:!!r.multiple},l=I({},r,{value:void 0}),Vr("invalid",e);break;case"textarea":le(e,r),l=re(e,r),Vr("invalid",e)}for(u in ye(t,l),s=l)if(s.hasOwnProperty(u)){var c=s[u];"style"===u?ge(e,c):"dangerouslySetInnerHTML"===u?null!=(c=c?c.__html:void 0)&&fe(e,c):"children"===u?"string"==typeof c?("textarea"!==t||""!==c)&&de(e,c):"number"==typeof c&&de(e,""+c):"suppressContentEditableWarning"!==u&&"suppressHydrationWarning"!==u&&"autoFocus"!==u&&(o.hasOwnProperty(u)?null!=c&&"onScroll"===u&&Vr("scroll",e):null!=c&&b(e,u,c,i))}switch(t){case"input":$(e),J(e,r,!1);break;case"textarea":$(e),ue(e);break;case"option":null!=r.value&&e.setAttribute("value",""+Q(r.value));break;case"select":e.multiple=!!r.multiple,null!=(u=r.value)?te(e,!!r.multiple,u,!1):null!=r.defaultValue&&te(e,!!r.multiple,r.defaultValue,!0);break;default:"function"==typeof l.onClick&&(e.onclick=Jr)}switch(t){case"button":case"input":case"select":case"textarea":r=!!r.autoFocus;break e;case"img":r=!0;break e;default:r=!1}}r&&(n.flags|=4)}null!==n.ref&&(n.flags|=512,n.flags|=2097152)}return $o(n),null;case 6:if(e&&null!=n.stateNode)Ro(e,n,e.memoizedProps,r);else{if("string"!=typeof r&&null===n.stateNode)throw Error(a(166));if(t=qa(Ka.current),qa(ja.current),fa(n)){if(r=n.stateNode,t=n.memoizedProps,r[dl]=n,(u=r.nodeValue!==t)&&null!==(e=ta))switch(e.tag){case 3:Zr(r.nodeValue,t,0!=(1&e.mode));break;case 5:!0!==e.memoizedProps.suppressHydrationWarning&&Zr(r.nodeValue,t,0!=(1&e.mode))}u&&(n.flags|=4)}else(r=(9===t.nodeType?t:t.ownerDocument).createTextNode(r))[dl]=n,n.stateNode=r}return $o(n),null;case 13:if(Cl(Ja),r=n.memoizedState,null===e||null!==e.memoizedState&&null!==e.memoizedState.dehydrated){if(la&&null!==ra&&0!=(1&n.mode)&&0==(128&n.flags))da(),pa(),n.flags|=98560,u=!1;else if(u=fa(n),null!==r&&null!==r.dehydrated){if(null===e){if(!u)throw Error(a(318));if(!(u=null!==(u=n.memoizedState)?u.dehydrated:null))throw Error(a(317));u[dl]=n}else pa(),0==(128&n.flags)&&(n.memoizedState=null),n.flags|=4;$o(n),u=!1}else null!==aa&&(us(aa),aa=null),u=!0;if(!u)return 65536&n.flags?n:null}return 0!=(128&n.flags)?(n.lanes=t,n):((r=null!==r)!=(null!==e&&null!==e.memoizedState)&&r&&(n.child.flags|=8192,0!=(1&n.mode)&&(null===e||0!=(1&Ja.current)?0===Ri&&(Ri=3):hs())),null!==n.updateQueue&&(n.flags|=4),$o(n),null);case 4:return Xa(),Mo(e,n),null===e&&Hr(n.stateNode.containerInfo),$o(n),null;case 10:return za(n.type._context),$o(n),null;case 19:if(Cl(Ja),null===(u=n.memoizedState))return $o(n),null;if(r=0!=(128&n.flags),null===(i=u.rendering))if(r)jo(u,!1);else{if(0!==Ri||null!==e&&0!=(128&e.flags))for(e=n.child;null!==e;){if(null!==(i=eu(e))){for(n.flags|=128,jo(u,!1),null!==(r=i.updateQueue)&&(n.updateQueue=r,n.flags|=4),n.subtreeFlags=0,r=t,t=n.child;null!==t;)e=r,(u=t).flags&=14680066,null===(i=u.alternate)?(u.childLanes=0,u.lanes=e,u.child=null,u.subtreeFlags=0,u.memoizedProps=null,u.memoizedState=null,u.updateQueue=null,u.dependencies=null,u.stateNode=null):(u.childLanes=i.childLanes,u.lanes=i.lanes,u.child=i.child,u.subtreeFlags=0,u.deletions=null,u.memoizedProps=i.memoizedProps,u.memoizedState=i.memoizedState,u.updateQueue=i.updateQueue,u.type=i.type,e=i.dependencies,u.dependencies=null===e?null:{lanes:e.lanes,firstContext:e.firstContext}),t=t.sibling;return _l(Ja,1&Ja.current|2),n.child}e=e.sibling}null!==u.tail&&Ge()>Hi&&(n.flags|=128,r=!0,jo(u,!1),n.lanes=4194304)}else{if(!r)if(null!==(e=eu(i))){if(n.flags|=128,r=!0,null!==(t=e.updateQueue)&&(n.updateQueue=t,n.flags|=4),jo(u,!0),null===u.tail&&"hidden"===u.tailMode&&!i.alternate&&!la)return $o(n),null}else 2*Ge()-u.renderingStartTime>Hi&&1073741824!==t&&(n.flags|=128,r=!0,jo(u,!1),n.lanes=4194304);u.isBackwards?(i.sibling=n.child,n.child=i):(null!==(t=u.last)?t.sibling=i:n.child=i,u.last=i)}return null!==u.tail?(n=u.tail,u.rendering=n,u.tail=n.sibling,u.renderingStartTime=Ge(),n.sibling=null,t=Ja.current,_l(Ja,r?1&t|2:1&t),n):($o(n),null);case 22:case 23:return fs(),r=null!==n.memoizedState,null!==e&&null!==e.memoizedState!==r&&(n.flags|=8192),r&&0!=(1&n.mode)?0!=(1073741824&Mi)&&($o(n),6&n.subtreeFlags&&(n.flags|=8192)):$o(n),null;case 24:case 25:return null}throw Error(a(156,n.tag))}function qo(e,n){switch(na(n),n.tag){case 1:return Ml(n.type)&&Fl(),65536&(e=n.flags)?(n.flags=-65537&e|128,n):null;case 3:return Xa(),Cl(Pl),Cl(Nl),tu(),0!=(65536&(e=n.flags))&&0==(128&e)?(n.flags=-65537&e|128,n):null;case 5:return Za(n),null;case 13:if(Cl(Ja),null!==(e=n.memoizedState)&&null!==e.dehydrated){if(null===n.alternate)throw Error(a(340));pa()}return 65536&(e=n.flags)?(n.flags=-65537&e|128,n):null;case 19:return Cl(Ja),null;case 4:return Xa(),null;case 10:return za(n.type._context),null;case 22:case 23:return fs(),null;default:return null}}Lo=function(e,n){for(var t=n.child;null!==t;){if(5===t.tag||6===t.tag)e.appendChild(t.stateNode);else if(4!==t.tag&&null!==t.child){t.child.return=t,t=t.child;continue}if(t===n)break;for(;null===t.sibling;){if(null===t.return||t.return===n)return;t=t.return}t.sibling.return=t.return,t=t.sibling}},Mo=function(){},Fo=function(e,n,t,r){var l=e.memoizedProps;if(l!==r){e=n.stateNode,qa(ja.current);var a,u=null;switch(t){case"input":l=Y(e,l),r=Y(e,r),u=[];break;case"select":l=I({},l,{value:void 0}),r=I({},r,{value:void 0}),u=[];break;case"textarea":l=re(e,l),r=re(e,r),u=[];break;default:"function"!=typeof l.onClick&&"function"==typeof r.onClick&&(e.onclick=Jr)}for(c in ye(t,r),t=null,l)if(!r.hasOwnProperty(c)&&l.hasOwnProperty(c)&&null!=l[c])if("style"===c){var i=l[c];for(a in i)i.hasOwnProperty(a)&&(t||(t={}),t[a]="")}else"dangerouslySetInnerHTML"!==c&&"children"!==c&&"suppressContentEditableWarning"!==c&&"suppressHydrationWarning"!==c&&"autoFocus"!==c&&(o.hasOwnProperty(c)?u||(u=[]):(u=u||[]).push(c,null));for(c in r){var s=r[c];if(i=null!=l?l[c]:void 0,r.hasOwnProperty(c)&&s!==i&&(null!=s||null!=i))if("style"===c)if(i){for(a in i)!i.hasOwnProperty(a)||s&&s.hasOwnProperty(a)||(t||(t={}),t[a]="");for(a in s)s.hasOwnProperty(a)&&i[a]!==s[a]&&(t||(t={}),t[a]=s[a])}else t||(u||(u=[]),u.push(c,t)),t=s;else"dangerouslySetInnerHTML"===c?(s=s?s.__html:void 0,i=i?i.__html:void 0,null!=s&&i!==s&&(u=u||[]).push(c,s)):"children"===c?"string"!=typeof s&&"number"!=typeof s||(u=u||[]).push(c,""+s):"suppressContentEditableWarning"!==c&&"suppressHydrationWarning"!==c&&(o.hasOwnProperty(c)?(null!=s&&"onScroll"===c&&Vr("scroll",e),u||i===s||(u=[])):(u=u||[]).push(c,s))}t&&(u=u||[]).push("style",t);var c=u;(n.updateQueue=c)&&(n.flags|=4)}},Ro=function(e,n,t,r){t!==r&&(n.flags|=4)};var Yo=!1,Xo=!1,Go="function"==typeof WeakSet?WeakSet:Set,Zo=null;function Jo(e,n){var t=e.ref;if(null!==t)if("function"==typeof t)try{t(null)}catch(t){Es(e,n,t)}else t.current=null}function ei(e,n,t){try{t()}catch(t){Es(e,n,t)}}var ni=!1;function ti(e,n,t){var r=n.updateQueue;if(null!==(r=null!==r?r.lastEffect:null)){var l=r=r.next;do{if((l.tag&e)===e){var a=l.destroy;l.destroy=void 0,void 0!==a&&ei(n,t,a)}l=l.next}while(l!==r)}}function ri(e,n){if(null!==(n=null!==(n=n.updateQueue)?n.lastEffect:null)){var t=n=n.next;do{if((t.tag&e)===e){var r=t.create;t.destroy=r()}t=t.next}while(t!==n)}}function li(e){var n=e.ref;if(null!==n){var t=e.stateNode;e.tag,e=t,"function"==typeof n?n(e):n.current=e}}function ai(e){var n=e.alternate;null!==n&&(e.alternate=null,ai(n)),e.child=null,e.deletions=null,e.sibling=null,5===e.tag&&null!==(n=e.stateNode)&&(delete n[dl],delete n[pl],delete n[hl],delete n[gl],delete n[vl]),e.stateNode=null,e.return=null,e.dependencies=null,e.memoizedProps=null,e.memoizedState=null,e.pendingProps=null,e.stateNode=null,e.updateQueue=null}function ui(e){return 5===e.tag||3===e.tag||4===e.tag}function oi(e){e:for(;;){for(;null===e.sibling;){if(null===e.return||ui(e.return))return null;e=e.return}for(e.sibling.return=e.return,e=e.sibling;5!==e.tag&&6!==e.tag&&18!==e.tag;){if(2&e.flags)continue e;if(null===e.child||4===e.tag)continue e;e.child.return=e,e=e.child}if(!(2&e.flags))return e.stateNode}}function ii(e,n,t){var r=e.tag;if(5===r||6===r)e=e.stateNode,n?8===t.nodeType?t.parentNode.insertBefore(e,n):t.insertBefore(e,n):(8===t.nodeType?(n=t.parentNode).insertBefore(e,t):(n=t).appendChild(e),null!=(t=t._reactRootContainer)||null!==n.onclick||(n.onclick=Jr));else if(4!==r&&null!==(e=e.child))for(ii(e,n,t),e=e.sibling;null!==e;)ii(e,n,t),e=e.sibling}function si(e,n,t){var r=e.tag;if(5===r||6===r)e=e.stateNode,n?t.insertBefore(e,n):t.appendChild(e);else if(4!==r&&null!==(e=e.child))for(si(e,n,t),e=e.sibling;null!==e;)si(e,n,t),e=e.sibling}var ci=null,fi=!1;function di(e,n,t){for(t=t.child;null!==t;)pi(e,n,t),t=t.sibling}function pi(e,n,t){if(an&&"function"==typeof an.onCommitFiberUnmount)try{an.onCommitFiberUnmount(ln,t)}catch(e){}switch(t.tag){case 5:Xo||Jo(t,n);case 6:var r=ci,l=fi;ci=null,di(e,n,t),fi=l,null!==(ci=r)&&(fi?(e=ci,t=t.stateNode,8===e.nodeType?e.parentNode.removeChild(t):e.removeChild(t)):ci.removeChild(t.stateNode));break;case 18:null!==ci&&(fi?(e=ci,t=t.stateNode,8===e.nodeType?il(e.parentNode,t):1===e.nodeType&&il(e,t),Wn(e)):il(ci,t.stateNode));break;case 4:r=ci,l=fi,ci=t.stateNode.containerInfo,fi=!0,di(e,n,t),ci=r,fi=l;break;case 0:case 11:case 14:case 15:if(!Xo&&null!==(r=t.updateQueue)&&null!==(r=r.lastEffect)){l=r=r.next;do{var a=l,u=a.destroy;a=a.tag,void 0!==u&&(0!=(2&a)||0!=(4&a))&&ei(t,n,u),l=l.next}while(l!==r)}di(e,n,t);break;case 1:if(!Xo&&(Jo(t,n),"function"==typeof(r=t.stateNode).componentWillUnmount))try{r.props=t.memoizedProps,r.state=t.memoizedState,r.componentWillUnmount()}catch(e){Es(t,n,e)}di(e,n,t);break;case 21:di(e,n,t);break;case 22:1&t.mode?(Xo=(r=Xo)||null!==t.memoizedState,di(e,n,t),Xo=r):di(e,n,t);break;default:di(e,n,t)}}function mi(e){var n=e.updateQueue;if(null!==n){e.updateQueue=null;var t=e.stateNode;null===t&&(t=e.stateNode=new Go),n.forEach((function(n){var r=Ns.bind(null,e,n);t.has(n)||(t.add(n),n.then(r,r))}))}}function hi(e,n){var t=n.deletions;if(null!==t)for(var r=0;r<t.length;r++){var l=t[r];try{var u=e,o=n,i=o;e:for(;null!==i;){switch(i.tag){case 5:ci=i.stateNode,fi=!1;break e;case 3:case 4:ci=i.stateNode.containerInfo,fi=!0;break e}i=i.return}if(null===ci)throw Error(a(160));pi(u,o,l),ci=null,fi=!1;var s=l.alternate;null!==s&&(s.return=null),l.return=null}catch(e){Es(l,n,e)}}if(12854&n.subtreeFlags)for(n=n.child;null!==n;)gi(n,e),n=n.sibling}function gi(e,n){var t=e.alternate,r=e.flags;switch(e.tag){case 0:case 11:case 14:case 15:if(hi(n,e),vi(e),4&r){try{ti(3,e,e.return),ri(3,e)}catch(n){Es(e,e.return,n)}try{ti(5,e,e.return)}catch(n){Es(e,e.return,n)}}break;case 1:hi(n,e),vi(e),512&r&&null!==t&&Jo(t,t.return);break;case 5:if(hi(n,e),vi(e),512&r&&null!==t&&Jo(t,t.return),32&e.flags){var l=e.stateNode;try{de(l,"")}catch(n){Es(e,e.return,n)}}if(4&r&&null!=(l=e.stateNode)){var u=e.memoizedProps,o=null!==t?t.memoizedProps:u,i=e.type,s=e.updateQueue;if(e.updateQueue=null,null!==s)try{"input"===i&&"radio"===u.type&&null!=u.name&&G(l,u),be(i,o);var c=be(i,u);for(o=0;o<s.length;o+=2){var f=s[o],d=s[o+1];"style"===f?ge(l,d):"dangerouslySetInnerHTML"===f?fe(l,d):"children"===f?de(l,d):b(l,f,d,c)}switch(i){case"input":Z(l,u);break;case"textarea":ae(l,u);break;case"select":var p=l._wrapperState.wasMultiple;l._wrapperState.wasMultiple=!!u.multiple;var m=u.value;null!=m?te(l,!!u.multiple,m,!1):p!==!!u.multiple&&(null!=u.defaultValue?te(l,!!u.multiple,u.defaultValue,!0):te(l,!!u.multiple,u.multiple?[]:"",!1))}l[pl]=u}catch(n){Es(e,e.return,n)}}break;case 6:if(hi(n,e),vi(e),4&r){if(null===e.stateNode)throw Error(a(162));l=e.stateNode,u=e.memoizedProps;try{l.nodeValue=u}catch(n){Es(e,e.return,n)}}break;case 3:if(hi(n,e),vi(e),4&r&&null!==t&&t.memoizedState.isDehydrated)try{Wn(n.containerInfo)}catch(n){Es(e,e.return,n)}break;case 4:default:hi(n,e),vi(e);break;case 13:hi(n,e),vi(e),8192&(l=e.child).flags&&(u=null!==l.memoizedState,l.stateNode.isHidden=u,!u||null!==l.alternate&&null!==l.alternate.memoizedState||(Bi=Ge())),4&r&&mi(e);break;case 22:if(f=null!==t&&null!==t.memoizedState,1&e.mode?(Xo=(c=Xo)||f,hi(n,e),Xo=c):hi(n,e),vi(e),8192&r){if(c=null!==e.memoizedState,(e.stateNode.isHidden=c)&&!f&&0!=(1&e.mode))for(Zo=e,f=e.child;null!==f;){for(d=Zo=f;null!==Zo;){switch(m=(p=Zo).child,p.tag){case 0:case 11:case 14:case 15:ti(4,p,p.return);break;case 1:Jo(p,p.return);var h=p.stateNode;if("function"==typeof h.componentWillUnmount){r=p,t=p.return;try{n=r,h.props=n.memoizedProps,h.state=n.memoizedState,h.componentWillUnmount()}catch(e){Es(r,t,e)}}break;case 5:Jo(p,p.return);break;case 22:if(null!==p.memoizedState){wi(d);continue}}null!==m?(m.return=p,Zo=m):wi(d)}f=f.sibling}e:for(f=null,d=e;;){if(5===d.tag){if(null===f){f=d;try{l=d.stateNode,c?"function"==typeof(u=l.style).setProperty?u.setProperty("display","none","important"):u.display="none":(i=d.stateNode,o=null!=(s=d.memoizedProps.style)&&s.hasOwnProperty("display")?s.display:null,i.style.display=he("display",o))}catch(n){Es(e,e.return,n)}}}else if(6===d.tag){if(null===f)try{d.stateNode.nodeValue=c?"":d.memoizedProps}catch(n){Es(e,e.return,n)}}else if((22!==d.tag&&23!==d.tag||null===d.memoizedState||d===e)&&null!==d.child){d.child.return=d,d=d.child;continue}if(d===e)break e;for(;null===d.sibling;){if(null===d.return||d.return===e)break e;f===d&&(f=null),d=d.return}f===d&&(f=null),d.sibling.return=d.return,d=d.sibling}}break;case 19:hi(n,e),vi(e),4&r&&mi(e);case 21:}}function vi(e){var n=e.flags;if(2&n){try{e:{for(var t=e.return;null!==t;){if(ui(t)){var r=t;break e}t=t.return}throw Error(a(160))}switch(r.tag){case 5:var l=r.stateNode;32&r.flags&&(de(l,""),r.flags&=-33),si(e,oi(e),l);break;case 3:case 4:var u=r.stateNode.containerInfo;ii(e,oi(e),u);break;default:throw Error(a(161))}}catch(n){Es(e,e.return,n)}e.flags&=-3}4096&n&&(e.flags&=-4097)}function yi(e,n,t){Zo=e,bi(e,n,t)}function bi(e,n,t){for(var r=0!=(1&e.mode);null!==Zo;){var l=Zo,a=l.child;if(22===l.tag&&r){var u=null!==l.memoizedState||Yo;if(!u){var o=l.alternate,i=null!==o&&null!==o.memoizedState||Xo;o=Yo;var s=Xo;if(Yo=u,(Xo=i)&&!s)for(Zo=l;null!==Zo;)i=(u=Zo).child,22===u.tag&&null!==u.memoizedState?Si(l):null!==i?(i.return=u,Zo=i):Si(l);for(;null!==a;)Zo=a,bi(a,n,t),a=a.sibling;Zo=l,Yo=o,Xo=s}ki(e)}else 0!=(8772&l.subtreeFlags)&&null!==a?(a.return=l,Zo=a):ki(e)}}function ki(e){for(;null!==Zo;){var n=Zo;if(0!=(8772&n.flags)){var t=n.alternate;try{if(0!=(8772&n.flags))switch(n.tag){case 0:case 11:case 15:Xo||ri(5,n);break;case 1:var r=n.stateNode;if(4&n.flags&&!Xo)if(null===t)r.componentDidMount();else{var l=n.elementType===n.type?t.memoizedProps:no(n.type,t.memoizedProps);r.componentDidUpdate(l,t.memoizedState,r.__reactInternalSnapshotBeforeUpdate)}var u=n.updateQueue;null!==u&&Wa(n,u,r);break;case 3:var o=n.updateQueue;if(null!==o){if(t=null,null!==n.child)switch(n.child.tag){case 5:case 1:t=n.child.stateNode}Wa(n,o,t)}break;case 5:var i=n.stateNode;if(null===t&&4&n.flags){t=i;var s=n.memoizedProps;switch(n.type){case"button":case"input":case"select":case"textarea":s.autoFocus&&t.focus();break;case"img":s.src&&(t.src=s.src)}}break;case 6:case 4:case 12:case 19:case 17:case 21:case 22:case 23:case 25:break;case 13:if(null===n.memoizedState){var c=n.alternate;if(null!==c){var f=c.memoizedState;if(null!==f){var d=f.dehydrated;null!==d&&Wn(d)}}}break;default:throw Error(a(163))}Xo||512&n.flags&&li(n)}catch(e){Es(n,n.return,e)}}if(n===e){Zo=null;break}if(null!==(t=n.sibling)){t.return=n.return,Zo=t;break}Zo=n.return}}function wi(e){for(;null!==Zo;){var n=Zo;if(n===e){Zo=null;break}var t=n.sibling;if(null!==t){t.return=n.return,Zo=t;break}Zo=n.return}}function Si(e){for(;null!==Zo;){var n=Zo;try{switch(n.tag){case 0:case 11:case 15:var t=n.return;try{ri(4,n)}catch(e){Es(n,t,e)}break;case 1:var r=n.stateNode;if("function"==typeof r.componentDidMount){var l=n.return;try{r.componentDidMount()}catch(e){Es(n,l,e)}}var a=n.return;try{li(n)}catch(e){Es(n,a,e)}break;case 5:var u=n.return;try{li(n)}catch(e){Es(n,u,e)}}}catch(e){Es(n,n.return,e)}if(n===e){Zo=null;break}var o=n.sibling;if(null!==o){o.return=n.return,Zo=o;break}Zo=n.return}}var xi,Ei=Math.ceil,Ci=k.ReactCurrentDispatcher,_i=k.ReactCurrentOwner,zi=k.ReactCurrentBatchConfig,Ni=0,Pi=null,Ti=null,Li=0,Mi=0,Fi=El(0),Ri=0,Di=null,Oi=0,Ii=0,Ui=0,Vi=null,Ai=null,Bi=0,Hi=1/0,Wi=null,Qi=!1,ji=null,$i=null,Ki=!1,qi=null,Yi=0,Xi=0,Gi=null,Zi=-1,Ji=0;function es(){return 0!=(6&Ni)?Ge():-1!==Zi?Zi:Zi=Ge()}function ns(e){return 0==(1&e.mode)?1:0!=(2&Ni)&&0!==Li?Li&-Li:null!==ha.transition?(0===Ji&&(Ji=gn()),Ji):0!==(e=kn)?e:e=void 0===(e=window.event)?16:Gn(e.type)}function ts(e,n,t,r){if(50<Xi)throw Xi=0,Gi=null,Error(a(185));yn(e,t,r),0!=(2&Ni)&&e===Pi||(e===Pi&&(0==(2&Ni)&&(Ii|=t),4===Ri&&os(e,Li)),rs(e,r),1===t&&0===Ni&&0==(1&n.mode)&&(Hi=Ge()+500,Vl&&Hl()))}function rs(e,n){var t=e.callbackNode;!function(e,n){for(var t=e.suspendedLanes,r=e.pingedLanes,l=e.expirationTimes,a=e.pendingLanes;0<a;){var u=31-un(a),o=1<<u,i=l[u];-1===i?0!=(o&t)&&0==(o&r)||(l[u]=mn(o,n)):i<=n&&(e.expiredLanes|=o),a&=~o}}(e,n);var r=pn(e,e===Pi?Li:0);if(0===r)null!==t&&qe(t),e.callbackNode=null,e.callbackPriority=0;else if(n=r&-r,e.callbackPriority!==n){if(null!=t&&qe(t),1===n)0===e.tag?function(e){Vl=!0,Bl(e)}(is.bind(null,e)):Bl(is.bind(null,e)),ul((function(){0==(6&Ni)&&Hl()})),t=null;else{switch(wn(r)){case 1:t=Je;break;case 4:t=en;break;case 16:default:t=nn;break;case 536870912:t=rn}t=Ps(t,ls.bind(null,e))}e.callbackPriority=n,e.callbackNode=t}}function ls(e,n){if(Zi=-1,Ji=0,0!=(6&Ni))throw Error(a(327));var t=e.callbackNode;if(Ss()&&e.callbackNode!==t)return null;var r=pn(e,e===Pi?Li:0);if(0===r)return null;if(0!=(30&r)||0!=(r&e.expiredLanes)||n)n=gs(e,r);else{n=r;var l=Ni;Ni|=2;var u=ms();for(Pi===e&&Li===n||(Wi=null,Hi=Ge()+500,ds(e,n));;)try{ys();break}catch(n){ps(e,n)}_a(),Ci.current=u,Ni=l,null!==Ti?n=0:(Pi=null,Li=0,n=Ri)}if(0!==n){if(2===n&&0!==(l=hn(e))&&(r=l,n=as(e,l)),1===n)throw t=Di,ds(e,0),os(e,r),rs(e,Ge()),t;if(6===n)os(e,r);else{if(l=e.current.alternate,0==(30&r)&&!function(e){for(var n=e;;){if(16384&n.flags){var t=n.updateQueue;if(null!==t&&null!==(t=t.stores))for(var r=0;r<t.length;r++){var l=t[r],a=l.getSnapshot;l=l.value;try{if(!or(a(),l))return!1}catch(e){return!1}}}if(t=n.child,16384&n.subtreeFlags&&null!==t)t.return=n,n=t;else{if(n===e)break;for(;null===n.sibling;){if(null===n.return||n.return===e)return!0;n=n.return}n.sibling.return=n.return,n=n.sibling}}return!0}(l)&&(2===(n=gs(e,r))&&0!==(u=hn(e))&&(r=u,n=as(e,u)),1===n))throw t=Di,ds(e,0),os(e,r),rs(e,Ge()),t;switch(e.finishedWork=l,e.finishedLanes=r,n){case 0:case 1:throw Error(a(345));case 2:case 5:ws(e,Ai,Wi);break;case 3:if(os(e,r),(130023424&r)===r&&10<(n=Bi+500-Ge())){if(0!==pn(e,0))break;if(((l=e.suspendedLanes)&r)!==r){es(),e.pingedLanes|=e.suspendedLanes&l;break}e.timeoutHandle=rl(ws.bind(null,e,Ai,Wi),n);break}ws(e,Ai,Wi);break;case 4:if(os(e,r),(4194240&r)===r)break;for(n=e.eventTimes,l=-1;0<r;){var o=31-un(r);u=1<<o,(o=n[o])>l&&(l=o),r&=~u}if(r=l,10<(r=(120>(r=Ge()-r)?120:480>r?480:1080>r?1080:1920>r?1920:3e3>r?3e3:4320>r?4320:1960*Ei(r/1960))-r)){e.timeoutHandle=rl(ws.bind(null,e,Ai,Wi),r);break}ws(e,Ai,Wi);break;default:throw Error(a(329))}}}return rs(e,Ge()),e.callbackNode===t?ls.bind(null,e):null}function as(e,n){var t=Vi;return e.current.memoizedState.isDehydrated&&(ds(e,n).flags|=256),2!==(e=gs(e,n))&&(n=Ai,Ai=t,null!==n&&us(n)),e}function us(e){null===Ai?Ai=e:Ai.push.apply(Ai,e)}function os(e,n){for(n&=~Ui,n&=~Ii,e.suspendedLanes|=n,e.pingedLanes&=~n,e=e.expirationTimes;0<n;){var t=31-un(n),r=1<<t;e[t]=-1,n&=~r}}function is(e){if(0!=(6&Ni))throw Error(a(327));Ss();var n=pn(e,0);if(0==(1&n))return rs(e,Ge()),null;var t=gs(e,n);if(0!==e.tag&&2===t){var r=hn(e);0!==r&&(n=r,t=as(e,r))}if(1===t)throw t=Di,ds(e,0),os(e,n),rs(e,Ge()),t;if(6===t)throw Error(a(345));return e.finishedWork=e.current.alternate,e.finishedLanes=n,ws(e,Ai,Wi),rs(e,Ge()),null}function ss(e,n){var t=Ni;Ni|=1;try{return e(n)}finally{0===(Ni=t)&&(Hi=Ge()+500,Vl&&Hl())}}function cs(e){null!==qi&&0===qi.tag&&0==(6&Ni)&&Ss();var n=Ni;Ni|=1;var t=zi.transition,r=kn;try{if(zi.transition=null,kn=1,e)return e()}finally{kn=r,zi.transition=t,0==(6&(Ni=n))&&Hl()}}function fs(){Mi=Fi.current,Cl(Fi)}function ds(e,n){e.finishedWork=null,e.finishedLanes=0;var t=e.timeoutHandle;if(-1!==t&&(e.timeoutHandle=-1,ll(t)),null!==Ti)for(t=Ti.return;null!==t;){var r=t;switch(na(r),r.tag){case 1:null!=(r=r.type.childContextTypes)&&Fl();break;case 3:Xa(),Cl(Pl),Cl(Nl),tu();break;case 5:Za(r);break;case 4:Xa();break;case 13:case 19:Cl(Ja);break;case 10:za(r.type._context);break;case 22:case 23:fs()}t=t.return}if(Pi=e,Ti=e=Fs(e.current,null),Li=Mi=n,Ri=0,Di=null,Ui=Ii=Oi=0,Ai=Vi=null,null!==La){for(n=0;n<La.length;n++)if(null!==(r=(t=La[n]).interleaved)){t.interleaved=null;var l=r.next,a=t.pending;if(null!==a){var u=a.next;a.next=l,r.next=u}t.pending=r}La=null}return e}function ps(e,n){for(;;){var t=Ti;try{if(_a(),ru.current=Gu,su){for(var r=uu.memoizedState;null!==r;){var l=r.queue;null!==l&&(l.pending=null),r=r.next}su=!1}if(au=0,iu=ou=uu=null,cu=!1,fu=0,_i.current=null,null===t||null===t.return){Ri=1,Di=n,Ti=null;break}e:{var u=e,o=t.return,i=t,s=n;if(n=Li,i.flags|=32768,null!==s&&"object"==typeof s&&"function"==typeof s.then){var c=s,f=i,d=f.tag;if(0==(1&f.mode)&&(0===d||11===d||15===d)){var p=f.alternate;p?(f.updateQueue=p.updateQueue,f.memoizedState=p.memoizedState,f.lanes=p.lanes):(f.updateQueue=null,f.memoizedState=null)}var m=go(o);if(null!==m){m.flags&=-257,vo(m,o,i,0,n),1&m.mode&&ho(u,c,n),s=c;var h=(n=m).updateQueue;if(null===h){var g=new Set;g.add(s),n.updateQueue=g}else h.add(s);break e}if(0==(1&n)){ho(u,c,n),hs();break e}s=Error(a(426))}else if(la&&1&i.mode){var v=go(o);if(null!==v){0==(65536&v.flags)&&(v.flags|=256),vo(v,o,i,0,n),ma(io(s,i));break e}}u=s=io(s,i),4!==Ri&&(Ri=2),null===Vi?Vi=[u]:Vi.push(u),u=o;do{switch(u.tag){case 3:u.flags|=65536,n&=-n,u.lanes|=n,Ba(u,po(0,s,n));break e;case 1:i=s;var y=u.type,b=u.stateNode;if(0==(128&u.flags)&&("function"==typeof y.getDerivedStateFromError||null!==b&&"function"==typeof b.componentDidCatch&&(null===$i||!$i.has(b)))){u.flags|=65536,n&=-n,u.lanes|=n,Ba(u,mo(u,i,n));break e}}u=u.return}while(null!==u)}ks(t)}catch(e){n=e,Ti===t&&null!==t&&(Ti=t=t.return);continue}break}}function ms(){var e=Ci.current;return Ci.current=Gu,null===e?Gu:e}function hs(){0!==Ri&&3!==Ri&&2!==Ri||(Ri=4),null===Pi||0==(268435455&Oi)&&0==(268435455&Ii)||os(Pi,Li)}function gs(e,n){var t=Ni;Ni|=2;var r=ms();for(Pi===e&&Li===n||(Wi=null,ds(e,n));;)try{vs();break}catch(n){ps(e,n)}if(_a(),Ni=t,Ci.current=r,null!==Ti)throw Error(a(261));return Pi=null,Li=0,Ri}function vs(){for(;null!==Ti;)bs(Ti)}function ys(){for(;null!==Ti&&!Ye();)bs(Ti)}function bs(e){var n=xi(e.alternate,e,Mi);e.memoizedProps=e.pendingProps,null===n?ks(e):Ti=n,_i.current=null}function ks(e){var n=e;do{var t=n.alternate;if(e=n.return,0==(32768&n.flags)){if(null!==(t=Ko(t,n,Mi)))return void(Ti=t)}else{if(null!==(t=qo(t,n)))return t.flags&=32767,void(Ti=t);if(null===e)return Ri=6,void(Ti=null);e.flags|=32768,e.subtreeFlags=0,e.deletions=null}if(null!==(n=n.sibling))return void(Ti=n);Ti=n=e}while(null!==n);0===Ri&&(Ri=5)}function ws(e,n,t){var r=kn,l=zi.transition;try{zi.transition=null,kn=1,function(e,n,t,r){do{Ss()}while(null!==qi);if(0!=(6&Ni))throw Error(a(327));t=e.finishedWork;var l=e.finishedLanes;if(null===t)return null;if(e.finishedWork=null,e.finishedLanes=0,t===e.current)throw Error(a(177));e.callbackNode=null,e.callbackPriority=0;var u=t.lanes|t.childLanes;if(function(e,n){var t=e.pendingLanes&~n;e.pendingLanes=n,e.suspendedLanes=0,e.pingedLanes=0,e.expiredLanes&=n,e.mutableReadLanes&=n,e.entangledLanes&=n,n=e.entanglements;var r=e.eventTimes;for(e=e.expirationTimes;0<t;){var l=31-un(t),a=1<<l;n[l]=0,r[l]=-1,e[l]=-1,t&=~a}}(e,u),e===Pi&&(Ti=Pi=null,Li=0),0==(2064&t.subtreeFlags)&&0==(2064&t.flags)||Ki||(Ki=!0,Ps(nn,(function(){return Ss(),null}))),u=0!=(15990&t.flags),0!=(15990&t.subtreeFlags)||u){u=zi.transition,zi.transition=null;var o=kn;kn=1;var i=Ni;Ni|=4,_i.current=null,function(e,n){if(el=jn,pr(e=dr())){if("selectionStart"in e)var t={start:e.selectionStart,end:e.selectionEnd};else e:{var r=(t=(t=e.ownerDocument)&&t.defaultView||window).getSelection&&t.getSelection();if(r&&0!==r.rangeCount){t=r.anchorNode;var l=r.anchorOffset,u=r.focusNode;r=r.focusOffset;try{t.nodeType,u.nodeType}catch(e){t=null;break e}var o=0,i=-1,s=-1,c=0,f=0,d=e,p=null;n:for(;;){for(var m;d!==t||0!==l&&3!==d.nodeType||(i=o+l),d!==u||0!==r&&3!==d.nodeType||(s=o+r),3===d.nodeType&&(o+=d.nodeValue.length),null!==(m=d.firstChild);)p=d,d=m;for(;;){if(d===e)break n;if(p===t&&++c===l&&(i=o),p===u&&++f===r&&(s=o),null!==(m=d.nextSibling))break;p=(d=p).parentNode}d=m}t=-1===i||-1===s?null:{start:i,end:s}}else t=null}t=t||{start:0,end:0}}else t=null;for(nl={focusedElem:e,selectionRange:t},jn=!1,Zo=n;null!==Zo;)if(e=(n=Zo).child,0!=(1028&n.subtreeFlags)&&null!==e)e.return=n,Zo=e;else for(;null!==Zo;){n=Zo;try{var h=n.alternate;if(0!=(1024&n.flags))switch(n.tag){case 0:case 11:case 15:case 5:case 6:case 4:case 17:break;case 1:if(null!==h){var g=h.memoizedProps,v=h.memoizedState,y=n.stateNode,b=y.getSnapshotBeforeUpdate(n.elementType===n.type?g:no(n.type,g),v);y.__reactInternalSnapshotBeforeUpdate=b}break;case 3:var k=n.stateNode.containerInfo;1===k.nodeType?k.textContent="":9===k.nodeType&&k.documentElement&&k.removeChild(k.documentElement);break;default:throw Error(a(163))}}catch(e){Es(n,n.return,e)}if(null!==(e=n.sibling)){e.return=n.return,Zo=e;break}Zo=n.return}h=ni,ni=!1}(e,t),gi(t,e),mr(nl),jn=!!el,nl=el=null,e.current=t,yi(t,e,l),Xe(),Ni=i,kn=o,zi.transition=u}else e.current=t;if(Ki&&(Ki=!1,qi=e,Yi=l),0===(u=e.pendingLanes)&&($i=null),function(e){if(an&&"function"==typeof an.onCommitFiberRoot)try{an.onCommitFiberRoot(ln,e,void 0,128==(128&e.current.flags))}catch(e){}}(t.stateNode),rs(e,Ge()),null!==n)for(r=e.onRecoverableError,t=0;t<n.length;t++)r((l=n[t]).value,{componentStack:l.stack,digest:l.digest});if(Qi)throw Qi=!1,e=ji,ji=null,e;0!=(1&Yi)&&0!==e.tag&&Ss(),0!=(1&(u=e.pendingLanes))?e===Gi?Xi++:(Xi=0,Gi=e):Xi=0,Hl()}(e,n,t,r)}finally{zi.transition=l,kn=r}return null}function Ss(){if(null!==qi){var e=wn(Yi),n=zi.transition,t=kn;try{if(zi.transition=null,kn=16>e?16:e,null===qi)var r=!1;else{if(e=qi,qi=null,Yi=0,0!=(6&Ni))throw Error(a(331));var l=Ni;for(Ni|=4,Zo=e.current;null!==Zo;){var u=Zo,o=u.child;if(0!=(16&Zo.flags)){var i=u.deletions;if(null!==i){for(var s=0;s<i.length;s++){var c=i[s];for(Zo=c;null!==Zo;){var f=Zo;switch(f.tag){case 0:case 11:case 15:ti(8,f,u)}var d=f.child;if(null!==d)d.return=f,Zo=d;else for(;null!==Zo;){var p=(f=Zo).sibling,m=f.return;if(ai(f),f===c){Zo=null;break}if(null!==p){p.return=m,Zo=p;break}Zo=m}}}var h=u.alternate;if(null!==h){var g=h.child;if(null!==g){h.child=null;do{var v=g.sibling;g.sibling=null,g=v}while(null!==g)}}Zo=u}}if(0!=(2064&u.subtreeFlags)&&null!==o)o.return=u,Zo=o;else e:for(;null!==Zo;){if(0!=(2048&(u=Zo).flags))switch(u.tag){case 0:case 11:case 15:ti(9,u,u.return)}var y=u.sibling;if(null!==y){y.return=u.return,Zo=y;break e}Zo=u.return}}var b=e.current;for(Zo=b;null!==Zo;){var k=(o=Zo).child;if(0!=(2064&o.subtreeFlags)&&null!==k)k.return=o,Zo=k;else e:for(o=b;null!==Zo;){if(0!=(2048&(i=Zo).flags))try{switch(i.tag){case 0:case 11:case 15:ri(9,i)}}catch(e){Es(i,i.return,e)}if(i===o){Zo=null;break e}var w=i.sibling;if(null!==w){w.return=i.return,Zo=w;break e}Zo=i.return}}if(Ni=l,Hl(),an&&"function"==typeof an.onPostCommitFiberRoot)try{an.onPostCommitFiberRoot(ln,e)}catch(e){}r=!0}return r}finally{kn=t,zi.transition=n}}return!1}function xs(e,n,t){e=Va(e,n=po(0,n=io(t,n),1),1),n=es(),null!==e&&(yn(e,1,n),rs(e,n))}function Es(e,n,t){if(3===e.tag)xs(e,e,t);else for(;null!==n;){if(3===n.tag){xs(n,e,t);break}if(1===n.tag){var r=n.stateNode;if("function"==typeof n.type.getDerivedStateFromError||"function"==typeof r.componentDidCatch&&(null===$i||!$i.has(r))){n=Va(n,e=mo(n,e=io(t,e),1),1),e=es(),null!==n&&(yn(n,1,e),rs(n,e));break}}n=n.return}}function Cs(e,n,t){var r=e.pingCache;null!==r&&r.delete(n),n=es(),e.pingedLanes|=e.suspendedLanes&t,Pi===e&&(Li&t)===t&&(4===Ri||3===Ri&&(130023424&Li)===Li&&500>Ge()-Bi?ds(e,0):Ui|=t),rs(e,n)}function _s(e,n){0===n&&(0==(1&e.mode)?n=1:(n=fn,0==(130023424&(fn<<=1))&&(fn=4194304)));var t=es();null!==(e=Ra(e,n))&&(yn(e,n,t),rs(e,t))}function zs(e){var n=e.memoizedState,t=0;null!==n&&(t=n.retryLane),_s(e,t)}function Ns(e,n){var t=0;switch(e.tag){case 13:var r=e.stateNode,l=e.memoizedState;null!==l&&(t=l.retryLane);break;case 19:r=e.stateNode;break;default:throw Error(a(314))}null!==r&&r.delete(n),_s(e,t)}function Ps(e,n){return Ke(e,n)}function Ts(e,n,t,r){this.tag=e,this.key=t,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=n,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=r,this.subtreeFlags=this.flags=0,this.deletions=null,this.childLanes=this.lanes=0,this.alternate=null}function Ls(e,n,t,r){return new Ts(e,n,t,r)}function Ms(e){return!(!(e=e.prototype)||!e.isReactComponent)}function Fs(e,n){var t=e.alternate;return null===t?((t=Ls(e.tag,n,e.key,e.mode)).elementType=e.elementType,t.type=e.type,t.stateNode=e.stateNode,t.alternate=e,e.alternate=t):(t.pendingProps=n,t.type=e.type,t.flags=0,t.subtreeFlags=0,t.deletions=null),t.flags=14680064&e.flags,t.childLanes=e.childLanes,t.lanes=e.lanes,t.child=e.child,t.memoizedProps=e.memoizedProps,t.memoizedState=e.memoizedState,t.updateQueue=e.updateQueue,n=e.dependencies,t.dependencies=null===n?null:{lanes:n.lanes,firstContext:n.firstContext},t.sibling=e.sibling,t.index=e.index,t.ref=e.ref,t}function Rs(e,n,t,r,l,u){var o=2;if(r=e,"function"==typeof e)Ms(e)&&(o=1);else if("string"==typeof e)o=5;else e:switch(e){case x:return Ds(t.children,l,u,n);case E:o=8,l|=8;break;case C:return(e=Ls(12,t,n,2|l)).elementType=C,e.lanes=u,e;case P:return(e=Ls(13,t,n,l)).elementType=P,e.lanes=u,e;case T:return(e=Ls(19,t,n,l)).elementType=T,e.lanes=u,e;case F:return Os(t,l,u,n);default:if("object"==typeof e&&null!==e)switch(e.$$typeof){case _:o=10;break e;case z:o=9;break e;case N:o=11;break e;case L:o=14;break e;case M:o=16,r=null;break e}throw Error(a(130,null==e?e:typeof e,""))}return(n=Ls(o,t,n,l)).elementType=e,n.type=r,n.lanes=u,n}function Ds(e,n,t,r){return(e=Ls(7,e,r,n)).lanes=t,e}function Os(e,n,t,r){return(e=Ls(22,e,r,n)).elementType=F,e.lanes=t,e.stateNode={isHidden:!1},e}function Is(e,n,t){return(e=Ls(6,e,null,n)).lanes=t,e}function Us(e,n,t){return(n=Ls(4,null!==e.children?e.children:[],e.key,n)).lanes=t,n.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},n}function Vs(e,n,t,r,l){this.tag=n,this.containerInfo=e,this.finishedWork=this.pingCache=this.current=this.pendingChildren=null,this.timeoutHandle=-1,this.callbackNode=this.pendingContext=this.context=null,this.callbackPriority=0,this.eventTimes=vn(0),this.expirationTimes=vn(-1),this.entangledLanes=this.finishedLanes=this.mutableReadLanes=this.expiredLanes=this.pingedLanes=this.suspendedLanes=this.pendingLanes=0,this.entanglements=vn(0),this.identifierPrefix=r,this.onRecoverableError=l,this.mutableSourceEagerHydrationData=null}function As(e,n,t,r,l,a,u,o,i){return e=new Vs(e,n,t,o,i),1===n?(n=1,!0===a&&(n|=8)):n=0,a=Ls(3,null,null,n),e.current=a,a.stateNode=e,a.memoizedState={element:r,isDehydrated:t,cache:null,transitions:null,pendingSuspenseBoundaries:null},Oa(a),e}function Bs(e){if(!e)return zl;e:{if(He(e=e._reactInternals)!==e||1!==e.tag)throw Error(a(170));var n=e;do{switch(n.tag){case 3:n=n.stateNode.context;break e;case 1:if(Ml(n.type)){n=n.stateNode.__reactInternalMemoizedMergedChildContext;break e}}n=n.return}while(null!==n);throw Error(a(171))}if(1===e.tag){var t=e.type;if(Ml(t))return Dl(e,t,n)}return n}function Hs(e,n,t,r,l,a,u,o,i){return(e=As(t,r,!0,e,0,a,0,o,i)).context=Bs(null),t=e.current,(a=Ua(r=es(),l=ns(t))).callback=null!=n?n:null,Va(t,a,l),e.current.lanes=l,yn(e,l,r),rs(e,r),e}function Ws(e,n,t,r){var l=n.current,a=es(),u=ns(l);return t=Bs(t),null===n.context?n.context=t:n.pendingContext=t,(n=Ua(a,u)).payload={element:e},null!==(r=void 0===r?null:r)&&(n.callback=r),null!==(e=Va(l,n,u))&&(ts(e,l,u,a),Aa(e,l,u)),u}function Qs(e){return(e=e.current).child?(e.child.tag,e.child.stateNode):null}function js(e,n){if(null!==(e=e.memoizedState)&&null!==e.dehydrated){var t=e.retryLane;e.retryLane=0!==t&&t<n?t:n}}function $s(e,n){js(e,n),(e=e.alternate)&&js(e,n)}xi=function(e,n,t){if(null!==e)if(e.memoizedProps!==n.pendingProps||Pl.current)bo=!0;else{if(0==(e.lanes&t)&&0==(128&n.flags))return bo=!1,function(e,n,t){switch(n.tag){case 3:Po(n),pa();break;case 5:Ga(n);break;case 1:Ml(n.type)&&Ol(n);break;case 4:Ya(n,n.stateNode.containerInfo);break;case 10:var r=n.type._context,l=n.memoizedProps.value;_l(Sa,r._currentValue),r._currentValue=l;break;case 13:if(null!==(r=n.memoizedState))return null!==r.dehydrated?(_l(Ja,1&Ja.current),n.flags|=128,null):0!=(t&n.child.childLanes)?Io(e,n,t):(_l(Ja,1&Ja.current),null!==(e=Qo(e,n,t))?e.sibling:null);_l(Ja,1&Ja.current);break;case 19:if(r=0!=(t&n.childLanes),0!=(128&e.flags)){if(r)return Ho(e,n,t);n.flags|=128}if(null!==(l=n.memoizedState)&&(l.rendering=null,l.tail=null,l.lastEffect=null),_l(Ja,Ja.current),r)break;return null;case 22:case 23:return n.lanes=0,Eo(e,n,t)}return Qo(e,n,t)}(e,n,t);bo=0!=(131072&e.flags)}else bo=!1,la&&0!=(1048576&n.flags)&&Jl(n,$l,n.index);switch(n.lanes=0,n.tag){case 2:var r=n.type;Wo(e,n),e=n.pendingProps;var l=Ll(n,Nl.current);Pa(n,t),l=hu(null,n,r,e,l,t);var u=gu();return n.flags|=1,"object"==typeof l&&null!==l&&"function"==typeof l.render&&void 0===l.$$typeof?(n.tag=1,n.memoizedState=null,n.updateQueue=null,Ml(r)?(u=!0,Ol(n)):u=!1,n.memoizedState=null!==l.state&&void 0!==l.state?l.state:null,Oa(n),l.updater=ro,n.stateNode=l,l._reactInternals=n,oo(n,r,e,t),n=No(null,n,r,!0,u,t)):(n.tag=0,la&&u&&ea(n),ko(null,n,l,t),n=n.child),n;case 16:r=n.elementType;e:{switch(Wo(e,n),e=n.pendingProps,r=(l=r._init)(r._payload),n.type=r,l=n.tag=function(e){if("function"==typeof e)return Ms(e)?1:0;if(null!=e){if((e=e.$$typeof)===N)return 11;if(e===L)return 14}return 2}(r),e=no(r,e),l){case 0:n=_o(null,n,r,e,t);break e;case 1:n=zo(null,n,r,e,t);break e;case 11:n=wo(null,n,r,e,t);break e;case 14:n=So(null,n,r,no(r.type,e),t);break e}throw Error(a(306,r,""))}return n;case 0:return r=n.type,l=n.pendingProps,_o(e,n,r,l=n.elementType===r?l:no(r,l),t);case 1:return r=n.type,l=n.pendingProps,zo(e,n,r,l=n.elementType===r?l:no(r,l),t);case 3:e:{if(Po(n),null===e)throw Error(a(387));r=n.pendingProps,l=(u=n.memoizedState).element,Ia(e,n),Ha(n,r,null,t);var o=n.memoizedState;if(r=o.element,u.isDehydrated){if(u={element:r,isDehydrated:!1,cache:o.cache,pendingSuspenseBoundaries:o.pendingSuspenseBoundaries,transitions:o.transitions},n.updateQueue.baseState=u,n.memoizedState=u,256&n.flags){n=To(e,n,r,t,l=io(Error(a(423)),n));break e}if(r!==l){n=To(e,n,r,t,l=io(Error(a(424)),n));break e}for(ra=sl(n.stateNode.containerInfo.firstChild),ta=n,la=!0,aa=null,t=wa(n,null,r,t),n.child=t;t;)t.flags=-3&t.flags|4096,t=t.sibling}else{if(pa(),r===l){n=Qo(e,n,t);break e}ko(e,n,r,t)}n=n.child}return n;case 5:return Ga(n),null===e&&sa(n),r=n.type,l=n.pendingProps,u=null!==e?e.memoizedProps:null,o=l.children,tl(r,l)?o=null:null!==u&&tl(r,u)&&(n.flags|=32),Co(e,n),ko(e,n,o,t),n.child;case 6:return null===e&&sa(n),null;case 13:return Io(e,n,t);case 4:return Ya(n,n.stateNode.containerInfo),r=n.pendingProps,null===e?n.child=ka(n,null,r,t):ko(e,n,r,t),n.child;case 11:return r=n.type,l=n.pendingProps,wo(e,n,r,l=n.elementType===r?l:no(r,l),t);case 7:return ko(e,n,n.pendingProps,t),n.child;case 8:case 12:return ko(e,n,n.pendingProps.children,t),n.child;case 10:e:{if(r=n.type._context,l=n.pendingProps,u=n.memoizedProps,o=l.value,_l(Sa,r._currentValue),r._currentValue=o,null!==u)if(or(u.value,o)){if(u.children===l.children&&!Pl.current){n=Qo(e,n,t);break e}}else for(null!==(u=n.child)&&(u.return=n);null!==u;){var i=u.dependencies;if(null!==i){o=u.child;for(var s=i.firstContext;null!==s;){if(s.context===r){if(1===u.tag){(s=Ua(-1,t&-t)).tag=2;var c=u.updateQueue;if(null!==c){var f=(c=c.shared).pending;null===f?s.next=s:(s.next=f.next,f.next=s),c.pending=s}}u.lanes|=t,null!==(s=u.alternate)&&(s.lanes|=t),Na(u.return,t,n),i.lanes|=t;break}s=s.next}}else if(10===u.tag)o=u.type===n.type?null:u.child;else if(18===u.tag){if(null===(o=u.return))throw Error(a(341));o.lanes|=t,null!==(i=o.alternate)&&(i.lanes|=t),Na(o,t,n),o=u.sibling}else o=u.child;if(null!==o)o.return=u;else for(o=u;null!==o;){if(o===n){o=null;break}if(null!==(u=o.sibling)){u.return=o.return,o=u;break}o=o.return}u=o}ko(e,n,l.children,t),n=n.child}return n;case 9:return l=n.type,r=n.pendingProps.children,Pa(n,t),r=r(l=Ta(l)),n.flags|=1,ko(e,n,r,t),n.child;case 14:return l=no(r=n.type,n.pendingProps),So(e,n,r,l=no(r.type,l),t);case 15:return xo(e,n,n.type,n.pendingProps,t);case 17:return r=n.type,l=n.pendingProps,l=n.elementType===r?l:no(r,l),Wo(e,n),n.tag=1,Ml(r)?(e=!0,Ol(n)):e=!1,Pa(n,t),ao(n,r,l),oo(n,r,l,t),No(null,n,r,!0,e,t);case 19:return Ho(e,n,t);case 22:return Eo(e,n,t)}throw Error(a(156,n.tag))};var Ks="function"==typeof reportError?reportError:function(e){console.error(e)};function qs(e){this._internalRoot=e}function Ys(e){this._internalRoot=e}function Xs(e){return!(!e||1!==e.nodeType&&9!==e.nodeType&&11!==e.nodeType)}function Gs(e){return!(!e||1!==e.nodeType&&9!==e.nodeType&&11!==e.nodeType&&(8!==e.nodeType||" react-mount-point-unstable "!==e.nodeValue))}function Zs(){}function Js(e,n,t,r,l){var a=t._reactRootContainer;if(a){var u=a;if("function"==typeof l){var o=l;l=function(){var e=Qs(u);o.call(e)}}Ws(n,u,e,l)}else u=function(e,n,t,r,l){if(l){if("function"==typeof r){var a=r;r=function(){var e=Qs(u);a.call(e)}}var u=Hs(n,r,e,0,null,!1,0,"",Zs);return e._reactRootContainer=u,e[ml]=u.current,Hr(8===e.nodeType?e.parentNode:e),cs(),u}for(;l=e.lastChild;)e.removeChild(l);if("function"==typeof r){var o=r;r=function(){var e=Qs(i);o.call(e)}}var i=As(e,0,!1,null,0,!1,0,"",Zs);return e._reactRootContainer=i,e[ml]=i.current,Hr(8===e.nodeType?e.parentNode:e),cs((function(){Ws(n,i,t,r)})),i}(t,n,e,l,r);return Qs(u)}Ys.prototype.render=qs.prototype.render=function(e){var n=this._internalRoot;if(null===n)throw Error(a(409));Ws(e,n,null,null)},Ys.prototype.unmount=qs.prototype.unmount=function(){var e=this._internalRoot;if(null!==e){this._internalRoot=null;var n=e.containerInfo;cs((function(){Ws(null,e,null,null)})),n[ml]=null}},Ys.prototype.unstable_scheduleHydration=function(e){if(e){var n=Cn();e={blockedOn:null,target:e,priority:n};for(var t=0;t<Rn.length&&0!==n&&n<Rn[t].priority;t++);Rn.splice(t,0,e),0===t&&Un(e)}},Sn=function(e){switch(e.tag){case 3:var n=e.stateNode;if(n.current.memoizedState.isDehydrated){var t=dn(n.pendingLanes);0!==t&&(bn(n,1|t),rs(n,Ge()),0==(6&Ni)&&(Hi=Ge()+500,Hl()))}break;case 13:cs((function(){var n=Ra(e,1);if(null!==n){var t=es();ts(n,e,1,t)}})),$s(e,1)}},xn=function(e){if(13===e.tag){var n=Ra(e,134217728);null!==n&&ts(n,e,134217728,es()),$s(e,134217728)}},En=function(e){if(13===e.tag){var n=ns(e),t=Ra(e,n);null!==t&&ts(t,e,n,es()),$s(e,n)}},Cn=function(){return kn},_n=function(e,n){var t=kn;try{return kn=e,n()}finally{kn=t}},Se=function(e,n,t){switch(n){case"input":if(Z(e,t),n=t.name,"radio"===t.type&&null!=n){for(t=e;t.parentNode;)t=t.parentNode;for(t=t.querySelectorAll("input[name="+JSON.stringify(""+n)+'][type="radio"]'),n=0;n<t.length;n++){var r=t[n];if(r!==e&&r.form===e.form){var l=wl(r);if(!l)throw Error(a(90));K(r),Z(r,l)}}}break;case"textarea":ae(e,t);break;case"select":null!=(n=t.value)&&te(e,!!t.multiple,n,!1)}},Ne=ss,Pe=cs;var ec={usingClientEntryPoint:!1,Events:[bl,kl,wl,_e,ze,ss]},nc={findFiberByHostInstance:yl,bundleType:0,version:"18.3.1",rendererPackageName:"react-dom"},tc={bundleType:nc.bundleType,version:nc.version,rendererPackageName:nc.rendererPackageName,rendererConfig:nc.rendererConfig,overrideHookState:null,overrideHookStateDeletePath:null,overrideHookStateRenamePath:null,overrideProps:null,overridePropsDeletePath:null,overridePropsRenamePath:null,setErrorHandler:null,setSuspenseHandler:null,scheduleUpdate:null,currentDispatcherRef:k.ReactCurrentDispatcher,findHostInstanceByFiber:function(e){return null===(e=je(e))?null:e.stateNode},findFiberByHostInstance:nc.findFiberByHostInstance||function(){return null},findHostInstancesForRefresh:null,scheduleRefresh:null,scheduleRoot:null,setRefreshHandler:null,getCurrentFiber:null,reconcilerVersion:"18.3.1-next-f1338f8080-20240426"};if("undefined"!=typeof __REACT_DEVTOOLS_GLOBAL_HOOK__){var rc=__REACT_DEVTOOLS_GLOBAL_HOOK__;if(!rc.isDisabled&&rc.supportsFiber)try{ln=rc.inject(tc),an=rc}catch(ce){}}n.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=ec,n.createPortal=function(e,n){var t=2<arguments.length&&void 0!==arguments[2]?arguments[2]:null;if(!Xs(n))throw Error(a(200));return function(e,n,t){var r=3<arguments.length&&void 0!==arguments[3]?arguments[3]:null;return{$$typeof:S,key:null==r?null:""+r,children:e,containerInfo:n,implementation:t}}(e,n,null,t)},n.createRoot=function(e,n){if(!Xs(e))throw Error(a(299));var t=!1,r="",l=Ks;return null!=n&&(!0===n.unstable_strictMode&&(t=!0),void 0!==n.identifierPrefix&&(r=n.identifierPrefix),void 0!==n.onRecoverableError&&(l=n.onRecoverableError)),n=As(e,1,!1,null,0,t,0,r,l),e[ml]=n.current,Hr(8===e.nodeType?e.parentNode:e),new qs(n)},n.findDOMNode=function(e){if(null==e)return null;if(1===e.nodeType)return e;var n=e._reactInternals;if(void 0===n){if("function"==typeof e.render)throw Error(a(188));throw e=Object.keys(e).join(","),Error(a(268,e))}return null===(e=je(n))?null:e.stateNode},n.flushSync=function(e){return cs(e)},n.hydrate=function(e,n,t){if(!Gs(n))throw Error(a(200));return Js(null,e,n,!0,t)},n.hydrateRoot=function(e,n,t){if(!Xs(e))throw Error(a(405));var r=null!=t&&t.hydratedSources||null,l=!1,u="",o=Ks;if(null!=t&&(!0===t.unstable_strictMode&&(l=!0),void 0!==t.identifierPrefix&&(u=t.identifierPrefix),void 0!==t.onRecoverableError&&(o=t.onRecoverableError)),n=Hs(n,null,e,1,null!=t?t:null,l,0,u,o),e[ml]=n.current,Hr(e),r)for(e=0;e<r.length;e++)l=(l=(t=r[e])._getVersion)(t._source),null==n.mutableSourceEagerHydrationData?n.mutableSourceEagerHydrationData=[t,l]:n.mutableSourceEagerHydrationData.push(t,l);return new Ys(n)},n.render=function(e,n,t){if(!Gs(n))throw Error(a(200));return Js(null,e,n,!1,t)},n.unmountComponentAtNode=function(e){if(!Gs(e))throw Error(a(40));return!!e._reactRootContainer&&(cs((function(){Js(null,null,e,!1,(function(){e._reactRootContainer=null,e[ml]=null}))})),!0)},n.unstable_batchedUpdates=ss,n.unstable_renderSubtreeIntoContainer=function(e,n,t,r){if(!Gs(t))throw Error(a(200));if(null==e||void 0===e._reactInternals)throw Error(a(38));return Js(e,n,t,!1,r)},n.version="18.3.1-next-f1338f8080-20240426"},961:(e,n,t)=>{!function e(){if("undefined"!=typeof __REACT_DEVTOOLS_GLOBAL_HOOK__&&"function"==typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE)try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(e)}catch(e){console.error(e)}}(),e.exports=t(551)},463:(e,n)=>{function t(e,n){var t=e.length;e.push(n);e:for(;0<t;){var r=t-1>>>1,l=e[r];if(!(0<a(l,n)))break e;e[r]=n,e[t]=l,t=r}}function r(e){return 0===e.length?null:e[0]}function l(e){if(0===e.length)return null;var n=e[0],t=e.pop();if(t!==n){e[0]=t;e:for(var r=0,l=e.length,u=l>>>1;r<u;){var o=2*(r+1)-1,i=e[o],s=o+1,c=e[s];if(0>a(i,t))s<l&&0>a(c,i)?(e[r]=c,e[s]=t,r=s):(e[r]=i,e[o]=t,r=o);else{if(!(s<l&&0>a(c,t)))break e;e[r]=c,e[s]=t,r=s}}}return n}function a(e,n){var t=e.sortIndex-n.sortIndex;return 0!==t?t:e.id-n.id}if("object"==typeof performance&&"function"==typeof performance.now){var u=performance;n.unstable_now=function(){return u.now()}}else{var o=Date,i=o.now();n.unstable_now=function(){return o.now()-i}}var s=[],c=[],f=1,d=null,p=3,m=!1,h=!1,g=!1,v="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,b="undefined"!=typeof setImmediate?setImmediate:null;function k(e){for(var n=r(c);null!==n;){if(null===n.callback)l(c);else{if(!(n.startTime<=e))break;l(c),n.sortIndex=n.expirationTime,t(s,n)}n=r(c)}}function w(e){if(g=!1,k(e),!h)if(null!==r(s))h=!0,F(S);else{var n=r(c);null!==n&&R(w,n.startTime-e)}}function S(e,t){h=!1,g&&(g=!1,y(_),_=-1),m=!0;var a=p;try{for(k(t),d=r(s);null!==d&&(!(d.expirationTime>t)||e&&!P());){var u=d.callback;if("function"==typeof u){d.callback=null,p=d.priorityLevel;var o=u(d.expirationTime<=t);t=n.unstable_now(),"function"==typeof o?d.callback=o:d===r(s)&&l(s),k(t)}else l(s);d=r(s)}if(null!==d)var i=!0;else{var f=r(c);null!==f&&R(w,f.startTime-t),i=!1}return i}finally{d=null,p=a,m=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var x,E=!1,C=null,_=-1,z=5,N=-1;function P(){return!(n.unstable_now()-N<z)}function T(){if(null!==C){var e=n.unstable_now();N=e;var t=!0;try{t=C(!0,e)}finally{t?x():(E=!1,C=null)}}else E=!1}if("function"==typeof b)x=function(){b(T)};else if("undefined"!=typeof MessageChannel){var L=new MessageChannel,M=L.port2;L.port1.onmessage=T,x=function(){M.postMessage(null)}}else x=function(){v(T,0)};function F(e){C=e,E||(E=!0,x())}function R(e,t){_=v((function(){e(n.unstable_now())}),t)}n.unstable_IdlePriority=5,n.unstable_ImmediatePriority=1,n.unstable_LowPriority=4,n.unstable_NormalPriority=3,n.unstable_Profiling=null,n.unstable_UserBlockingPriority=2,n.unstable_cancelCallback=function(e){e.callback=null},n.unstable_continueExecution=function(){h||m||(h=!0,F(S))},n.unstable_forceFrameRate=function(e){0>e||125<e?console.error("forceFrameRate takes a positive int between 0 and 125, forcing frame rates higher than 125 fps is not supported"):z=0<e?Math.floor(1e3/e):5},n.unstable_getCurrentPriorityLevel=function(){return p},n.unstable_getFirstCallbackNode=function(){return r(s)},n.unstable_next=function(e){switch(p){case 1:case 2:case 3:var n=3;break;default:n=p}var t=p;p=n;try{return e()}finally{p=t}},n.unstable_pauseExecution=function(){},n.unstable_requestPaint=function(){},n.unstable_runWithPriority=function(e,n){switch(e){case 1:case 2:case 3:case 4:case 5:break;default:e=3}var t=p;p=e;try{return n()}finally{p=t}},n.unstable_scheduleCallback=function(e,l,a){var u=n.unstable_now();switch(a="object"==typeof a&&null!==a&&"number"==typeof(a=a.delay)&&0<a?u+a:u,e){case 1:var o=-1;break;case 2:o=250;break;case 5:o=1073741823;break;case 4:o=1e4;break;default:o=5e3}return e={id:f++,callback:l,priorityLevel:e,startTime:a,expirationTime:o=a+o,sortIndex:-1},a>u?(e.sortIndex=a,t(c,e),null===r(s)&&e===r(c)&&(g?(y(_),_=-1):g=!0,R(w,a-u))):(e.sortIndex=o,t(s,e),h||m||(h=!0,F(S))),e},n.unstable_shouldYield=P,n.unstable_wrapCallback=function(e){var n=p;return function(){var t=p;p=n;try{return e.apply(this,arguments)}finally{p=t}}}},982:(e,n,t)=>{e.exports=t(463)},594:e=>{e.exports=React}},n={},t=function t(r){var l=n[r];if(void 0!==l)return l.exports;var a=n[r]={exports:{}};return e[r](a,a.exports,t),a.exports}(961);window.ReactDOM=t})();react.js000064400000267055151334462320006222 0ustar00/*
 * ATTENTION: The "eval" devtool has been used (maybe by default in mode: "development").
 * This devtool is neither made for production nor for readable output files.
 * It uses "eval()" calls to create a separate source file in the browser devtools.
 * If you are trying to read the output file, select a different devtool (https://webpack.js.org/configuration/devtool/)
 * or disable the default devtool with "devtool: false".
 * If you are looking for production-ready output files, see mode: "production" (https://webpack.js.org/configuration/mode/).
 */
/******/ (() => { // webpackBootstrap
/******/ 	"use strict";
/******/ 	var __webpack_modules__ = ({

/***/ "./node_modules/react/cjs/react.development.js":
/*!*****************************************************!*\
  !*** ./node_modules/react/cjs/react.development.js ***!
  \*****************************************************/
/***/ ((module, exports, __webpack_require__) => {

eval("/* module decorator */ module = __webpack_require__.nmd(module);\n/**\n * @license React\n * react.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n\n\nif (true) {\n  (function() {\n\n          'use strict';\n\n/* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart ===\n    'function'\n) {\n  __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error());\n}\n          var ReactVersion = '18.3.1';\n\n// ATTENTION\n// When adding new symbols to this file,\n// Please consider also adding to 'react-devtools-shared/src/backend/ReactSymbols'\n// The Symbol used to tag the ReactElement-like types.\nvar REACT_ELEMENT_TYPE = Symbol.for('react.element');\nvar REACT_PORTAL_TYPE = Symbol.for('react.portal');\nvar REACT_FRAGMENT_TYPE = Symbol.for('react.fragment');\nvar REACT_STRICT_MODE_TYPE = Symbol.for('react.strict_mode');\nvar REACT_PROFILER_TYPE = Symbol.for('react.profiler');\nvar REACT_PROVIDER_TYPE = Symbol.for('react.provider');\nvar REACT_CONTEXT_TYPE = Symbol.for('react.context');\nvar REACT_FORWARD_REF_TYPE = Symbol.for('react.forward_ref');\nvar REACT_SUSPENSE_TYPE = Symbol.for('react.suspense');\nvar REACT_SUSPENSE_LIST_TYPE = Symbol.for('react.suspense_list');\nvar REACT_MEMO_TYPE = Symbol.for('react.memo');\nvar REACT_LAZY_TYPE = Symbol.for('react.lazy');\nvar REACT_OFFSCREEN_TYPE = Symbol.for('react.offscreen');\nvar MAYBE_ITERATOR_SYMBOL = Symbol.iterator;\nvar FAUX_ITERATOR_SYMBOL = '@@iterator';\nfunction getIteratorFn(maybeIterable) {\n  if (maybeIterable === null || typeof maybeIterable !== 'object') {\n    return null;\n  }\n\n  var maybeIterator = MAYBE_ITERATOR_SYMBOL && maybeIterable[MAYBE_ITERATOR_SYMBOL] || maybeIterable[FAUX_ITERATOR_SYMBOL];\n\n  if (typeof maybeIterator === 'function') {\n    return maybeIterator;\n  }\n\n  return null;\n}\n\n/**\n * Keeps track of the current dispatcher.\n */\nvar ReactCurrentDispatcher = {\n  /**\n   * @internal\n   * @type {ReactComponent}\n   */\n  current: null\n};\n\n/**\n * Keeps track of the current batch's configuration such as how long an update\n * should suspend for if it needs to.\n */\nvar ReactCurrentBatchConfig = {\n  transition: null\n};\n\nvar ReactCurrentActQueue = {\n  current: null,\n  // Used to reproduce behavior of `batchedUpdates` in legacy mode.\n  isBatchingLegacy: false,\n  didScheduleLegacyUpdate: false\n};\n\n/**\n * Keeps track of the current owner.\n *\n * The current owner is the component who should own any components that are\n * currently being constructed.\n */\nvar ReactCurrentOwner = {\n  /**\n   * @internal\n   * @type {ReactComponent}\n   */\n  current: null\n};\n\nvar ReactDebugCurrentFrame = {};\nvar currentExtraStackFrame = null;\nfunction setExtraStackFrame(stack) {\n  {\n    currentExtraStackFrame = stack;\n  }\n}\n\n{\n  ReactDebugCurrentFrame.setExtraStackFrame = function (stack) {\n    {\n      currentExtraStackFrame = stack;\n    }\n  }; // Stack implementation injected by the current renderer.\n\n\n  ReactDebugCurrentFrame.getCurrentStack = null;\n\n  ReactDebugCurrentFrame.getStackAddendum = function () {\n    var stack = ''; // Add an extra top frame while an element is being validated\n\n    if (currentExtraStackFrame) {\n      stack += currentExtraStackFrame;\n    } // Delegate to the injected renderer-specific implementation\n\n\n    var impl = ReactDebugCurrentFrame.getCurrentStack;\n\n    if (impl) {\n      stack += impl() || '';\n    }\n\n    return stack;\n  };\n}\n\n// -----------------------------------------------------------------------------\n\nvar enableScopeAPI = false; // Experimental Create Event Handle API.\nvar enableCacheElement = false;\nvar enableTransitionTracing = false; // No known bugs, but needs performance testing\n\nvar enableLegacyHidden = false; // Enables unstable_avoidThisFallback feature in Fiber\n// stuff. Intended to enable React core members to more easily debug scheduling\n// issues in DEV builds.\n\nvar enableDebugTracing = false; // Track which Fiber(s) schedule render work.\n\nvar ReactSharedInternals = {\n  ReactCurrentDispatcher: ReactCurrentDispatcher,\n  ReactCurrentBatchConfig: ReactCurrentBatchConfig,\n  ReactCurrentOwner: ReactCurrentOwner\n};\n\n{\n  ReactSharedInternals.ReactDebugCurrentFrame = ReactDebugCurrentFrame;\n  ReactSharedInternals.ReactCurrentActQueue = ReactCurrentActQueue;\n}\n\n// by calls to these methods by a Babel plugin.\n//\n// In PROD (or in packages without access to React internals),\n// they are left as they are instead.\n\nfunction warn(format) {\n  {\n    {\n      for (var _len = arguments.length, args = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n        args[_key - 1] = arguments[_key];\n      }\n\n      printWarning('warn', format, args);\n    }\n  }\n}\nfunction error(format) {\n  {\n    {\n      for (var _len2 = arguments.length, args = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) {\n        args[_key2 - 1] = arguments[_key2];\n      }\n\n      printWarning('error', format, args);\n    }\n  }\n}\n\nfunction printWarning(level, format, args) {\n  // When changing this logic, you might want to also\n  // update consoleWithStackDev.www.js as well.\n  {\n    var ReactDebugCurrentFrame = ReactSharedInternals.ReactDebugCurrentFrame;\n    var stack = ReactDebugCurrentFrame.getStackAddendum();\n\n    if (stack !== '') {\n      format += '%s';\n      args = args.concat([stack]);\n    } // eslint-disable-next-line react-internal/safe-string-coercion\n\n\n    var argsWithFormat = args.map(function (item) {\n      return String(item);\n    }); // Careful: RN currently depends on this prefix\n\n    argsWithFormat.unshift('Warning: ' + format); // We intentionally don't use spread (or .apply) directly because it\n    // breaks IE9: https://github.com/facebook/react/issues/13610\n    // eslint-disable-next-line react-internal/no-production-logging\n\n    Function.prototype.apply.call(console[level], console, argsWithFormat);\n  }\n}\n\nvar didWarnStateUpdateForUnmountedComponent = {};\n\nfunction warnNoop(publicInstance, callerName) {\n  {\n    var _constructor = publicInstance.constructor;\n    var componentName = _constructor && (_constructor.displayName || _constructor.name) || 'ReactClass';\n    var warningKey = componentName + \".\" + callerName;\n\n    if (didWarnStateUpdateForUnmountedComponent[warningKey]) {\n      return;\n    }\n\n    error(\"Can't call %s on a component that is not yet mounted. \" + 'This is a no-op, but it might indicate a bug in your application. ' + 'Instead, assign to `this.state` directly or define a `state = {};` ' + 'class property with the desired state in the %s component.', callerName, componentName);\n\n    didWarnStateUpdateForUnmountedComponent[warningKey] = true;\n  }\n}\n/**\n * This is the abstract API for an update queue.\n */\n\n\nvar ReactNoopUpdateQueue = {\n  /**\n   * Checks whether or not this composite component is mounted.\n   * @param {ReactClass} publicInstance The instance we want to test.\n   * @return {boolean} True if mounted, false otherwise.\n   * @protected\n   * @final\n   */\n  isMounted: function (publicInstance) {\n    return false;\n  },\n\n  /**\n   * Forces an update. This should only be invoked when it is known with\n   * certainty that we are **not** in a DOM transaction.\n   *\n   * You may want to call this when you know that some deeper aspect of the\n   * component's state has changed but `setState` was not called.\n   *\n   * This will not invoke `shouldComponentUpdate`, but it will invoke\n   * `componentWillUpdate` and `componentDidUpdate`.\n   *\n   * @param {ReactClass} publicInstance The instance that should rerender.\n   * @param {?function} callback Called after component is updated.\n   * @param {?string} callerName name of the calling function in the public API.\n   * @internal\n   */\n  enqueueForceUpdate: function (publicInstance, callback, callerName) {\n    warnNoop(publicInstance, 'forceUpdate');\n  },\n\n  /**\n   * Replaces all of the state. Always use this or `setState` to mutate state.\n   * You should treat `this.state` as immutable.\n   *\n   * There is no guarantee that `this.state` will be immediately updated, so\n   * accessing `this.state` after calling this method may return the old value.\n   *\n   * @param {ReactClass} publicInstance The instance that should rerender.\n   * @param {object} completeState Next state.\n   * @param {?function} callback Called after component is updated.\n   * @param {?string} callerName name of the calling function in the public API.\n   * @internal\n   */\n  enqueueReplaceState: function (publicInstance, completeState, callback, callerName) {\n    warnNoop(publicInstance, 'replaceState');\n  },\n\n  /**\n   * Sets a subset of the state. This only exists because _pendingState is\n   * internal. This provides a merging strategy that is not available to deep\n   * properties which is confusing. TODO: Expose pendingState or don't use it\n   * during the merge.\n   *\n   * @param {ReactClass} publicInstance The instance that should rerender.\n   * @param {object} partialState Next partial state to be merged with state.\n   * @param {?function} callback Called after component is updated.\n   * @param {?string} Name of the calling function in the public API.\n   * @internal\n   */\n  enqueueSetState: function (publicInstance, partialState, callback, callerName) {\n    warnNoop(publicInstance, 'setState');\n  }\n};\n\nvar assign = Object.assign;\n\nvar emptyObject = {};\n\n{\n  Object.freeze(emptyObject);\n}\n/**\n * Base class helpers for the updating state of a component.\n */\n\n\nfunction Component(props, context, updater) {\n  this.props = props;\n  this.context = context; // If a component has string refs, we will assign a different object later.\n\n  this.refs = emptyObject; // We initialize the default updater but the real one gets injected by the\n  // renderer.\n\n  this.updater = updater || ReactNoopUpdateQueue;\n}\n\nComponent.prototype.isReactComponent = {};\n/**\n * Sets a subset of the state. Always use this to mutate\n * state. You should treat `this.state` as immutable.\n *\n * There is no guarantee that `this.state` will be immediately updated, so\n * accessing `this.state` after calling this method may return the old value.\n *\n * There is no guarantee that calls to `setState` will run synchronously,\n * as they may eventually be batched together.  You can provide an optional\n * callback that will be executed when the call to setState is actually\n * completed.\n *\n * When a function is provided to setState, it will be called at some point in\n * the future (not synchronously). It will be called with the up to date\n * component arguments (state, props, context). These values can be different\n * from this.* because your function may be called after receiveProps but before\n * shouldComponentUpdate, and this new state, props, and context will not yet be\n * assigned to this.\n *\n * @param {object|function} partialState Next partial state or function to\n *        produce next partial state to be merged with current state.\n * @param {?function} callback Called after state is updated.\n * @final\n * @protected\n */\n\nComponent.prototype.setState = function (partialState, callback) {\n  if (typeof partialState !== 'object' && typeof partialState !== 'function' && partialState != null) {\n    throw new Error('setState(...): takes an object of state variables to update or a ' + 'function which returns an object of state variables.');\n  }\n\n  this.updater.enqueueSetState(this, partialState, callback, 'setState');\n};\n/**\n * Forces an update. This should only be invoked when it is known with\n * certainty that we are **not** in a DOM transaction.\n *\n * You may want to call this when you know that some deeper aspect of the\n * component's state has changed but `setState` was not called.\n *\n * This will not invoke `shouldComponentUpdate`, but it will invoke\n * `componentWillUpdate` and `componentDidUpdate`.\n *\n * @param {?function} callback Called after update is complete.\n * @final\n * @protected\n */\n\n\nComponent.prototype.forceUpdate = function (callback) {\n  this.updater.enqueueForceUpdate(this, callback, 'forceUpdate');\n};\n/**\n * Deprecated APIs. These APIs used to exist on classic React classes but since\n * we would like to deprecate them, we're not going to move them over to this\n * modern base class. Instead, we define a getter that warns if it's accessed.\n */\n\n\n{\n  var deprecatedAPIs = {\n    isMounted: ['isMounted', 'Instead, make sure to clean up subscriptions and pending requests in ' + 'componentWillUnmount to prevent memory leaks.'],\n    replaceState: ['replaceState', 'Refactor your code to use setState instead (see ' + 'https://github.com/facebook/react/issues/3236).']\n  };\n\n  var defineDeprecationWarning = function (methodName, info) {\n    Object.defineProperty(Component.prototype, methodName, {\n      get: function () {\n        warn('%s(...) is deprecated in plain JavaScript React classes. %s', info[0], info[1]);\n\n        return undefined;\n      }\n    });\n  };\n\n  for (var fnName in deprecatedAPIs) {\n    if (deprecatedAPIs.hasOwnProperty(fnName)) {\n      defineDeprecationWarning(fnName, deprecatedAPIs[fnName]);\n    }\n  }\n}\n\nfunction ComponentDummy() {}\n\nComponentDummy.prototype = Component.prototype;\n/**\n * Convenience component with default shallow equality check for sCU.\n */\n\nfunction PureComponent(props, context, updater) {\n  this.props = props;\n  this.context = context; // If a component has string refs, we will assign a different object later.\n\n  this.refs = emptyObject;\n  this.updater = updater || ReactNoopUpdateQueue;\n}\n\nvar pureComponentPrototype = PureComponent.prototype = new ComponentDummy();\npureComponentPrototype.constructor = PureComponent; // Avoid an extra prototype jump for these methods.\n\nassign(pureComponentPrototype, Component.prototype);\npureComponentPrototype.isPureReactComponent = true;\n\n// an immutable object with a single mutable value\nfunction createRef() {\n  var refObject = {\n    current: null\n  };\n\n  {\n    Object.seal(refObject);\n  }\n\n  return refObject;\n}\n\nvar isArrayImpl = Array.isArray; // eslint-disable-next-line no-redeclare\n\nfunction isArray(a) {\n  return isArrayImpl(a);\n}\n\n/*\n * The `'' + value` pattern (used in in perf-sensitive code) throws for Symbol\n * and Temporal.* types. See https://github.com/facebook/react/pull/22064.\n *\n * The functions in this module will throw an easier-to-understand,\n * easier-to-debug exception with a clear errors message message explaining the\n * problem. (Instead of a confusing exception thrown inside the implementation\n * of the `value` object).\n */\n// $FlowFixMe only called in DEV, so void return is not possible.\nfunction typeName(value) {\n  {\n    // toStringTag is needed for namespaced types like Temporal.Instant\n    var hasToStringTag = typeof Symbol === 'function' && Symbol.toStringTag;\n    var type = hasToStringTag && value[Symbol.toStringTag] || value.constructor.name || 'Object';\n    return type;\n  }\n} // $FlowFixMe only called in DEV, so void return is not possible.\n\n\nfunction willCoercionThrow(value) {\n  {\n    try {\n      testStringCoercion(value);\n      return false;\n    } catch (e) {\n      return true;\n    }\n  }\n}\n\nfunction testStringCoercion(value) {\n  // If you ended up here by following an exception call stack, here's what's\n  // happened: you supplied an object or symbol value to React (as a prop, key,\n  // DOM attribute, CSS property, string ref, etc.) and when React tried to\n  // coerce it to a string using `'' + value`, an exception was thrown.\n  //\n  // The most common types that will cause this exception are `Symbol` instances\n  // and Temporal objects like `Temporal.Instant`. But any object that has a\n  // `valueOf` or `[Symbol.toPrimitive]` method that throws will also cause this\n  // exception. (Library authors do this to prevent users from using built-in\n  // numeric operators like `+` or comparison operators like `>=` because custom\n  // methods are needed to perform accurate arithmetic or comparison.)\n  //\n  // To fix the problem, coerce this object or symbol value to a string before\n  // passing it to React. The most reliable way is usually `String(value)`.\n  //\n  // To find which value is throwing, check the browser or debugger console.\n  // Before this exception was thrown, there should be `console.error` output\n  // that shows the type (Symbol, Temporal.PlainDate, etc.) that caused the\n  // problem and how that type was used: key, atrribute, input value prop, etc.\n  // In most cases, this console output also shows the component and its\n  // ancestor components where the exception happened.\n  //\n  // eslint-disable-next-line react-internal/safe-string-coercion\n  return '' + value;\n}\nfunction checkKeyStringCoercion(value) {\n  {\n    if (willCoercionThrow(value)) {\n      error('The provided key is an unsupported type %s.' + ' This value must be coerced to a string before before using it here.', typeName(value));\n\n      return testStringCoercion(value); // throw (to help callers find troubleshooting comments)\n    }\n  }\n}\n\nfunction getWrappedName(outerType, innerType, wrapperName) {\n  var displayName = outerType.displayName;\n\n  if (displayName) {\n    return displayName;\n  }\n\n  var functionName = innerType.displayName || innerType.name || '';\n  return functionName !== '' ? wrapperName + \"(\" + functionName + \")\" : wrapperName;\n} // Keep in sync with react-reconciler/getComponentNameFromFiber\n\n\nfunction getContextName(type) {\n  return type.displayName || 'Context';\n} // Note that the reconciler package should generally prefer to use getComponentNameFromFiber() instead.\n\n\nfunction getComponentNameFromType(type) {\n  if (type == null) {\n    // Host root, text node or just invalid type.\n    return null;\n  }\n\n  {\n    if (typeof type.tag === 'number') {\n      error('Received an unexpected object in getComponentNameFromType(). ' + 'This is likely a bug in React. Please file an issue.');\n    }\n  }\n\n  if (typeof type === 'function') {\n    return type.displayName || type.name || null;\n  }\n\n  if (typeof type === 'string') {\n    return type;\n  }\n\n  switch (type) {\n    case REACT_FRAGMENT_TYPE:\n      return 'Fragment';\n\n    case REACT_PORTAL_TYPE:\n      return 'Portal';\n\n    case REACT_PROFILER_TYPE:\n      return 'Profiler';\n\n    case REACT_STRICT_MODE_TYPE:\n      return 'StrictMode';\n\n    case REACT_SUSPENSE_TYPE:\n      return 'Suspense';\n\n    case REACT_SUSPENSE_LIST_TYPE:\n      return 'SuspenseList';\n\n  }\n\n  if (typeof type === 'object') {\n    switch (type.$$typeof) {\n      case REACT_CONTEXT_TYPE:\n        var context = type;\n        return getContextName(context) + '.Consumer';\n\n      case REACT_PROVIDER_TYPE:\n        var provider = type;\n        return getContextName(provider._context) + '.Provider';\n\n      case REACT_FORWARD_REF_TYPE:\n        return getWrappedName(type, type.render, 'ForwardRef');\n\n      case REACT_MEMO_TYPE:\n        var outerName = type.displayName || null;\n\n        if (outerName !== null) {\n          return outerName;\n        }\n\n        return getComponentNameFromType(type.type) || 'Memo';\n\n      case REACT_LAZY_TYPE:\n        {\n          var lazyComponent = type;\n          var payload = lazyComponent._payload;\n          var init = lazyComponent._init;\n\n          try {\n            return getComponentNameFromType(init(payload));\n          } catch (x) {\n            return null;\n          }\n        }\n\n      // eslint-disable-next-line no-fallthrough\n    }\n  }\n\n  return null;\n}\n\nvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\nvar RESERVED_PROPS = {\n  key: true,\n  ref: true,\n  __self: true,\n  __source: true\n};\nvar specialPropKeyWarningShown, specialPropRefWarningShown, didWarnAboutStringRefs;\n\n{\n  didWarnAboutStringRefs = {};\n}\n\nfunction hasValidRef(config) {\n  {\n    if (hasOwnProperty.call(config, 'ref')) {\n      var getter = Object.getOwnPropertyDescriptor(config, 'ref').get;\n\n      if (getter && getter.isReactWarning) {\n        return false;\n      }\n    }\n  }\n\n  return config.ref !== undefined;\n}\n\nfunction hasValidKey(config) {\n  {\n    if (hasOwnProperty.call(config, 'key')) {\n      var getter = Object.getOwnPropertyDescriptor(config, 'key').get;\n\n      if (getter && getter.isReactWarning) {\n        return false;\n      }\n    }\n  }\n\n  return config.key !== undefined;\n}\n\nfunction defineKeyPropWarningGetter(props, displayName) {\n  var warnAboutAccessingKey = function () {\n    {\n      if (!specialPropKeyWarningShown) {\n        specialPropKeyWarningShown = true;\n\n        error('%s: `key` is not a prop. Trying to access it will result ' + 'in `undefined` being returned. If you need to access the same ' + 'value within the child component, you should pass it as a different ' + 'prop. (https://reactjs.org/link/special-props)', displayName);\n      }\n    }\n  };\n\n  warnAboutAccessingKey.isReactWarning = true;\n  Object.defineProperty(props, 'key', {\n    get: warnAboutAccessingKey,\n    configurable: true\n  });\n}\n\nfunction defineRefPropWarningGetter(props, displayName) {\n  var warnAboutAccessingRef = function () {\n    {\n      if (!specialPropRefWarningShown) {\n        specialPropRefWarningShown = true;\n\n        error('%s: `ref` is not a prop. Trying to access it will result ' + 'in `undefined` being returned. If you need to access the same ' + 'value within the child component, you should pass it as a different ' + 'prop. (https://reactjs.org/link/special-props)', displayName);\n      }\n    }\n  };\n\n  warnAboutAccessingRef.isReactWarning = true;\n  Object.defineProperty(props, 'ref', {\n    get: warnAboutAccessingRef,\n    configurable: true\n  });\n}\n\nfunction warnIfStringRefCannotBeAutoConverted(config) {\n  {\n    if (typeof config.ref === 'string' && ReactCurrentOwner.current && config.__self && ReactCurrentOwner.current.stateNode !== config.__self) {\n      var componentName = getComponentNameFromType(ReactCurrentOwner.current.type);\n\n      if (!didWarnAboutStringRefs[componentName]) {\n        error('Component \"%s\" contains the string ref \"%s\". ' + 'Support for string refs will be removed in a future major release. ' + 'This case cannot be automatically converted to an arrow function. ' + 'We ask you to manually fix this case by using useRef() or createRef() instead. ' + 'Learn more about using refs safely here: ' + 'https://reactjs.org/link/strict-mode-string-ref', componentName, config.ref);\n\n        didWarnAboutStringRefs[componentName] = true;\n      }\n    }\n  }\n}\n/**\n * Factory method to create a new React element. This no longer adheres to\n * the class pattern, so do not use new to call it. Also, instanceof check\n * will not work. Instead test $$typeof field against Symbol.for('react.element') to check\n * if something is a React Element.\n *\n * @param {*} type\n * @param {*} props\n * @param {*} key\n * @param {string|object} ref\n * @param {*} owner\n * @param {*} self A *temporary* helper to detect places where `this` is\n * different from the `owner` when React.createElement is called, so that we\n * can warn. We want to get rid of owner and replace string `ref`s with arrow\n * functions, and as long as `this` and owner are the same, there will be no\n * change in behavior.\n * @param {*} source An annotation object (added by a transpiler or otherwise)\n * indicating filename, line number, and/or other information.\n * @internal\n */\n\n\nvar ReactElement = function (type, key, ref, self, source, owner, props) {\n  var element = {\n    // This tag allows us to uniquely identify this as a React Element\n    $$typeof: REACT_ELEMENT_TYPE,\n    // Built-in properties that belong on the element\n    type: type,\n    key: key,\n    ref: ref,\n    props: props,\n    // Record the component responsible for creating this element.\n    _owner: owner\n  };\n\n  {\n    // The validation flag is currently mutative. We put it on\n    // an external backing store so that we can freeze the whole object.\n    // This can be replaced with a WeakMap once they are implemented in\n    // commonly used development environments.\n    element._store = {}; // To make comparing ReactElements easier for testing purposes, we make\n    // the validation flag non-enumerable (where possible, which should\n    // include every environment we run tests in), so the test framework\n    // ignores it.\n\n    Object.defineProperty(element._store, 'validated', {\n      configurable: false,\n      enumerable: false,\n      writable: true,\n      value: false\n    }); // self and source are DEV only properties.\n\n    Object.defineProperty(element, '_self', {\n      configurable: false,\n      enumerable: false,\n      writable: false,\n      value: self\n    }); // Two elements created in two different places should be considered\n    // equal for testing purposes and therefore we hide it from enumeration.\n\n    Object.defineProperty(element, '_source', {\n      configurable: false,\n      enumerable: false,\n      writable: false,\n      value: source\n    });\n\n    if (Object.freeze) {\n      Object.freeze(element.props);\n      Object.freeze(element);\n    }\n  }\n\n  return element;\n};\n/**\n * Create and return a new ReactElement of the given type.\n * See https://reactjs.org/docs/react-api.html#createelement\n */\n\nfunction createElement(type, config, children) {\n  var propName; // Reserved names are extracted\n\n  var props = {};\n  var key = null;\n  var ref = null;\n  var self = null;\n  var source = null;\n\n  if (config != null) {\n    if (hasValidRef(config)) {\n      ref = config.ref;\n\n      {\n        warnIfStringRefCannotBeAutoConverted(config);\n      }\n    }\n\n    if (hasValidKey(config)) {\n      {\n        checkKeyStringCoercion(config.key);\n      }\n\n      key = '' + config.key;\n    }\n\n    self = config.__self === undefined ? null : config.__self;\n    source = config.__source === undefined ? null : config.__source; // Remaining properties are added to a new props object\n\n    for (propName in config) {\n      if (hasOwnProperty.call(config, propName) && !RESERVED_PROPS.hasOwnProperty(propName)) {\n        props[propName] = config[propName];\n      }\n    }\n  } // Children can be more than one argument, and those are transferred onto\n  // the newly allocated props object.\n\n\n  var childrenLength = arguments.length - 2;\n\n  if (childrenLength === 1) {\n    props.children = children;\n  } else if (childrenLength > 1) {\n    var childArray = Array(childrenLength);\n\n    for (var i = 0; i < childrenLength; i++) {\n      childArray[i] = arguments[i + 2];\n    }\n\n    {\n      if (Object.freeze) {\n        Object.freeze(childArray);\n      }\n    }\n\n    props.children = childArray;\n  } // Resolve default props\n\n\n  if (type && type.defaultProps) {\n    var defaultProps = type.defaultProps;\n\n    for (propName in defaultProps) {\n      if (props[propName] === undefined) {\n        props[propName] = defaultProps[propName];\n      }\n    }\n  }\n\n  {\n    if (key || ref) {\n      var displayName = typeof type === 'function' ? type.displayName || type.name || 'Unknown' : type;\n\n      if (key) {\n        defineKeyPropWarningGetter(props, displayName);\n      }\n\n      if (ref) {\n        defineRefPropWarningGetter(props, displayName);\n      }\n    }\n  }\n\n  return ReactElement(type, key, ref, self, source, ReactCurrentOwner.current, props);\n}\nfunction cloneAndReplaceKey(oldElement, newKey) {\n  var newElement = ReactElement(oldElement.type, newKey, oldElement.ref, oldElement._self, oldElement._source, oldElement._owner, oldElement.props);\n  return newElement;\n}\n/**\n * Clone and return a new ReactElement using element as the starting point.\n * See https://reactjs.org/docs/react-api.html#cloneelement\n */\n\nfunction cloneElement(element, config, children) {\n  if (element === null || element === undefined) {\n    throw new Error(\"React.cloneElement(...): The argument must be a React element, but you passed \" + element + \".\");\n  }\n\n  var propName; // Original props are copied\n\n  var props = assign({}, element.props); // Reserved names are extracted\n\n  var key = element.key;\n  var ref = element.ref; // Self is preserved since the owner is preserved.\n\n  var self = element._self; // Source is preserved since cloneElement is unlikely to be targeted by a\n  // transpiler, and the original source is probably a better indicator of the\n  // true owner.\n\n  var source = element._source; // Owner will be preserved, unless ref is overridden\n\n  var owner = element._owner;\n\n  if (config != null) {\n    if (hasValidRef(config)) {\n      // Silently steal the ref from the parent.\n      ref = config.ref;\n      owner = ReactCurrentOwner.current;\n    }\n\n    if (hasValidKey(config)) {\n      {\n        checkKeyStringCoercion(config.key);\n      }\n\n      key = '' + config.key;\n    } // Remaining properties override existing props\n\n\n    var defaultProps;\n\n    if (element.type && element.type.defaultProps) {\n      defaultProps = element.type.defaultProps;\n    }\n\n    for (propName in config) {\n      if (hasOwnProperty.call(config, propName) && !RESERVED_PROPS.hasOwnProperty(propName)) {\n        if (config[propName] === undefined && defaultProps !== undefined) {\n          // Resolve default props\n          props[propName] = defaultProps[propName];\n        } else {\n          props[propName] = config[propName];\n        }\n      }\n    }\n  } // Children can be more than one argument, and those are transferred onto\n  // the newly allocated props object.\n\n\n  var childrenLength = arguments.length - 2;\n\n  if (childrenLength === 1) {\n    props.children = children;\n  } else if (childrenLength > 1) {\n    var childArray = Array(childrenLength);\n\n    for (var i = 0; i < childrenLength; i++) {\n      childArray[i] = arguments[i + 2];\n    }\n\n    props.children = childArray;\n  }\n\n  return ReactElement(element.type, key, ref, self, source, owner, props);\n}\n/**\n * Verifies the object is a ReactElement.\n * See https://reactjs.org/docs/react-api.html#isvalidelement\n * @param {?object} object\n * @return {boolean} True if `object` is a ReactElement.\n * @final\n */\n\nfunction isValidElement(object) {\n  return typeof object === 'object' && object !== null && object.$$typeof === REACT_ELEMENT_TYPE;\n}\n\nvar SEPARATOR = '.';\nvar SUBSEPARATOR = ':';\n/**\n * Escape and wrap key so it is safe to use as a reactid\n *\n * @param {string} key to be escaped.\n * @return {string} the escaped key.\n */\n\nfunction escape(key) {\n  var escapeRegex = /[=:]/g;\n  var escaperLookup = {\n    '=': '=0',\n    ':': '=2'\n  };\n  var escapedString = key.replace(escapeRegex, function (match) {\n    return escaperLookup[match];\n  });\n  return '$' + escapedString;\n}\n/**\n * TODO: Test that a single child and an array with one item have the same key\n * pattern.\n */\n\n\nvar didWarnAboutMaps = false;\nvar userProvidedKeyEscapeRegex = /\\/+/g;\n\nfunction escapeUserProvidedKey(text) {\n  return text.replace(userProvidedKeyEscapeRegex, '$&/');\n}\n/**\n * Generate a key string that identifies a element within a set.\n *\n * @param {*} element A element that could contain a manual key.\n * @param {number} index Index that is used if a manual key is not provided.\n * @return {string}\n */\n\n\nfunction getElementKey(element, index) {\n  // Do some typechecking here since we call this blindly. We want to ensure\n  // that we don't block potential future ES APIs.\n  if (typeof element === 'object' && element !== null && element.key != null) {\n    // Explicit key\n    {\n      checkKeyStringCoercion(element.key);\n    }\n\n    return escape('' + element.key);\n  } // Implicit key determined by the index in the set\n\n\n  return index.toString(36);\n}\n\nfunction mapIntoArray(children, array, escapedPrefix, nameSoFar, callback) {\n  var type = typeof children;\n\n  if (type === 'undefined' || type === 'boolean') {\n    // All of the above are perceived as null.\n    children = null;\n  }\n\n  var invokeCallback = false;\n\n  if (children === null) {\n    invokeCallback = true;\n  } else {\n    switch (type) {\n      case 'string':\n      case 'number':\n        invokeCallback = true;\n        break;\n\n      case 'object':\n        switch (children.$$typeof) {\n          case REACT_ELEMENT_TYPE:\n          case REACT_PORTAL_TYPE:\n            invokeCallback = true;\n        }\n\n    }\n  }\n\n  if (invokeCallback) {\n    var _child = children;\n    var mappedChild = callback(_child); // If it's the only child, treat the name as if it was wrapped in an array\n    // so that it's consistent if the number of children grows:\n\n    var childKey = nameSoFar === '' ? SEPARATOR + getElementKey(_child, 0) : nameSoFar;\n\n    if (isArray(mappedChild)) {\n      var escapedChildKey = '';\n\n      if (childKey != null) {\n        escapedChildKey = escapeUserProvidedKey(childKey) + '/';\n      }\n\n      mapIntoArray(mappedChild, array, escapedChildKey, '', function (c) {\n        return c;\n      });\n    } else if (mappedChild != null) {\n      if (isValidElement(mappedChild)) {\n        {\n          // The `if` statement here prevents auto-disabling of the safe\n          // coercion ESLint rule, so we must manually disable it below.\n          // $FlowFixMe Flow incorrectly thinks React.Portal doesn't have a key\n          if (mappedChild.key && (!_child || _child.key !== mappedChild.key)) {\n            checkKeyStringCoercion(mappedChild.key);\n          }\n        }\n\n        mappedChild = cloneAndReplaceKey(mappedChild, // Keep both the (mapped) and old keys if they differ, just as\n        // traverseAllChildren used to do for objects as children\n        escapedPrefix + ( // $FlowFixMe Flow incorrectly thinks React.Portal doesn't have a key\n        mappedChild.key && (!_child || _child.key !== mappedChild.key) ? // $FlowFixMe Flow incorrectly thinks existing element's key can be a number\n        // eslint-disable-next-line react-internal/safe-string-coercion\n        escapeUserProvidedKey('' + mappedChild.key) + '/' : '') + childKey);\n      }\n\n      array.push(mappedChild);\n    }\n\n    return 1;\n  }\n\n  var child;\n  var nextName;\n  var subtreeCount = 0; // Count of children found in the current subtree.\n\n  var nextNamePrefix = nameSoFar === '' ? SEPARATOR : nameSoFar + SUBSEPARATOR;\n\n  if (isArray(children)) {\n    for (var i = 0; i < children.length; i++) {\n      child = children[i];\n      nextName = nextNamePrefix + getElementKey(child, i);\n      subtreeCount += mapIntoArray(child, array, escapedPrefix, nextName, callback);\n    }\n  } else {\n    var iteratorFn = getIteratorFn(children);\n\n    if (typeof iteratorFn === 'function') {\n      var iterableChildren = children;\n\n      {\n        // Warn about using Maps as children\n        if (iteratorFn === iterableChildren.entries) {\n          if (!didWarnAboutMaps) {\n            warn('Using Maps as children is not supported. ' + 'Use an array of keyed ReactElements instead.');\n          }\n\n          didWarnAboutMaps = true;\n        }\n      }\n\n      var iterator = iteratorFn.call(iterableChildren);\n      var step;\n      var ii = 0;\n\n      while (!(step = iterator.next()).done) {\n        child = step.value;\n        nextName = nextNamePrefix + getElementKey(child, ii++);\n        subtreeCount += mapIntoArray(child, array, escapedPrefix, nextName, callback);\n      }\n    } else if (type === 'object') {\n      // eslint-disable-next-line react-internal/safe-string-coercion\n      var childrenString = String(children);\n      throw new Error(\"Objects are not valid as a React child (found: \" + (childrenString === '[object Object]' ? 'object with keys {' + Object.keys(children).join(', ') + '}' : childrenString) + \"). \" + 'If you meant to render a collection of children, use an array ' + 'instead.');\n    }\n  }\n\n  return subtreeCount;\n}\n\n/**\n * Maps children that are typically specified as `props.children`.\n *\n * See https://reactjs.org/docs/react-api.html#reactchildrenmap\n *\n * The provided mapFunction(child, index) will be called for each\n * leaf child.\n *\n * @param {?*} children Children tree container.\n * @param {function(*, int)} func The map function.\n * @param {*} context Context for mapFunction.\n * @return {object} Object containing the ordered map of results.\n */\nfunction mapChildren(children, func, context) {\n  if (children == null) {\n    return children;\n  }\n\n  var result = [];\n  var count = 0;\n  mapIntoArray(children, result, '', '', function (child) {\n    return func.call(context, child, count++);\n  });\n  return result;\n}\n/**\n * Count the number of children that are typically specified as\n * `props.children`.\n *\n * See https://reactjs.org/docs/react-api.html#reactchildrencount\n *\n * @param {?*} children Children tree container.\n * @return {number} The number of children.\n */\n\n\nfunction countChildren(children) {\n  var n = 0;\n  mapChildren(children, function () {\n    n++; // Don't return anything\n  });\n  return n;\n}\n\n/**\n * Iterates through children that are typically specified as `props.children`.\n *\n * See https://reactjs.org/docs/react-api.html#reactchildrenforeach\n *\n * The provided forEachFunc(child, index) will be called for each\n * leaf child.\n *\n * @param {?*} children Children tree container.\n * @param {function(*, int)} forEachFunc\n * @param {*} forEachContext Context for forEachContext.\n */\nfunction forEachChildren(children, forEachFunc, forEachContext) {\n  mapChildren(children, function () {\n    forEachFunc.apply(this, arguments); // Don't return anything.\n  }, forEachContext);\n}\n/**\n * Flatten a children object (typically specified as `props.children`) and\n * return an array with appropriately re-keyed children.\n *\n * See https://reactjs.org/docs/react-api.html#reactchildrentoarray\n */\n\n\nfunction toArray(children) {\n  return mapChildren(children, function (child) {\n    return child;\n  }) || [];\n}\n/**\n * Returns the first child in a collection of children and verifies that there\n * is only one child in the collection.\n *\n * See https://reactjs.org/docs/react-api.html#reactchildrenonly\n *\n * The current implementation of this function assumes that a single child gets\n * passed without a wrapper, but the purpose of this helper function is to\n * abstract away the particular structure of children.\n *\n * @param {?object} children Child collection structure.\n * @return {ReactElement} The first and only `ReactElement` contained in the\n * structure.\n */\n\n\nfunction onlyChild(children) {\n  if (!isValidElement(children)) {\n    throw new Error('React.Children.only expected to receive a single React element child.');\n  }\n\n  return children;\n}\n\nfunction createContext(defaultValue) {\n  // TODO: Second argument used to be an optional `calculateChangedBits`\n  // function. Warn to reserve for future use?\n  var context = {\n    $$typeof: REACT_CONTEXT_TYPE,\n    // As a workaround to support multiple concurrent renderers, we categorize\n    // some renderers as primary and others as secondary. We only expect\n    // there to be two concurrent renderers at most: React Native (primary) and\n    // Fabric (secondary); React DOM (primary) and React ART (secondary).\n    // Secondary renderers store their context values on separate fields.\n    _currentValue: defaultValue,\n    _currentValue2: defaultValue,\n    // Used to track how many concurrent renderers this context currently\n    // supports within in a single renderer. Such as parallel server rendering.\n    _threadCount: 0,\n    // These are circular\n    Provider: null,\n    Consumer: null,\n    // Add these to use same hidden class in VM as ServerContext\n    _defaultValue: null,\n    _globalName: null\n  };\n  context.Provider = {\n    $$typeof: REACT_PROVIDER_TYPE,\n    _context: context\n  };\n  var hasWarnedAboutUsingNestedContextConsumers = false;\n  var hasWarnedAboutUsingConsumerProvider = false;\n  var hasWarnedAboutDisplayNameOnConsumer = false;\n\n  {\n    // A separate object, but proxies back to the original context object for\n    // backwards compatibility. It has a different $$typeof, so we can properly\n    // warn for the incorrect usage of Context as a Consumer.\n    var Consumer = {\n      $$typeof: REACT_CONTEXT_TYPE,\n      _context: context\n    }; // $FlowFixMe: Flow complains about not setting a value, which is intentional here\n\n    Object.defineProperties(Consumer, {\n      Provider: {\n        get: function () {\n          if (!hasWarnedAboutUsingConsumerProvider) {\n            hasWarnedAboutUsingConsumerProvider = true;\n\n            error('Rendering <Context.Consumer.Provider> is not supported and will be removed in ' + 'a future major release. Did you mean to render <Context.Provider> instead?');\n          }\n\n          return context.Provider;\n        },\n        set: function (_Provider) {\n          context.Provider = _Provider;\n        }\n      },\n      _currentValue: {\n        get: function () {\n          return context._currentValue;\n        },\n        set: function (_currentValue) {\n          context._currentValue = _currentValue;\n        }\n      },\n      _currentValue2: {\n        get: function () {\n          return context._currentValue2;\n        },\n        set: function (_currentValue2) {\n          context._currentValue2 = _currentValue2;\n        }\n      },\n      _threadCount: {\n        get: function () {\n          return context._threadCount;\n        },\n        set: function (_threadCount) {\n          context._threadCount = _threadCount;\n        }\n      },\n      Consumer: {\n        get: function () {\n          if (!hasWarnedAboutUsingNestedContextConsumers) {\n            hasWarnedAboutUsingNestedContextConsumers = true;\n\n            error('Rendering <Context.Consumer.Consumer> is not supported and will be removed in ' + 'a future major release. Did you mean to render <Context.Consumer> instead?');\n          }\n\n          return context.Consumer;\n        }\n      },\n      displayName: {\n        get: function () {\n          return context.displayName;\n        },\n        set: function (displayName) {\n          if (!hasWarnedAboutDisplayNameOnConsumer) {\n            warn('Setting `displayName` on Context.Consumer has no effect. ' + \"You should set it directly on the context with Context.displayName = '%s'.\", displayName);\n\n            hasWarnedAboutDisplayNameOnConsumer = true;\n          }\n        }\n      }\n    }); // $FlowFixMe: Flow complains about missing properties because it doesn't understand defineProperty\n\n    context.Consumer = Consumer;\n  }\n\n  {\n    context._currentRenderer = null;\n    context._currentRenderer2 = null;\n  }\n\n  return context;\n}\n\nvar Uninitialized = -1;\nvar Pending = 0;\nvar Resolved = 1;\nvar Rejected = 2;\n\nfunction lazyInitializer(payload) {\n  if (payload._status === Uninitialized) {\n    var ctor = payload._result;\n    var thenable = ctor(); // Transition to the next state.\n    // This might throw either because it's missing or throws. If so, we treat it\n    // as still uninitialized and try again next time. Which is the same as what\n    // happens if the ctor or any wrappers processing the ctor throws. This might\n    // end up fixing it if the resolution was a concurrency bug.\n\n    thenable.then(function (moduleObject) {\n      if (payload._status === Pending || payload._status === Uninitialized) {\n        // Transition to the next state.\n        var resolved = payload;\n        resolved._status = Resolved;\n        resolved._result = moduleObject;\n      }\n    }, function (error) {\n      if (payload._status === Pending || payload._status === Uninitialized) {\n        // Transition to the next state.\n        var rejected = payload;\n        rejected._status = Rejected;\n        rejected._result = error;\n      }\n    });\n\n    if (payload._status === Uninitialized) {\n      // In case, we're still uninitialized, then we're waiting for the thenable\n      // to resolve. Set it as pending in the meantime.\n      var pending = payload;\n      pending._status = Pending;\n      pending._result = thenable;\n    }\n  }\n\n  if (payload._status === Resolved) {\n    var moduleObject = payload._result;\n\n    {\n      if (moduleObject === undefined) {\n        error('lazy: Expected the result of a dynamic imp' + 'ort() call. ' + 'Instead received: %s\\n\\nYour code should look like: \\n  ' + // Break up imports to avoid accidentally parsing them as dependencies.\n        'const MyComponent = lazy(() => imp' + \"ort('./MyComponent'))\\n\\n\" + 'Did you accidentally put curly braces around the import?', moduleObject);\n      }\n    }\n\n    {\n      if (!('default' in moduleObject)) {\n        error('lazy: Expected the result of a dynamic imp' + 'ort() call. ' + 'Instead received: %s\\n\\nYour code should look like: \\n  ' + // Break up imports to avoid accidentally parsing them as dependencies.\n        'const MyComponent = lazy(() => imp' + \"ort('./MyComponent'))\", moduleObject);\n      }\n    }\n\n    return moduleObject.default;\n  } else {\n    throw payload._result;\n  }\n}\n\nfunction lazy(ctor) {\n  var payload = {\n    // We use these fields to store the result.\n    _status: Uninitialized,\n    _result: ctor\n  };\n  var lazyType = {\n    $$typeof: REACT_LAZY_TYPE,\n    _payload: payload,\n    _init: lazyInitializer\n  };\n\n  {\n    // In production, this would just set it on the object.\n    var defaultProps;\n    var propTypes; // $FlowFixMe\n\n    Object.defineProperties(lazyType, {\n      defaultProps: {\n        configurable: true,\n        get: function () {\n          return defaultProps;\n        },\n        set: function (newDefaultProps) {\n          error('React.lazy(...): It is not supported to assign `defaultProps` to ' + 'a lazy component import. Either specify them where the component ' + 'is defined, or create a wrapping component around it.');\n\n          defaultProps = newDefaultProps; // Match production behavior more closely:\n          // $FlowFixMe\n\n          Object.defineProperty(lazyType, 'defaultProps', {\n            enumerable: true\n          });\n        }\n      },\n      propTypes: {\n        configurable: true,\n        get: function () {\n          return propTypes;\n        },\n        set: function (newPropTypes) {\n          error('React.lazy(...): It is not supported to assign `propTypes` to ' + 'a lazy component import. Either specify them where the component ' + 'is defined, or create a wrapping component around it.');\n\n          propTypes = newPropTypes; // Match production behavior more closely:\n          // $FlowFixMe\n\n          Object.defineProperty(lazyType, 'propTypes', {\n            enumerable: true\n          });\n        }\n      }\n    });\n  }\n\n  return lazyType;\n}\n\nfunction forwardRef(render) {\n  {\n    if (render != null && render.$$typeof === REACT_MEMO_TYPE) {\n      error('forwardRef requires a render function but received a `memo` ' + 'component. Instead of forwardRef(memo(...)), use ' + 'memo(forwardRef(...)).');\n    } else if (typeof render !== 'function') {\n      error('forwardRef requires a render function but was given %s.', render === null ? 'null' : typeof render);\n    } else {\n      if (render.length !== 0 && render.length !== 2) {\n        error('forwardRef render functions accept exactly two parameters: props and ref. %s', render.length === 1 ? 'Did you forget to use the ref parameter?' : 'Any additional parameter will be undefined.');\n      }\n    }\n\n    if (render != null) {\n      if (render.defaultProps != null || render.propTypes != null) {\n        error('forwardRef render functions do not support propTypes or defaultProps. ' + 'Did you accidentally pass a React component?');\n      }\n    }\n  }\n\n  var elementType = {\n    $$typeof: REACT_FORWARD_REF_TYPE,\n    render: render\n  };\n\n  {\n    var ownName;\n    Object.defineProperty(elementType, 'displayName', {\n      enumerable: false,\n      configurable: true,\n      get: function () {\n        return ownName;\n      },\n      set: function (name) {\n        ownName = name; // The inner component shouldn't inherit this display name in most cases,\n        // because the component may be used elsewhere.\n        // But it's nice for anonymous functions to inherit the name,\n        // so that our component-stack generation logic will display their frames.\n        // An anonymous function generally suggests a pattern like:\n        //   React.forwardRef((props, ref) => {...});\n        // This kind of inner function is not used elsewhere so the side effect is okay.\n\n        if (!render.name && !render.displayName) {\n          render.displayName = name;\n        }\n      }\n    });\n  }\n\n  return elementType;\n}\n\nvar REACT_MODULE_REFERENCE;\n\n{\n  REACT_MODULE_REFERENCE = Symbol.for('react.module.reference');\n}\n\nfunction isValidElementType(type) {\n  if (typeof type === 'string' || typeof type === 'function') {\n    return true;\n  } // Note: typeof might be other than 'symbol' or 'number' (e.g. if it's a polyfill).\n\n\n  if (type === REACT_FRAGMENT_TYPE || type === REACT_PROFILER_TYPE || enableDebugTracing  || type === REACT_STRICT_MODE_TYPE || type === REACT_SUSPENSE_TYPE || type === REACT_SUSPENSE_LIST_TYPE || enableLegacyHidden  || type === REACT_OFFSCREEN_TYPE || enableScopeAPI  || enableCacheElement  || enableTransitionTracing ) {\n    return true;\n  }\n\n  if (typeof type === 'object' && type !== null) {\n    if (type.$$typeof === REACT_LAZY_TYPE || type.$$typeof === REACT_MEMO_TYPE || type.$$typeof === REACT_PROVIDER_TYPE || type.$$typeof === REACT_CONTEXT_TYPE || type.$$typeof === REACT_FORWARD_REF_TYPE || // This needs to include all possible module reference object\n    // types supported by any Flight configuration anywhere since\n    // we don't know which Flight build this will end up being used\n    // with.\n    type.$$typeof === REACT_MODULE_REFERENCE || type.getModuleId !== undefined) {\n      return true;\n    }\n  }\n\n  return false;\n}\n\nfunction memo(type, compare) {\n  {\n    if (!isValidElementType(type)) {\n      error('memo: The first argument must be a component. Instead ' + 'received: %s', type === null ? 'null' : typeof type);\n    }\n  }\n\n  var elementType = {\n    $$typeof: REACT_MEMO_TYPE,\n    type: type,\n    compare: compare === undefined ? null : compare\n  };\n\n  {\n    var ownName;\n    Object.defineProperty(elementType, 'displayName', {\n      enumerable: false,\n      configurable: true,\n      get: function () {\n        return ownName;\n      },\n      set: function (name) {\n        ownName = name; // The inner component shouldn't inherit this display name in most cases,\n        // because the component may be used elsewhere.\n        // But it's nice for anonymous functions to inherit the name,\n        // so that our component-stack generation logic will display their frames.\n        // An anonymous function generally suggests a pattern like:\n        //   React.memo((props) => {...});\n        // This kind of inner function is not used elsewhere so the side effect is okay.\n\n        if (!type.name && !type.displayName) {\n          type.displayName = name;\n        }\n      }\n    });\n  }\n\n  return elementType;\n}\n\nfunction resolveDispatcher() {\n  var dispatcher = ReactCurrentDispatcher.current;\n\n  {\n    if (dispatcher === null) {\n      error('Invalid hook call. Hooks can only be called inside of the body of a function component. This could happen for' + ' one of the following reasons:\\n' + '1. You might have mismatching versions of React and the renderer (such as React DOM)\\n' + '2. You might be breaking the Rules of Hooks\\n' + '3. You might have more than one copy of React in the same app\\n' + 'See https://reactjs.org/link/invalid-hook-call for tips about how to debug and fix this problem.');\n    }\n  } // Will result in a null access error if accessed outside render phase. We\n  // intentionally don't throw our own error because this is in a hot path.\n  // Also helps ensure this is inlined.\n\n\n  return dispatcher;\n}\nfunction useContext(Context) {\n  var dispatcher = resolveDispatcher();\n\n  {\n    // TODO: add a more generic warning for invalid values.\n    if (Context._context !== undefined) {\n      var realContext = Context._context; // Don't deduplicate because this legitimately causes bugs\n      // and nobody should be using this in existing code.\n\n      if (realContext.Consumer === Context) {\n        error('Calling useContext(Context.Consumer) is not supported, may cause bugs, and will be ' + 'removed in a future major release. Did you mean to call useContext(Context) instead?');\n      } else if (realContext.Provider === Context) {\n        error('Calling useContext(Context.Provider) is not supported. ' + 'Did you mean to call useContext(Context) instead?');\n      }\n    }\n  }\n\n  return dispatcher.useContext(Context);\n}\nfunction useState(initialState) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useState(initialState);\n}\nfunction useReducer(reducer, initialArg, init) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useReducer(reducer, initialArg, init);\n}\nfunction useRef(initialValue) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useRef(initialValue);\n}\nfunction useEffect(create, deps) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useEffect(create, deps);\n}\nfunction useInsertionEffect(create, deps) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useInsertionEffect(create, deps);\n}\nfunction useLayoutEffect(create, deps) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useLayoutEffect(create, deps);\n}\nfunction useCallback(callback, deps) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useCallback(callback, deps);\n}\nfunction useMemo(create, deps) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useMemo(create, deps);\n}\nfunction useImperativeHandle(ref, create, deps) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useImperativeHandle(ref, create, deps);\n}\nfunction useDebugValue(value, formatterFn) {\n  {\n    var dispatcher = resolveDispatcher();\n    return dispatcher.useDebugValue(value, formatterFn);\n  }\n}\nfunction useTransition() {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useTransition();\n}\nfunction useDeferredValue(value) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useDeferredValue(value);\n}\nfunction useId() {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useId();\n}\nfunction useSyncExternalStore(subscribe, getSnapshot, getServerSnapshot) {\n  var dispatcher = resolveDispatcher();\n  return dispatcher.useSyncExternalStore(subscribe, getSnapshot, getServerSnapshot);\n}\n\n// Helpers to patch console.logs to avoid logging during side-effect free\n// replaying on render function. This currently only patches the object\n// lazily which won't cover if the log function was extracted eagerly.\n// We could also eagerly patch the method.\nvar disabledDepth = 0;\nvar prevLog;\nvar prevInfo;\nvar prevWarn;\nvar prevError;\nvar prevGroup;\nvar prevGroupCollapsed;\nvar prevGroupEnd;\n\nfunction disabledLog() {}\n\ndisabledLog.__reactDisabledLog = true;\nfunction disableLogs() {\n  {\n    if (disabledDepth === 0) {\n      /* eslint-disable react-internal/no-production-logging */\n      prevLog = console.log;\n      prevInfo = console.info;\n      prevWarn = console.warn;\n      prevError = console.error;\n      prevGroup = console.group;\n      prevGroupCollapsed = console.groupCollapsed;\n      prevGroupEnd = console.groupEnd; // https://github.com/facebook/react/issues/19099\n\n      var props = {\n        configurable: true,\n        enumerable: true,\n        value: disabledLog,\n        writable: true\n      }; // $FlowFixMe Flow thinks console is immutable.\n\n      Object.defineProperties(console, {\n        info: props,\n        log: props,\n        warn: props,\n        error: props,\n        group: props,\n        groupCollapsed: props,\n        groupEnd: props\n      });\n      /* eslint-enable react-internal/no-production-logging */\n    }\n\n    disabledDepth++;\n  }\n}\nfunction reenableLogs() {\n  {\n    disabledDepth--;\n\n    if (disabledDepth === 0) {\n      /* eslint-disable react-internal/no-production-logging */\n      var props = {\n        configurable: true,\n        enumerable: true,\n        writable: true\n      }; // $FlowFixMe Flow thinks console is immutable.\n\n      Object.defineProperties(console, {\n        log: assign({}, props, {\n          value: prevLog\n        }),\n        info: assign({}, props, {\n          value: prevInfo\n        }),\n        warn: assign({}, props, {\n          value: prevWarn\n        }),\n        error: assign({}, props, {\n          value: prevError\n        }),\n        group: assign({}, props, {\n          value: prevGroup\n        }),\n        groupCollapsed: assign({}, props, {\n          value: prevGroupCollapsed\n        }),\n        groupEnd: assign({}, props, {\n          value: prevGroupEnd\n        })\n      });\n      /* eslint-enable react-internal/no-production-logging */\n    }\n\n    if (disabledDepth < 0) {\n      error('disabledDepth fell below zero. ' + 'This is a bug in React. Please file an issue.');\n    }\n  }\n}\n\nvar ReactCurrentDispatcher$1 = ReactSharedInternals.ReactCurrentDispatcher;\nvar prefix;\nfunction describeBuiltInComponentFrame(name, source, ownerFn) {\n  {\n    if (prefix === undefined) {\n      // Extract the VM specific prefix used by each line.\n      try {\n        throw Error();\n      } catch (x) {\n        var match = x.stack.trim().match(/\\n( *(at )?)/);\n        prefix = match && match[1] || '';\n      }\n    } // We use the prefix to ensure our stacks line up with native stack frames.\n\n\n    return '\\n' + prefix + name;\n  }\n}\nvar reentry = false;\nvar componentFrameCache;\n\n{\n  var PossiblyWeakMap = typeof WeakMap === 'function' ? WeakMap : Map;\n  componentFrameCache = new PossiblyWeakMap();\n}\n\nfunction describeNativeComponentFrame(fn, construct) {\n  // If something asked for a stack inside a fake render, it should get ignored.\n  if ( !fn || reentry) {\n    return '';\n  }\n\n  {\n    var frame = componentFrameCache.get(fn);\n\n    if (frame !== undefined) {\n      return frame;\n    }\n  }\n\n  var control;\n  reentry = true;\n  var previousPrepareStackTrace = Error.prepareStackTrace; // $FlowFixMe It does accept undefined.\n\n  Error.prepareStackTrace = undefined;\n  var previousDispatcher;\n\n  {\n    previousDispatcher = ReactCurrentDispatcher$1.current; // Set the dispatcher in DEV because this might be call in the render function\n    // for warnings.\n\n    ReactCurrentDispatcher$1.current = null;\n    disableLogs();\n  }\n\n  try {\n    // This should throw.\n    if (construct) {\n      // Something should be setting the props in the constructor.\n      var Fake = function () {\n        throw Error();\n      }; // $FlowFixMe\n\n\n      Object.defineProperty(Fake.prototype, 'props', {\n        set: function () {\n          // We use a throwing setter instead of frozen or non-writable props\n          // because that won't throw in a non-strict mode function.\n          throw Error();\n        }\n      });\n\n      if (typeof Reflect === 'object' && Reflect.construct) {\n        // We construct a different control for this case to include any extra\n        // frames added by the construct call.\n        try {\n          Reflect.construct(Fake, []);\n        } catch (x) {\n          control = x;\n        }\n\n        Reflect.construct(fn, [], Fake);\n      } else {\n        try {\n          Fake.call();\n        } catch (x) {\n          control = x;\n        }\n\n        fn.call(Fake.prototype);\n      }\n    } else {\n      try {\n        throw Error();\n      } catch (x) {\n        control = x;\n      }\n\n      fn();\n    }\n  } catch (sample) {\n    // This is inlined manually because closure doesn't do it for us.\n    if (sample && control && typeof sample.stack === 'string') {\n      // This extracts the first frame from the sample that isn't also in the control.\n      // Skipping one frame that we assume is the frame that calls the two.\n      var sampleLines = sample.stack.split('\\n');\n      var controlLines = control.stack.split('\\n');\n      var s = sampleLines.length - 1;\n      var c = controlLines.length - 1;\n\n      while (s >= 1 && c >= 0 && sampleLines[s] !== controlLines[c]) {\n        // We expect at least one stack frame to be shared.\n        // Typically this will be the root most one. However, stack frames may be\n        // cut off due to maximum stack limits. In this case, one maybe cut off\n        // earlier than the other. We assume that the sample is longer or the same\n        // and there for cut off earlier. So we should find the root most frame in\n        // the sample somewhere in the control.\n        c--;\n      }\n\n      for (; s >= 1 && c >= 0; s--, c--) {\n        // Next we find the first one that isn't the same which should be the\n        // frame that called our sample function and the control.\n        if (sampleLines[s] !== controlLines[c]) {\n          // In V8, the first line is describing the message but other VMs don't.\n          // If we're about to return the first line, and the control is also on the same\n          // line, that's a pretty good indicator that our sample threw at same line as\n          // the control. I.e. before we entered the sample frame. So we ignore this result.\n          // This can happen if you passed a class to function component, or non-function.\n          if (s !== 1 || c !== 1) {\n            do {\n              s--;\n              c--; // We may still have similar intermediate frames from the construct call.\n              // The next one that isn't the same should be our match though.\n\n              if (c < 0 || sampleLines[s] !== controlLines[c]) {\n                // V8 adds a \"new\" prefix for native classes. Let's remove it to make it prettier.\n                var _frame = '\\n' + sampleLines[s].replace(' at new ', ' at '); // If our component frame is labeled \"<anonymous>\"\n                // but we have a user-provided \"displayName\"\n                // splice it in to make the stack more readable.\n\n\n                if (fn.displayName && _frame.includes('<anonymous>')) {\n                  _frame = _frame.replace('<anonymous>', fn.displayName);\n                }\n\n                {\n                  if (typeof fn === 'function') {\n                    componentFrameCache.set(fn, _frame);\n                  }\n                } // Return the line we found.\n\n\n                return _frame;\n              }\n            } while (s >= 1 && c >= 0);\n          }\n\n          break;\n        }\n      }\n    }\n  } finally {\n    reentry = false;\n\n    {\n      ReactCurrentDispatcher$1.current = previousDispatcher;\n      reenableLogs();\n    }\n\n    Error.prepareStackTrace = previousPrepareStackTrace;\n  } // Fallback to just using the name if we couldn't make it throw.\n\n\n  var name = fn ? fn.displayName || fn.name : '';\n  var syntheticFrame = name ? describeBuiltInComponentFrame(name) : '';\n\n  {\n    if (typeof fn === 'function') {\n      componentFrameCache.set(fn, syntheticFrame);\n    }\n  }\n\n  return syntheticFrame;\n}\nfunction describeFunctionComponentFrame(fn, source, ownerFn) {\n  {\n    return describeNativeComponentFrame(fn, false);\n  }\n}\n\nfunction shouldConstruct(Component) {\n  var prototype = Component.prototype;\n  return !!(prototype && prototype.isReactComponent);\n}\n\nfunction describeUnknownElementTypeFrameInDEV(type, source, ownerFn) {\n\n  if (type == null) {\n    return '';\n  }\n\n  if (typeof type === 'function') {\n    {\n      return describeNativeComponentFrame(type, shouldConstruct(type));\n    }\n  }\n\n  if (typeof type === 'string') {\n    return describeBuiltInComponentFrame(type);\n  }\n\n  switch (type) {\n    case REACT_SUSPENSE_TYPE:\n      return describeBuiltInComponentFrame('Suspense');\n\n    case REACT_SUSPENSE_LIST_TYPE:\n      return describeBuiltInComponentFrame('SuspenseList');\n  }\n\n  if (typeof type === 'object') {\n    switch (type.$$typeof) {\n      case REACT_FORWARD_REF_TYPE:\n        return describeFunctionComponentFrame(type.render);\n\n      case REACT_MEMO_TYPE:\n        // Memo may contain any component type so we recursively resolve it.\n        return describeUnknownElementTypeFrameInDEV(type.type, source, ownerFn);\n\n      case REACT_LAZY_TYPE:\n        {\n          var lazyComponent = type;\n          var payload = lazyComponent._payload;\n          var init = lazyComponent._init;\n\n          try {\n            // Lazy may contain any component type so we recursively resolve it.\n            return describeUnknownElementTypeFrameInDEV(init(payload), source, ownerFn);\n          } catch (x) {}\n        }\n    }\n  }\n\n  return '';\n}\n\nvar loggedTypeFailures = {};\nvar ReactDebugCurrentFrame$1 = ReactSharedInternals.ReactDebugCurrentFrame;\n\nfunction setCurrentlyValidatingElement(element) {\n  {\n    if (element) {\n      var owner = element._owner;\n      var stack = describeUnknownElementTypeFrameInDEV(element.type, element._source, owner ? owner.type : null);\n      ReactDebugCurrentFrame$1.setExtraStackFrame(stack);\n    } else {\n      ReactDebugCurrentFrame$1.setExtraStackFrame(null);\n    }\n  }\n}\n\nfunction checkPropTypes(typeSpecs, values, location, componentName, element) {\n  {\n    // $FlowFixMe This is okay but Flow doesn't know it.\n    var has = Function.call.bind(hasOwnProperty);\n\n    for (var typeSpecName in typeSpecs) {\n      if (has(typeSpecs, typeSpecName)) {\n        var error$1 = void 0; // Prop type validation may throw. In case they do, we don't want to\n        // fail the render phase where it didn't fail before. So we log it.\n        // After these have been cleaned up, we'll let them throw.\n\n        try {\n          // This is intentionally an invariant that gets caught. It's the same\n          // behavior as without this statement except with a better message.\n          if (typeof typeSpecs[typeSpecName] !== 'function') {\n            // eslint-disable-next-line react-internal/prod-error-codes\n            var err = Error((componentName || 'React class') + ': ' + location + ' type `' + typeSpecName + '` is invalid; ' + 'it must be a function, usually from the `prop-types` package, but received `' + typeof typeSpecs[typeSpecName] + '`.' + 'This often happens because of typos such as `PropTypes.function` instead of `PropTypes.func`.');\n            err.name = 'Invariant Violation';\n            throw err;\n          }\n\n          error$1 = typeSpecs[typeSpecName](values, typeSpecName, componentName, location, null, 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED');\n        } catch (ex) {\n          error$1 = ex;\n        }\n\n        if (error$1 && !(error$1 instanceof Error)) {\n          setCurrentlyValidatingElement(element);\n\n          error('%s: type specification of %s' + ' `%s` is invalid; the type checker ' + 'function must return `null` or an `Error` but returned a %s. ' + 'You may have forgotten to pass an argument to the type checker ' + 'creator (arrayOf, instanceOf, objectOf, oneOf, oneOfType, and ' + 'shape all require an argument).', componentName || 'React class', location, typeSpecName, typeof error$1);\n\n          setCurrentlyValidatingElement(null);\n        }\n\n        if (error$1 instanceof Error && !(error$1.message in loggedTypeFailures)) {\n          // Only monitor this failure once because there tends to be a lot of the\n          // same error.\n          loggedTypeFailures[error$1.message] = true;\n          setCurrentlyValidatingElement(element);\n\n          error('Failed %s type: %s', location, error$1.message);\n\n          setCurrentlyValidatingElement(null);\n        }\n      }\n    }\n  }\n}\n\nfunction setCurrentlyValidatingElement$1(element) {\n  {\n    if (element) {\n      var owner = element._owner;\n      var stack = describeUnknownElementTypeFrameInDEV(element.type, element._source, owner ? owner.type : null);\n      setExtraStackFrame(stack);\n    } else {\n      setExtraStackFrame(null);\n    }\n  }\n}\n\nvar propTypesMisspellWarningShown;\n\n{\n  propTypesMisspellWarningShown = false;\n}\n\nfunction getDeclarationErrorAddendum() {\n  if (ReactCurrentOwner.current) {\n    var name = getComponentNameFromType(ReactCurrentOwner.current.type);\n\n    if (name) {\n      return '\\n\\nCheck the render method of `' + name + '`.';\n    }\n  }\n\n  return '';\n}\n\nfunction getSourceInfoErrorAddendum(source) {\n  if (source !== undefined) {\n    var fileName = source.fileName.replace(/^.*[\\\\\\/]/, '');\n    var lineNumber = source.lineNumber;\n    return '\\n\\nCheck your code at ' + fileName + ':' + lineNumber + '.';\n  }\n\n  return '';\n}\n\nfunction getSourceInfoErrorAddendumForProps(elementProps) {\n  if (elementProps !== null && elementProps !== undefined) {\n    return getSourceInfoErrorAddendum(elementProps.__source);\n  }\n\n  return '';\n}\n/**\n * Warn if there's no key explicitly set on dynamic arrays of children or\n * object keys are not valid. This allows us to keep track of children between\n * updates.\n */\n\n\nvar ownerHasKeyUseWarning = {};\n\nfunction getCurrentComponentErrorInfo(parentType) {\n  var info = getDeclarationErrorAddendum();\n\n  if (!info) {\n    var parentName = typeof parentType === 'string' ? parentType : parentType.displayName || parentType.name;\n\n    if (parentName) {\n      info = \"\\n\\nCheck the top-level render call using <\" + parentName + \">.\";\n    }\n  }\n\n  return info;\n}\n/**\n * Warn if the element doesn't have an explicit key assigned to it.\n * This element is in an array. The array could grow and shrink or be\n * reordered. All children that haven't already been validated are required to\n * have a \"key\" property assigned to it. Error statuses are cached so a warning\n * will only be shown once.\n *\n * @internal\n * @param {ReactElement} element Element that requires a key.\n * @param {*} parentType element's parent's type.\n */\n\n\nfunction validateExplicitKey(element, parentType) {\n  if (!element._store || element._store.validated || element.key != null) {\n    return;\n  }\n\n  element._store.validated = true;\n  var currentComponentErrorInfo = getCurrentComponentErrorInfo(parentType);\n\n  if (ownerHasKeyUseWarning[currentComponentErrorInfo]) {\n    return;\n  }\n\n  ownerHasKeyUseWarning[currentComponentErrorInfo] = true; // Usually the current owner is the offender, but if it accepts children as a\n  // property, it may be the creator of the child that's responsible for\n  // assigning it a key.\n\n  var childOwner = '';\n\n  if (element && element._owner && element._owner !== ReactCurrentOwner.current) {\n    // Give the component that originally created this child.\n    childOwner = \" It was passed a child from \" + getComponentNameFromType(element._owner.type) + \".\";\n  }\n\n  {\n    setCurrentlyValidatingElement$1(element);\n\n    error('Each child in a list should have a unique \"key\" prop.' + '%s%s See https://reactjs.org/link/warning-keys for more information.', currentComponentErrorInfo, childOwner);\n\n    setCurrentlyValidatingElement$1(null);\n  }\n}\n/**\n * Ensure that every element either is passed in a static location, in an\n * array with an explicit keys property defined, or in an object literal\n * with valid key property.\n *\n * @internal\n * @param {ReactNode} node Statically passed child of any type.\n * @param {*} parentType node's parent's type.\n */\n\n\nfunction validateChildKeys(node, parentType) {\n  if (typeof node !== 'object') {\n    return;\n  }\n\n  if (isArray(node)) {\n    for (var i = 0; i < node.length; i++) {\n      var child = node[i];\n\n      if (isValidElement(child)) {\n        validateExplicitKey(child, parentType);\n      }\n    }\n  } else if (isValidElement(node)) {\n    // This element was passed in a valid location.\n    if (node._store) {\n      node._store.validated = true;\n    }\n  } else if (node) {\n    var iteratorFn = getIteratorFn(node);\n\n    if (typeof iteratorFn === 'function') {\n      // Entry iterators used to provide implicit keys,\n      // but now we print a separate warning for them later.\n      if (iteratorFn !== node.entries) {\n        var iterator = iteratorFn.call(node);\n        var step;\n\n        while (!(step = iterator.next()).done) {\n          if (isValidElement(step.value)) {\n            validateExplicitKey(step.value, parentType);\n          }\n        }\n      }\n    }\n  }\n}\n/**\n * Given an element, validate that its props follow the propTypes definition,\n * provided by the type.\n *\n * @param {ReactElement} element\n */\n\n\nfunction validatePropTypes(element) {\n  {\n    var type = element.type;\n\n    if (type === null || type === undefined || typeof type === 'string') {\n      return;\n    }\n\n    var propTypes;\n\n    if (typeof type === 'function') {\n      propTypes = type.propTypes;\n    } else if (typeof type === 'object' && (type.$$typeof === REACT_FORWARD_REF_TYPE || // Note: Memo only checks outer props here.\n    // Inner props are checked in the reconciler.\n    type.$$typeof === REACT_MEMO_TYPE)) {\n      propTypes = type.propTypes;\n    } else {\n      return;\n    }\n\n    if (propTypes) {\n      // Intentionally inside to avoid triggering lazy initializers:\n      var name = getComponentNameFromType(type);\n      checkPropTypes(propTypes, element.props, 'prop', name, element);\n    } else if (type.PropTypes !== undefined && !propTypesMisspellWarningShown) {\n      propTypesMisspellWarningShown = true; // Intentionally inside to avoid triggering lazy initializers:\n\n      var _name = getComponentNameFromType(type);\n\n      error('Component %s declared `PropTypes` instead of `propTypes`. Did you misspell the property assignment?', _name || 'Unknown');\n    }\n\n    if (typeof type.getDefaultProps === 'function' && !type.getDefaultProps.isReactClassApproved) {\n      error('getDefaultProps is only used on classic React.createClass ' + 'definitions. Use a static property named `defaultProps` instead.');\n    }\n  }\n}\n/**\n * Given a fragment, validate that it can only be provided with fragment props\n * @param {ReactElement} fragment\n */\n\n\nfunction validateFragmentProps(fragment) {\n  {\n    var keys = Object.keys(fragment.props);\n\n    for (var i = 0; i < keys.length; i++) {\n      var key = keys[i];\n\n      if (key !== 'children' && key !== 'key') {\n        setCurrentlyValidatingElement$1(fragment);\n\n        error('Invalid prop `%s` supplied to `React.Fragment`. ' + 'React.Fragment can only have `key` and `children` props.', key);\n\n        setCurrentlyValidatingElement$1(null);\n        break;\n      }\n    }\n\n    if (fragment.ref !== null) {\n      setCurrentlyValidatingElement$1(fragment);\n\n      error('Invalid attribute `ref` supplied to `React.Fragment`.');\n\n      setCurrentlyValidatingElement$1(null);\n    }\n  }\n}\nfunction createElementWithValidation(type, props, children) {\n  var validType = isValidElementType(type); // We warn in this case but don't throw. We expect the element creation to\n  // succeed and there will likely be errors in render.\n\n  if (!validType) {\n    var info = '';\n\n    if (type === undefined || typeof type === 'object' && type !== null && Object.keys(type).length === 0) {\n      info += ' You likely forgot to export your component from the file ' + \"it's defined in, or you might have mixed up default and named imports.\";\n    }\n\n    var sourceInfo = getSourceInfoErrorAddendumForProps(props);\n\n    if (sourceInfo) {\n      info += sourceInfo;\n    } else {\n      info += getDeclarationErrorAddendum();\n    }\n\n    var typeString;\n\n    if (type === null) {\n      typeString = 'null';\n    } else if (isArray(type)) {\n      typeString = 'array';\n    } else if (type !== undefined && type.$$typeof === REACT_ELEMENT_TYPE) {\n      typeString = \"<\" + (getComponentNameFromType(type.type) || 'Unknown') + \" />\";\n      info = ' Did you accidentally export a JSX literal instead of a component?';\n    } else {\n      typeString = typeof type;\n    }\n\n    {\n      error('React.createElement: type is invalid -- expected a string (for ' + 'built-in components) or a class/function (for composite ' + 'components) but got: %s.%s', typeString, info);\n    }\n  }\n\n  var element = createElement.apply(this, arguments); // The result can be nullish if a mock or a custom function is used.\n  // TODO: Drop this when these are no longer allowed as the type argument.\n\n  if (element == null) {\n    return element;\n  } // Skip key warning if the type isn't valid since our key validation logic\n  // doesn't expect a non-string/function type and can throw confusing errors.\n  // We don't want exception behavior to differ between dev and prod.\n  // (Rendering will throw with a helpful message and as soon as the type is\n  // fixed, the key warnings will appear.)\n\n\n  if (validType) {\n    for (var i = 2; i < arguments.length; i++) {\n      validateChildKeys(arguments[i], type);\n    }\n  }\n\n  if (type === REACT_FRAGMENT_TYPE) {\n    validateFragmentProps(element);\n  } else {\n    validatePropTypes(element);\n  }\n\n  return element;\n}\nvar didWarnAboutDeprecatedCreateFactory = false;\nfunction createFactoryWithValidation(type) {\n  var validatedFactory = createElementWithValidation.bind(null, type);\n  validatedFactory.type = type;\n\n  {\n    if (!didWarnAboutDeprecatedCreateFactory) {\n      didWarnAboutDeprecatedCreateFactory = true;\n\n      warn('React.createFactory() is deprecated and will be removed in ' + 'a future major release. Consider using JSX ' + 'or use React.createElement() directly instead.');\n    } // Legacy hook: remove it\n\n\n    Object.defineProperty(validatedFactory, 'type', {\n      enumerable: false,\n      get: function () {\n        warn('Factory.type is deprecated. Access the class directly ' + 'before passing it to createFactory.');\n\n        Object.defineProperty(this, 'type', {\n          value: type\n        });\n        return type;\n      }\n    });\n  }\n\n  return validatedFactory;\n}\nfunction cloneElementWithValidation(element, props, children) {\n  var newElement = cloneElement.apply(this, arguments);\n\n  for (var i = 2; i < arguments.length; i++) {\n    validateChildKeys(arguments[i], newElement.type);\n  }\n\n  validatePropTypes(newElement);\n  return newElement;\n}\n\nfunction startTransition(scope, options) {\n  var prevTransition = ReactCurrentBatchConfig.transition;\n  ReactCurrentBatchConfig.transition = {};\n  var currentTransition = ReactCurrentBatchConfig.transition;\n\n  {\n    ReactCurrentBatchConfig.transition._updatedFibers = new Set();\n  }\n\n  try {\n    scope();\n  } finally {\n    ReactCurrentBatchConfig.transition = prevTransition;\n\n    {\n      if (prevTransition === null && currentTransition._updatedFibers) {\n        var updatedFibersCount = currentTransition._updatedFibers.size;\n\n        if (updatedFibersCount > 10) {\n          warn('Detected a large number of updates inside startTransition. ' + 'If this is due to a subscription please re-write it to use React provided hooks. ' + 'Otherwise concurrent mode guarantees are off the table.');\n        }\n\n        currentTransition._updatedFibers.clear();\n      }\n    }\n  }\n}\n\nvar didWarnAboutMessageChannel = false;\nvar enqueueTaskImpl = null;\nfunction enqueueTask(task) {\n  if (enqueueTaskImpl === null) {\n    try {\n      // read require off the module object to get around the bundlers.\n      // we don't want them to detect a require and bundle a Node polyfill.\n      var requireString = ('require' + Math.random()).slice(0, 7);\n      var nodeRequire = module && module[requireString]; // assuming we're in node, let's try to get node's\n      // version of setImmediate, bypassing fake timers if any.\n\n      enqueueTaskImpl = nodeRequire.call(module, 'timers').setImmediate;\n    } catch (_err) {\n      // we're in a browser\n      // we can't use regular timers because they may still be faked\n      // so we try MessageChannel+postMessage instead\n      enqueueTaskImpl = function (callback) {\n        {\n          if (didWarnAboutMessageChannel === false) {\n            didWarnAboutMessageChannel = true;\n\n            if (typeof MessageChannel === 'undefined') {\n              error('This browser does not have a MessageChannel implementation, ' + 'so enqueuing tasks via await act(async () => ...) will fail. ' + 'Please file an issue at https://github.com/facebook/react/issues ' + 'if you encounter this warning.');\n            }\n          }\n        }\n\n        var channel = new MessageChannel();\n        channel.port1.onmessage = callback;\n        channel.port2.postMessage(undefined);\n      };\n    }\n  }\n\n  return enqueueTaskImpl(task);\n}\n\nvar actScopeDepth = 0;\nvar didWarnNoAwaitAct = false;\nfunction act(callback) {\n  {\n    // `act` calls can be nested, so we track the depth. This represents the\n    // number of `act` scopes on the stack.\n    var prevActScopeDepth = actScopeDepth;\n    actScopeDepth++;\n\n    if (ReactCurrentActQueue.current === null) {\n      // This is the outermost `act` scope. Initialize the queue. The reconciler\n      // will detect the queue and use it instead of Scheduler.\n      ReactCurrentActQueue.current = [];\n    }\n\n    var prevIsBatchingLegacy = ReactCurrentActQueue.isBatchingLegacy;\n    var result;\n\n    try {\n      // Used to reproduce behavior of `batchedUpdates` in legacy mode. Only\n      // set to `true` while the given callback is executed, not for updates\n      // triggered during an async event, because this is how the legacy\n      // implementation of `act` behaved.\n      ReactCurrentActQueue.isBatchingLegacy = true;\n      result = callback(); // Replicate behavior of original `act` implementation in legacy mode,\n      // which flushed updates immediately after the scope function exits, even\n      // if it's an async function.\n\n      if (!prevIsBatchingLegacy && ReactCurrentActQueue.didScheduleLegacyUpdate) {\n        var queue = ReactCurrentActQueue.current;\n\n        if (queue !== null) {\n          ReactCurrentActQueue.didScheduleLegacyUpdate = false;\n          flushActQueue(queue);\n        }\n      }\n    } catch (error) {\n      popActScope(prevActScopeDepth);\n      throw error;\n    } finally {\n      ReactCurrentActQueue.isBatchingLegacy = prevIsBatchingLegacy;\n    }\n\n    if (result !== null && typeof result === 'object' && typeof result.then === 'function') {\n      var thenableResult = result; // The callback is an async function (i.e. returned a promise). Wait\n      // for it to resolve before exiting the current scope.\n\n      var wasAwaited = false;\n      var thenable = {\n        then: function (resolve, reject) {\n          wasAwaited = true;\n          thenableResult.then(function (returnValue) {\n            popActScope(prevActScopeDepth);\n\n            if (actScopeDepth === 0) {\n              // We've exited the outermost act scope. Recursively flush the\n              // queue until there's no remaining work.\n              recursivelyFlushAsyncActWork(returnValue, resolve, reject);\n            } else {\n              resolve(returnValue);\n            }\n          }, function (error) {\n            // The callback threw an error.\n            popActScope(prevActScopeDepth);\n            reject(error);\n          });\n        }\n      };\n\n      {\n        if (!didWarnNoAwaitAct && typeof Promise !== 'undefined') {\n          // eslint-disable-next-line no-undef\n          Promise.resolve().then(function () {}).then(function () {\n            if (!wasAwaited) {\n              didWarnNoAwaitAct = true;\n\n              error('You called act(async () => ...) without await. ' + 'This could lead to unexpected testing behaviour, ' + 'interleaving multiple act calls and mixing their ' + 'scopes. ' + 'You should - await act(async () => ...);');\n            }\n          });\n        }\n      }\n\n      return thenable;\n    } else {\n      var returnValue = result; // The callback is not an async function. Exit the current scope\n      // immediately, without awaiting.\n\n      popActScope(prevActScopeDepth);\n\n      if (actScopeDepth === 0) {\n        // Exiting the outermost act scope. Flush the queue.\n        var _queue = ReactCurrentActQueue.current;\n\n        if (_queue !== null) {\n          flushActQueue(_queue);\n          ReactCurrentActQueue.current = null;\n        } // Return a thenable. If the user awaits it, we'll flush again in\n        // case additional work was scheduled by a microtask.\n\n\n        var _thenable = {\n          then: function (resolve, reject) {\n            // Confirm we haven't re-entered another `act` scope, in case\n            // the user does something weird like await the thenable\n            // multiple times.\n            if (ReactCurrentActQueue.current === null) {\n              // Recursively flush the queue until there's no remaining work.\n              ReactCurrentActQueue.current = [];\n              recursivelyFlushAsyncActWork(returnValue, resolve, reject);\n            } else {\n              resolve(returnValue);\n            }\n          }\n        };\n        return _thenable;\n      } else {\n        // Since we're inside a nested `act` scope, the returned thenable\n        // immediately resolves. The outer scope will flush the queue.\n        var _thenable2 = {\n          then: function (resolve, reject) {\n            resolve(returnValue);\n          }\n        };\n        return _thenable2;\n      }\n    }\n  }\n}\n\nfunction popActScope(prevActScopeDepth) {\n  {\n    if (prevActScopeDepth !== actScopeDepth - 1) {\n      error('You seem to have overlapping act() calls, this is not supported. ' + 'Be sure to await previous act() calls before making a new one. ');\n    }\n\n    actScopeDepth = prevActScopeDepth;\n  }\n}\n\nfunction recursivelyFlushAsyncActWork(returnValue, resolve, reject) {\n  {\n    var queue = ReactCurrentActQueue.current;\n\n    if (queue !== null) {\n      try {\n        flushActQueue(queue);\n        enqueueTask(function () {\n          if (queue.length === 0) {\n            // No additional work was scheduled. Finish.\n            ReactCurrentActQueue.current = null;\n            resolve(returnValue);\n          } else {\n            // Keep flushing work until there's none left.\n            recursivelyFlushAsyncActWork(returnValue, resolve, reject);\n          }\n        });\n      } catch (error) {\n        reject(error);\n      }\n    } else {\n      resolve(returnValue);\n    }\n  }\n}\n\nvar isFlushing = false;\n\nfunction flushActQueue(queue) {\n  {\n    if (!isFlushing) {\n      // Prevent re-entrance.\n      isFlushing = true;\n      var i = 0;\n\n      try {\n        for (; i < queue.length; i++) {\n          var callback = queue[i];\n\n          do {\n            callback = callback(true);\n          } while (callback !== null);\n        }\n\n        queue.length = 0;\n      } catch (error) {\n        // If something throws, leave the remaining callbacks on the queue.\n        queue = queue.slice(i + 1);\n        throw error;\n      } finally {\n        isFlushing = false;\n      }\n    }\n  }\n}\n\nvar createElement$1 =  createElementWithValidation ;\nvar cloneElement$1 =  cloneElementWithValidation ;\nvar createFactory =  createFactoryWithValidation ;\nvar Children = {\n  map: mapChildren,\n  forEach: forEachChildren,\n  count: countChildren,\n  toArray: toArray,\n  only: onlyChild\n};\n\nexports.Children = Children;\nexports.Component = Component;\nexports.Fragment = REACT_FRAGMENT_TYPE;\nexports.Profiler = REACT_PROFILER_TYPE;\nexports.PureComponent = PureComponent;\nexports.StrictMode = REACT_STRICT_MODE_TYPE;\nexports.Suspense = REACT_SUSPENSE_TYPE;\nexports.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED = ReactSharedInternals;\nexports.act = act;\nexports.cloneElement = cloneElement$1;\nexports.createContext = createContext;\nexports.createElement = createElement$1;\nexports.createFactory = createFactory;\nexports.createRef = createRef;\nexports.forwardRef = forwardRef;\nexports.isValidElement = isValidElement;\nexports.lazy = lazy;\nexports.memo = memo;\nexports.startTransition = startTransition;\nexports.unstable_act = act;\nexports.useCallback = useCallback;\nexports.useContext = useContext;\nexports.useDebugValue = useDebugValue;\nexports.useDeferredValue = useDeferredValue;\nexports.useEffect = useEffect;\nexports.useId = useId;\nexports.useImperativeHandle = useImperativeHandle;\nexports.useInsertionEffect = useInsertionEffect;\nexports.useLayoutEffect = useLayoutEffect;\nexports.useMemo = useMemo;\nexports.useReducer = useReducer;\nexports.useRef = useRef;\nexports.useState = useState;\nexports.useSyncExternalStore = useSyncExternalStore;\nexports.useTransition = useTransition;\nexports.version = ReactVersion;\n          /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop ===\n    'function'\n) {\n  __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error());\n}\n        \n  })();\n}\n\n\n//# sourceURL=webpack://WordPress/./node_modules/react/cjs/react.development.js?");

/***/ }),

/***/ "./node_modules/react/index.js":
/*!*************************************!*\
  !*** ./node_modules/react/index.js ***!
  \*************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {

eval("\n\nif (false) {} else {\n  module.exports = __webpack_require__(/*! ./cjs/react.development.js */ \"./node_modules/react/cjs/react.development.js\");\n}\n\n\n//# sourceURL=webpack://WordPress/./node_modules/react/index.js?");

/***/ })

/******/ 	});
/************************************************************************/
/******/ 	// The module cache
/******/ 	var __webpack_module_cache__ = {};
/******/ 	
/******/ 	// The require function
/******/ 	function __webpack_require__(moduleId) {
/******/ 		// Check if module is in cache
/******/ 		var cachedModule = __webpack_module_cache__[moduleId];
/******/ 		if (cachedModule !== undefined) {
/******/ 			return cachedModule.exports;
/******/ 		}
/******/ 		// Create a new module (and put it into the cache)
/******/ 		var module = __webpack_module_cache__[moduleId] = {
/******/ 			id: moduleId,
/******/ 			loaded: false,
/******/ 			exports: {}
/******/ 		};
/******/ 	
/******/ 		// Execute the module function
/******/ 		__webpack_modules__[moduleId](module, module.exports, __webpack_require__);
/******/ 	
/******/ 		// Flag the module as loaded
/******/ 		module.loaded = true;
/******/ 	
/******/ 		// Return the exports of the module
/******/ 		return module.exports;
/******/ 	}
/******/ 	
/************************************************************************/
/******/ 	/* webpack/runtime/node module decorator */
/******/ 	(() => {
/******/ 		__webpack_require__.nmd = (module) => {
/******/ 			module.paths = [];
/******/ 			if (!module.children) module.children = [];
/******/ 			return module;
/******/ 		};
/******/ 	})();
/******/ 	
/************************************************************************/
/******/ 	
/******/ 	// startup
/******/ 	// Load entry module and return exports
/******/ 	// This entry module can't be inlined because the eval devtool is used.
/******/ 	var __webpack_exports__ = __webpack_require__("./node_modules/react/index.js");
/******/ 	window.React = __webpack_exports__;
/******/ 	
/******/ })()
;wp-polyfill-dom-rect.js000064400000003607151334462320011101 0ustar00
// DOMRect
(function (global) {
	function number(v) {
		return v === undefined ? 0 : Number(v);
	}

	function different(u, v) {
		return u !== v && !(isNaN(u) && isNaN(v));
	}

	function DOMRect(xArg, yArg, wArg, hArg) {
		var x, y, width, height, left, right, top, bottom;

		x = number(xArg);
		y = number(yArg);
		width = number(wArg);
		height = number(hArg);

		Object.defineProperties(this, {
			x: {
				get: function () { return x; },
				set: function (newX) {
					if (different(x, newX)) {
						x = newX;
						left = right = undefined;
					}
				},
				enumerable: true
			},
			y: {
				get: function () { return y; },
				set: function (newY) {
					if (different(y, newY)) {
						y = newY;
						top = bottom = undefined;
					}
				},
				enumerable: true
			},
			width: {
				get: function () { return width; },
				set: function (newWidth) {
					if (different(width, newWidth)) {
						width = newWidth;
						left = right = undefined;
					}
				},
				enumerable: true
			},
			height: {
				get: function () { return height; },
				set: function (newHeight) {
					if (different(height, newHeight)) {
						height = newHeight;
						top = bottom = undefined;
					}
				},
				enumerable: true
			},
			left: {
				get: function () {
					if (left === undefined) {
						left = x + Math.min(0, width);
					}
					return left;
				},
				enumerable: true
			},
			right: {
				get: function () {
					if (right === undefined) {
						right = x + Math.max(0, width);
					}
					return right;
				},
				enumerable: true
			},
			top: {
				get: function () {
					if (top === undefined) {
						top = y + Math.min(0, height);
					}
					return top;
				},
				enumerable: true
			},
			bottom: {
				get: function () {
					if (bottom === undefined) {
						bottom = y + Math.max(0, height);
					}
					return bottom;
				},
				enumerable: true
			}
		});
	}

	global.DOMRect = DOMRect;
}(self));
react.min.js.LICENSE.txt000064400000000355151334462320010667 0ustar00/**
 * @license React
 * react.production.min.js
 *
 * Copyright (c) Facebook, Inc. and its affiliates.
 *
 * This source code is licensed under the MIT license found in the
 * LICENSE file in the root directory of this source tree.
 */
react-dom.js000064400004103424151334462320006770 0ustar00/*
 * ATTENTION: The "eval" devtool has been used (maybe by default in mode: "development").
 * This devtool is neither made for production nor for readable output files.
 * It uses "eval()" calls to create a separate source file in the browser devtools.
 * If you are trying to read the output file, select a different devtool (https://webpack.js.org/configuration/devtool/)
 * or disable the default devtool with "devtool: false".
 * If you are looking for production-ready output files, see mode: "production" (https://webpack.js.org/configuration/mode/).
 */
/******/ (() => { // webpackBootstrap
/******/ 	"use strict";
/******/ 	var __webpack_modules__ = ({

/***/ "./node_modules/react-dom/cjs/react-dom.development.js":
/*!*************************************************************!*\
  !*** ./node_modules/react-dom/cjs/react-dom.development.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, exports, __webpack_require__) => {

eval("/**\n * @license React\n * react-dom.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n\n\nif (true) {\n  (function() {\n\n          'use strict';\n\n/* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart ===\n    'function'\n) {\n  __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error());\n}\n          var React = __webpack_require__(/*! react */ \"react\");\nvar Scheduler = __webpack_require__(/*! scheduler */ \"./node_modules/scheduler/index.js\");\n\nvar ReactSharedInternals = React.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;\n\nvar suppressWarning = false;\nfunction setSuppressWarning(newSuppressWarning) {\n  {\n    suppressWarning = newSuppressWarning;\n  }\n} // In DEV, calls to console.warn and console.error get replaced\n// by calls to these methods by a Babel plugin.\n//\n// In PROD (or in packages without access to React internals),\n// they are left as they are instead.\n\nfunction warn(format) {\n  {\n    if (!suppressWarning) {\n      for (var _len = arguments.length, args = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n        args[_key - 1] = arguments[_key];\n      }\n\n      printWarning('warn', format, args);\n    }\n  }\n}\nfunction error(format) {\n  {\n    if (!suppressWarning) {\n      for (var _len2 = arguments.length, args = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) {\n        args[_key2 - 1] = arguments[_key2];\n      }\n\n      printWarning('error', format, args);\n    }\n  }\n}\n\nfunction printWarning(level, format, args) {\n  // When changing this logic, you might want to also\n  // update consoleWithStackDev.www.js as well.\n  {\n    var ReactDebugCurrentFrame = ReactSharedInternals.ReactDebugCurrentFrame;\n    var stack = ReactDebugCurrentFrame.getStackAddendum();\n\n    if (stack !== '') {\n      format += '%s';\n      args = args.concat([stack]);\n    } // eslint-disable-next-line react-internal/safe-string-coercion\n\n\n    var argsWithFormat = args.map(function (item) {\n      return String(item);\n    }); // Careful: RN currently depends on this prefix\n\n    argsWithFormat.unshift('Warning: ' + format); // We intentionally don't use spread (or .apply) directly because it\n    // breaks IE9: https://github.com/facebook/react/issues/13610\n    // eslint-disable-next-line react-internal/no-production-logging\n\n    Function.prototype.apply.call(console[level], console, argsWithFormat);\n  }\n}\n\nvar FunctionComponent = 0;\nvar ClassComponent = 1;\nvar IndeterminateComponent = 2; // Before we know whether it is function or class\n\nvar HostRoot = 3; // Root of a host tree. Could be nested inside another node.\n\nvar HostPortal = 4; // A subtree. Could be an entry point to a different renderer.\n\nvar HostComponent = 5;\nvar HostText = 6;\nvar Fragment = 7;\nvar Mode = 8;\nvar ContextConsumer = 9;\nvar ContextProvider = 10;\nvar ForwardRef = 11;\nvar Profiler = 12;\nvar SuspenseComponent = 13;\nvar MemoComponent = 14;\nvar SimpleMemoComponent = 15;\nvar LazyComponent = 16;\nvar IncompleteClassComponent = 17;\nvar DehydratedFragment = 18;\nvar SuspenseListComponent = 19;\nvar ScopeComponent = 21;\nvar OffscreenComponent = 22;\nvar LegacyHiddenComponent = 23;\nvar CacheComponent = 24;\nvar TracingMarkerComponent = 25;\n\n// -----------------------------------------------------------------------------\n\nvar enableClientRenderFallbackOnTextMismatch = true; // TODO: Need to review this code one more time before landing\n// the react-reconciler package.\n\nvar enableNewReconciler = false; // Support legacy Primer support on internal FB www\n\nvar enableLazyContextPropagation = false; // FB-only usage. The new API has different semantics.\n\nvar enableLegacyHidden = false; // Enables unstable_avoidThisFallback feature in Fiber\n\nvar enableSuspenseAvoidThisFallback = false; // Enables unstable_avoidThisFallback feature in Fizz\n// React DOM Chopping Block\n//\n// Similar to main Chopping Block but only flags related to React DOM. These are\n// grouped because we will likely batch all of them into a single major release.\n// -----------------------------------------------------------------------------\n// Disable support for comment nodes as React DOM containers. Already disabled\n// in open source, but www codebase still relies on it. Need to remove.\n\nvar disableCommentsAsDOMContainers = true; // Disable javascript: URL strings in href for XSS protection.\n// and client rendering, mostly to allow JSX attributes to apply to the custom\n// element's object properties instead of only HTML attributes.\n// https://github.com/facebook/react/issues/11347\n\nvar enableCustomElementPropertySupport = false; // Disables children for <textarea> elements\nvar warnAboutStringRefs = true; // -----------------------------------------------------------------------------\n// Debugging and DevTools\n// -----------------------------------------------------------------------------\n// Adds user timing marks for e.g. state updates, suspense, and work loop stuff,\n// for an experimental timeline tool.\n\nvar enableSchedulingProfiler = true; // Helps identify side effects in render-phase lifecycle hooks and setState\n\nvar enableProfilerTimer = true; // Record durations for commit and passive effects phases.\n\nvar enableProfilerCommitHooks = true; // Phase param passed to onRender callback differentiates between an \"update\" and a \"cascading-update\".\n\nvar allNativeEvents = new Set();\n/**\n * Mapping from registration name to event name\n */\n\n\nvar registrationNameDependencies = {};\n/**\n * Mapping from lowercase registration names to the properly cased version,\n * used to warn in the case of missing event handlers. Available\n * only in true.\n * @type {Object}\n */\n\nvar possibleRegistrationNames =  {} ; // Trust the developer to only use possibleRegistrationNames in true\n\nfunction registerTwoPhaseEvent(registrationName, dependencies) {\n  registerDirectEvent(registrationName, dependencies);\n  registerDirectEvent(registrationName + 'Capture', dependencies);\n}\nfunction registerDirectEvent(registrationName, dependencies) {\n  {\n    if (registrationNameDependencies[registrationName]) {\n      error('EventRegistry: More than one plugin attempted to publish the same ' + 'registration name, `%s`.', registrationName);\n    }\n  }\n\n  registrationNameDependencies[registrationName] = dependencies;\n\n  {\n    var lowerCasedName = registrationName.toLowerCase();\n    possibleRegistrationNames[lowerCasedName] = registrationName;\n\n    if (registrationName === 'onDoubleClick') {\n      possibleRegistrationNames.ondblclick = registrationName;\n    }\n  }\n\n  for (var i = 0; i < dependencies.length; i++) {\n    allNativeEvents.add(dependencies[i]);\n  }\n}\n\nvar canUseDOM = !!(typeof window !== 'undefined' && typeof window.document !== 'undefined' && typeof window.document.createElement !== 'undefined');\n\nvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\n/*\n * The `'' + value` pattern (used in in perf-sensitive code) throws for Symbol\n * and Temporal.* types. See https://github.com/facebook/react/pull/22064.\n *\n * The functions in this module will throw an easier-to-understand,\n * easier-to-debug exception with a clear errors message message explaining the\n * problem. (Instead of a confusing exception thrown inside the implementation\n * of the `value` object).\n */\n// $FlowFixMe only called in DEV, so void return is not possible.\nfunction typeName(value) {\n  {\n    // toStringTag is needed for namespaced types like Temporal.Instant\n    var hasToStringTag = typeof Symbol === 'function' && Symbol.toStringTag;\n    var type = hasToStringTag && value[Symbol.toStringTag] || value.constructor.name || 'Object';\n    return type;\n  }\n} // $FlowFixMe only called in DEV, so void return is not possible.\n\n\nfunction willCoercionThrow(value) {\n  {\n    try {\n      testStringCoercion(value);\n      return false;\n    } catch (e) {\n      return true;\n    }\n  }\n}\n\nfunction testStringCoercion(value) {\n  // If you ended up here by following an exception call stack, here's what's\n  // happened: you supplied an object or symbol value to React (as a prop, key,\n  // DOM attribute, CSS property, string ref, etc.) and when React tried to\n  // coerce it to a string using `'' + value`, an exception was thrown.\n  //\n  // The most common types that will cause this exception are `Symbol` instances\n  // and Temporal objects like `Temporal.Instant`. But any object that has a\n  // `valueOf` or `[Symbol.toPrimitive]` method that throws will also cause this\n  // exception. (Library authors do this to prevent users from using built-in\n  // numeric operators like `+` or comparison operators like `>=` because custom\n  // methods are needed to perform accurate arithmetic or comparison.)\n  //\n  // To fix the problem, coerce this object or symbol value to a string before\n  // passing it to React. The most reliable way is usually `String(value)`.\n  //\n  // To find which value is throwing, check the browser or debugger console.\n  // Before this exception was thrown, there should be `console.error` output\n  // that shows the type (Symbol, Temporal.PlainDate, etc.) that caused the\n  // problem and how that type was used: key, atrribute, input value prop, etc.\n  // In most cases, this console output also shows the component and its\n  // ancestor components where the exception happened.\n  //\n  // eslint-disable-next-line react-internal/safe-string-coercion\n  return '' + value;\n}\n\nfunction checkAttributeStringCoercion(value, attributeName) {\n  {\n    if (willCoercionThrow(value)) {\n      error('The provided `%s` attribute is an unsupported type %s.' + ' This value must be coerced to a string before before using it here.', attributeName, typeName(value));\n\n      return testStringCoercion(value); // throw (to help callers find troubleshooting comments)\n    }\n  }\n}\nfunction checkKeyStringCoercion(value) {\n  {\n    if (willCoercionThrow(value)) {\n      error('The provided key is an unsupported type %s.' + ' This value must be coerced to a string before before using it here.', typeName(value));\n\n      return testStringCoercion(value); // throw (to help callers find troubleshooting comments)\n    }\n  }\n}\nfunction checkPropStringCoercion(value, propName) {\n  {\n    if (willCoercionThrow(value)) {\n      error('The provided `%s` prop is an unsupported type %s.' + ' This value must be coerced to a string before before using it here.', propName, typeName(value));\n\n      return testStringCoercion(value); // throw (to help callers find troubleshooting comments)\n    }\n  }\n}\nfunction checkCSSPropertyStringCoercion(value, propName) {\n  {\n    if (willCoercionThrow(value)) {\n      error('The provided `%s` CSS property is an unsupported type %s.' + ' This value must be coerced to a string before before using it here.', propName, typeName(value));\n\n      return testStringCoercion(value); // throw (to help callers find troubleshooting comments)\n    }\n  }\n}\nfunction checkHtmlStringCoercion(value) {\n  {\n    if (willCoercionThrow(value)) {\n      error('The provided HTML markup uses a value of unsupported type %s.' + ' This value must be coerced to a string before before using it here.', typeName(value));\n\n      return testStringCoercion(value); // throw (to help callers find troubleshooting comments)\n    }\n  }\n}\nfunction checkFormFieldValueStringCoercion(value) {\n  {\n    if (willCoercionThrow(value)) {\n      error('Form field values (value, checked, defaultValue, or defaultChecked props)' + ' must be strings, not %s.' + ' This value must be coerced to a string before before using it here.', typeName(value));\n\n      return testStringCoercion(value); // throw (to help callers find troubleshooting comments)\n    }\n  }\n}\n\n// A reserved attribute.\n// It is handled by React separately and shouldn't be written to the DOM.\nvar RESERVED = 0; // A simple string attribute.\n// Attributes that aren't in the filter are presumed to have this type.\n\nvar STRING = 1; // A string attribute that accepts booleans in React. In HTML, these are called\n// \"enumerated\" attributes with \"true\" and \"false\" as possible values.\n// When true, it should be set to a \"true\" string.\n// When false, it should be set to a \"false\" string.\n\nvar BOOLEANISH_STRING = 2; // A real boolean attribute.\n// When true, it should be present (set either to an empty string or its name).\n// When false, it should be omitted.\n\nvar BOOLEAN = 3; // An attribute that can be used as a flag as well as with a value.\n// When true, it should be present (set either to an empty string or its name).\n// When false, it should be omitted.\n// For any other value, should be present with that value.\n\nvar OVERLOADED_BOOLEAN = 4; // An attribute that must be numeric or parse as a numeric.\n// When falsy, it should be removed.\n\nvar NUMERIC = 5; // An attribute that must be positive numeric or parse as a positive numeric.\n// When falsy, it should be removed.\n\nvar POSITIVE_NUMERIC = 6;\n\n/* eslint-disable max-len */\nvar ATTRIBUTE_NAME_START_CHAR = \":A-Z_a-z\\\\u00C0-\\\\u00D6\\\\u00D8-\\\\u00F6\\\\u00F8-\\\\u02FF\\\\u0370-\\\\u037D\\\\u037F-\\\\u1FFF\\\\u200C-\\\\u200D\\\\u2070-\\\\u218F\\\\u2C00-\\\\u2FEF\\\\u3001-\\\\uD7FF\\\\uF900-\\\\uFDCF\\\\uFDF0-\\\\uFFFD\";\n/* eslint-enable max-len */\n\nvar ATTRIBUTE_NAME_CHAR = ATTRIBUTE_NAME_START_CHAR + \"\\\\-.0-9\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\";\nvar VALID_ATTRIBUTE_NAME_REGEX = new RegExp('^[' + ATTRIBUTE_NAME_START_CHAR + '][' + ATTRIBUTE_NAME_CHAR + ']*$');\nvar illegalAttributeNameCache = {};\nvar validatedAttributeNameCache = {};\nfunction isAttributeNameSafe(attributeName) {\n  if (hasOwnProperty.call(validatedAttributeNameCache, attributeName)) {\n    return true;\n  }\n\n  if (hasOwnProperty.call(illegalAttributeNameCache, attributeName)) {\n    return false;\n  }\n\n  if (VALID_ATTRIBUTE_NAME_REGEX.test(attributeName)) {\n    validatedAttributeNameCache[attributeName] = true;\n    return true;\n  }\n\n  illegalAttributeNameCache[attributeName] = true;\n\n  {\n    error('Invalid attribute name: `%s`', attributeName);\n  }\n\n  return false;\n}\nfunction shouldIgnoreAttribute(name, propertyInfo, isCustomComponentTag) {\n  if (propertyInfo !== null) {\n    return propertyInfo.type === RESERVED;\n  }\n\n  if (isCustomComponentTag) {\n    return false;\n  }\n\n  if (name.length > 2 && (name[0] === 'o' || name[0] === 'O') && (name[1] === 'n' || name[1] === 'N')) {\n    return true;\n  }\n\n  return false;\n}\nfunction shouldRemoveAttributeWithWarning(name, value, propertyInfo, isCustomComponentTag) {\n  if (propertyInfo !== null && propertyInfo.type === RESERVED) {\n    return false;\n  }\n\n  switch (typeof value) {\n    case 'function': // $FlowIssue symbol is perfectly valid here\n\n    case 'symbol':\n      // eslint-disable-line\n      return true;\n\n    case 'boolean':\n      {\n        if (isCustomComponentTag) {\n          return false;\n        }\n\n        if (propertyInfo !== null) {\n          return !propertyInfo.acceptsBooleans;\n        } else {\n          var prefix = name.toLowerCase().slice(0, 5);\n          return prefix !== 'data-' && prefix !== 'aria-';\n        }\n      }\n\n    default:\n      return false;\n  }\n}\nfunction shouldRemoveAttribute(name, value, propertyInfo, isCustomComponentTag) {\n  if (value === null || typeof value === 'undefined') {\n    return true;\n  }\n\n  if (shouldRemoveAttributeWithWarning(name, value, propertyInfo, isCustomComponentTag)) {\n    return true;\n  }\n\n  if (isCustomComponentTag) {\n\n    return false;\n  }\n\n  if (propertyInfo !== null) {\n\n    switch (propertyInfo.type) {\n      case BOOLEAN:\n        return !value;\n\n      case OVERLOADED_BOOLEAN:\n        return value === false;\n\n      case NUMERIC:\n        return isNaN(value);\n\n      case POSITIVE_NUMERIC:\n        return isNaN(value) || value < 1;\n    }\n  }\n\n  return false;\n}\nfunction getPropertyInfo(name) {\n  return properties.hasOwnProperty(name) ? properties[name] : null;\n}\n\nfunction PropertyInfoRecord(name, type, mustUseProperty, attributeName, attributeNamespace, sanitizeURL, removeEmptyString) {\n  this.acceptsBooleans = type === BOOLEANISH_STRING || type === BOOLEAN || type === OVERLOADED_BOOLEAN;\n  this.attributeName = attributeName;\n  this.attributeNamespace = attributeNamespace;\n  this.mustUseProperty = mustUseProperty;\n  this.propertyName = name;\n  this.type = type;\n  this.sanitizeURL = sanitizeURL;\n  this.removeEmptyString = removeEmptyString;\n} // When adding attributes to this list, be sure to also add them to\n// the `possibleStandardNames` module to ensure casing and incorrect\n// name warnings.\n\n\nvar properties = {}; // These props are reserved by React. They shouldn't be written to the DOM.\n\nvar reservedProps = ['children', 'dangerouslySetInnerHTML', // TODO: This prevents the assignment of defaultValue to regular\n// elements (not just inputs). Now that ReactDOMInput assigns to the\n// defaultValue property -- do we need this?\n'defaultValue', 'defaultChecked', 'innerHTML', 'suppressContentEditableWarning', 'suppressHydrationWarning', 'style'];\n\nreservedProps.forEach(function (name) {\n  properties[name] = new PropertyInfoRecord(name, RESERVED, false, // mustUseProperty\n  name, // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // A few React string attributes have a different name.\n// This is a mapping from React prop names to the attribute names.\n\n[['acceptCharset', 'accept-charset'], ['className', 'class'], ['htmlFor', 'for'], ['httpEquiv', 'http-equiv']].forEach(function (_ref) {\n  var name = _ref[0],\n      attributeName = _ref[1];\n  properties[name] = new PropertyInfoRecord(name, STRING, false, // mustUseProperty\n  attributeName, // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // These are \"enumerated\" HTML attributes that accept \"true\" and \"false\".\n// In React, we let users pass `true` and `false` even though technically\n// these aren't boolean attributes (they are coerced to strings).\n\n['contentEditable', 'draggable', 'spellCheck', 'value'].forEach(function (name) {\n  properties[name] = new PropertyInfoRecord(name, BOOLEANISH_STRING, false, // mustUseProperty\n  name.toLowerCase(), // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // These are \"enumerated\" SVG attributes that accept \"true\" and \"false\".\n// In React, we let users pass `true` and `false` even though technically\n// these aren't boolean attributes (they are coerced to strings).\n// Since these are SVG attributes, their attribute names are case-sensitive.\n\n['autoReverse', 'externalResourcesRequired', 'focusable', 'preserveAlpha'].forEach(function (name) {\n  properties[name] = new PropertyInfoRecord(name, BOOLEANISH_STRING, false, // mustUseProperty\n  name, // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // These are HTML boolean attributes.\n\n['allowFullScreen', 'async', // Note: there is a special case that prevents it from being written to the DOM\n// on the client side because the browsers are inconsistent. Instead we call focus().\n'autoFocus', 'autoPlay', 'controls', 'default', 'defer', 'disabled', 'disablePictureInPicture', 'disableRemotePlayback', 'formNoValidate', 'hidden', 'loop', 'noModule', 'noValidate', 'open', 'playsInline', 'readOnly', 'required', 'reversed', 'scoped', 'seamless', // Microdata\n'itemScope'].forEach(function (name) {\n  properties[name] = new PropertyInfoRecord(name, BOOLEAN, false, // mustUseProperty\n  name.toLowerCase(), // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // These are the few React props that we set as DOM properties\n// rather than attributes. These are all booleans.\n\n['checked', // Note: `option.selected` is not updated if `select.multiple` is\n// disabled with `removeAttribute`. We have special logic for handling this.\n'multiple', 'muted', 'selected' // NOTE: if you add a camelCased prop to this list,\n// you'll need to set attributeName to name.toLowerCase()\n// instead in the assignment below.\n].forEach(function (name) {\n  properties[name] = new PropertyInfoRecord(name, BOOLEAN, true, // mustUseProperty\n  name, // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // These are HTML attributes that are \"overloaded booleans\": they behave like\n// booleans, but can also accept a string value.\n\n['capture', 'download' // NOTE: if you add a camelCased prop to this list,\n// you'll need to set attributeName to name.toLowerCase()\n// instead in the assignment below.\n].forEach(function (name) {\n  properties[name] = new PropertyInfoRecord(name, OVERLOADED_BOOLEAN, false, // mustUseProperty\n  name, // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // These are HTML attributes that must be positive numbers.\n\n['cols', 'rows', 'size', 'span' // NOTE: if you add a camelCased prop to this list,\n// you'll need to set attributeName to name.toLowerCase()\n// instead in the assignment below.\n].forEach(function (name) {\n  properties[name] = new PropertyInfoRecord(name, POSITIVE_NUMERIC, false, // mustUseProperty\n  name, // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // These are HTML attributes that must be numbers.\n\n['rowSpan', 'start'].forEach(function (name) {\n  properties[name] = new PropertyInfoRecord(name, NUMERIC, false, // mustUseProperty\n  name.toLowerCase(), // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n});\nvar CAMELIZE = /[\\-\\:]([a-z])/g;\n\nvar capitalize = function (token) {\n  return token[1].toUpperCase();\n}; // This is a list of all SVG attributes that need special casing, namespacing,\n// or boolean value assignment. Regular attributes that just accept strings\n// and have the same names are omitted, just like in the HTML attribute filter.\n// Some of these attributes can be hard to find. This list was created by\n// scraping the MDN documentation.\n\n\n['accent-height', 'alignment-baseline', 'arabic-form', 'baseline-shift', 'cap-height', 'clip-path', 'clip-rule', 'color-interpolation', 'color-interpolation-filters', 'color-profile', 'color-rendering', 'dominant-baseline', 'enable-background', 'fill-opacity', 'fill-rule', 'flood-color', 'flood-opacity', 'font-family', 'font-size', 'font-size-adjust', 'font-stretch', 'font-style', 'font-variant', 'font-weight', 'glyph-name', 'glyph-orientation-horizontal', 'glyph-orientation-vertical', 'horiz-adv-x', 'horiz-origin-x', 'image-rendering', 'letter-spacing', 'lighting-color', 'marker-end', 'marker-mid', 'marker-start', 'overline-position', 'overline-thickness', 'paint-order', 'panose-1', 'pointer-events', 'rendering-intent', 'shape-rendering', 'stop-color', 'stop-opacity', 'strikethrough-position', 'strikethrough-thickness', 'stroke-dasharray', 'stroke-dashoffset', 'stroke-linecap', 'stroke-linejoin', 'stroke-miterlimit', 'stroke-opacity', 'stroke-width', 'text-anchor', 'text-decoration', 'text-rendering', 'underline-position', 'underline-thickness', 'unicode-bidi', 'unicode-range', 'units-per-em', 'v-alphabetic', 'v-hanging', 'v-ideographic', 'v-mathematical', 'vector-effect', 'vert-adv-y', 'vert-origin-x', 'vert-origin-y', 'word-spacing', 'writing-mode', 'xmlns:xlink', 'x-height' // NOTE: if you add a camelCased prop to this list,\n// you'll need to set attributeName to name.toLowerCase()\n// instead in the assignment below.\n].forEach(function (attributeName) {\n  var name = attributeName.replace(CAMELIZE, capitalize);\n  properties[name] = new PropertyInfoRecord(name, STRING, false, // mustUseProperty\n  attributeName, null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // String SVG attributes with the xlink namespace.\n\n['xlink:actuate', 'xlink:arcrole', 'xlink:role', 'xlink:show', 'xlink:title', 'xlink:type' // NOTE: if you add a camelCased prop to this list,\n// you'll need to set attributeName to name.toLowerCase()\n// instead in the assignment below.\n].forEach(function (attributeName) {\n  var name = attributeName.replace(CAMELIZE, capitalize);\n  properties[name] = new PropertyInfoRecord(name, STRING, false, // mustUseProperty\n  attributeName, 'http://www.w3.org/1999/xlink', false, // sanitizeURL\n  false);\n}); // String SVG attributes with the xml namespace.\n\n['xml:base', 'xml:lang', 'xml:space' // NOTE: if you add a camelCased prop to this list,\n// you'll need to set attributeName to name.toLowerCase()\n// instead in the assignment below.\n].forEach(function (attributeName) {\n  var name = attributeName.replace(CAMELIZE, capitalize);\n  properties[name] = new PropertyInfoRecord(name, STRING, false, // mustUseProperty\n  attributeName, 'http://www.w3.org/XML/1998/namespace', false, // sanitizeURL\n  false);\n}); // These attribute exists both in HTML and SVG.\n// The attribute name is case-sensitive in SVG so we can't just use\n// the React name like we do for attributes that exist only in HTML.\n\n['tabIndex', 'crossOrigin'].forEach(function (attributeName) {\n  properties[attributeName] = new PropertyInfoRecord(attributeName, STRING, false, // mustUseProperty\n  attributeName.toLowerCase(), // attributeName\n  null, // attributeNamespace\n  false, // sanitizeURL\n  false);\n}); // These attributes accept URLs. These must not allow javascript: URLS.\n// These will also need to accept Trusted Types object in the future.\n\nvar xlinkHref = 'xlinkHref';\nproperties[xlinkHref] = new PropertyInfoRecord('xlinkHref', STRING, false, // mustUseProperty\n'xlink:href', 'http://www.w3.org/1999/xlink', true, // sanitizeURL\nfalse);\n['src', 'href', 'action', 'formAction'].forEach(function (attributeName) {\n  properties[attributeName] = new PropertyInfoRecord(attributeName, STRING, false, // mustUseProperty\n  attributeName.toLowerCase(), // attributeName\n  null, // attributeNamespace\n  true, // sanitizeURL\n  true);\n});\n\n// and any newline or tab are filtered out as if they're not part of the URL.\n// https://url.spec.whatwg.org/#url-parsing\n// Tab or newline are defined as \\r\\n\\t:\n// https://infra.spec.whatwg.org/#ascii-tab-or-newline\n// A C0 control is a code point in the range \\u0000 NULL to \\u001F\n// INFORMATION SEPARATOR ONE, inclusive:\n// https://infra.spec.whatwg.org/#c0-control-or-space\n\n/* eslint-disable max-len */\n\nvar isJavaScriptProtocol = /^[\\u0000-\\u001F ]*j[\\r\\n\\t]*a[\\r\\n\\t]*v[\\r\\n\\t]*a[\\r\\n\\t]*s[\\r\\n\\t]*c[\\r\\n\\t]*r[\\r\\n\\t]*i[\\r\\n\\t]*p[\\r\\n\\t]*t[\\r\\n\\t]*\\:/i;\nvar didWarn = false;\n\nfunction sanitizeURL(url) {\n  {\n    if (!didWarn && isJavaScriptProtocol.test(url)) {\n      didWarn = true;\n\n      error('A future version of React will block javascript: URLs as a security precaution. ' + 'Use event handlers instead if you can. If you need to generate unsafe HTML try ' + 'using dangerouslySetInnerHTML instead. React was passed %s.', JSON.stringify(url));\n    }\n  }\n}\n\n/**\n * Get the value for a property on a node. Only used in DEV for SSR validation.\n * The \"expected\" argument is used as a hint of what the expected value is.\n * Some properties have multiple equivalent values.\n */\nfunction getValueForProperty(node, name, expected, propertyInfo) {\n  {\n    if (propertyInfo.mustUseProperty) {\n      var propertyName = propertyInfo.propertyName;\n      return node[propertyName];\n    } else {\n      // This check protects multiple uses of `expected`, which is why the\n      // react-internal/safe-string-coercion rule is disabled in several spots\n      // below.\n      {\n        checkAttributeStringCoercion(expected, name);\n      }\n\n      if ( propertyInfo.sanitizeURL) {\n        // If we haven't fully disabled javascript: URLs, and if\n        // the hydration is successful of a javascript: URL, we\n        // still want to warn on the client.\n        // eslint-disable-next-line react-internal/safe-string-coercion\n        sanitizeURL('' + expected);\n      }\n\n      var attributeName = propertyInfo.attributeName;\n      var stringValue = null;\n\n      if (propertyInfo.type === OVERLOADED_BOOLEAN) {\n        if (node.hasAttribute(attributeName)) {\n          var value = node.getAttribute(attributeName);\n\n          if (value === '') {\n            return true;\n          }\n\n          if (shouldRemoveAttribute(name, expected, propertyInfo, false)) {\n            return value;\n          } // eslint-disable-next-line react-internal/safe-string-coercion\n\n\n          if (value === '' + expected) {\n            return expected;\n          }\n\n          return value;\n        }\n      } else if (node.hasAttribute(attributeName)) {\n        if (shouldRemoveAttribute(name, expected, propertyInfo, false)) {\n          // We had an attribute but shouldn't have had one, so read it\n          // for the error message.\n          return node.getAttribute(attributeName);\n        }\n\n        if (propertyInfo.type === BOOLEAN) {\n          // If this was a boolean, it doesn't matter what the value is\n          // the fact that we have it is the same as the expected.\n          return expected;\n        } // Even if this property uses a namespace we use getAttribute\n        // because we assume its namespaced name is the same as our config.\n        // To use getAttributeNS we need the local name which we don't have\n        // in our config atm.\n\n\n        stringValue = node.getAttribute(attributeName);\n      }\n\n      if (shouldRemoveAttribute(name, expected, propertyInfo, false)) {\n        return stringValue === null ? expected : stringValue; // eslint-disable-next-line react-internal/safe-string-coercion\n      } else if (stringValue === '' + expected) {\n        return expected;\n      } else {\n        return stringValue;\n      }\n    }\n  }\n}\n/**\n * Get the value for a attribute on a node. Only used in DEV for SSR validation.\n * The third argument is used as a hint of what the expected value is. Some\n * attributes have multiple equivalent values.\n */\n\nfunction getValueForAttribute(node, name, expected, isCustomComponentTag) {\n  {\n    if (!isAttributeNameSafe(name)) {\n      return;\n    }\n\n    if (!node.hasAttribute(name)) {\n      return expected === undefined ? undefined : null;\n    }\n\n    var value = node.getAttribute(name);\n\n    {\n      checkAttributeStringCoercion(expected, name);\n    }\n\n    if (value === '' + expected) {\n      return expected;\n    }\n\n    return value;\n  }\n}\n/**\n * Sets the value for a property on a node.\n *\n * @param {DOMElement} node\n * @param {string} name\n * @param {*} value\n */\n\nfunction setValueForProperty(node, name, value, isCustomComponentTag) {\n  var propertyInfo = getPropertyInfo(name);\n\n  if (shouldIgnoreAttribute(name, propertyInfo, isCustomComponentTag)) {\n    return;\n  }\n\n  if (shouldRemoveAttribute(name, value, propertyInfo, isCustomComponentTag)) {\n    value = null;\n  }\n\n\n  if (isCustomComponentTag || propertyInfo === null) {\n    if (isAttributeNameSafe(name)) {\n      var _attributeName = name;\n\n      if (value === null) {\n        node.removeAttribute(_attributeName);\n      } else {\n        {\n          checkAttributeStringCoercion(value, name);\n        }\n\n        node.setAttribute(_attributeName,  '' + value);\n      }\n    }\n\n    return;\n  }\n\n  var mustUseProperty = propertyInfo.mustUseProperty;\n\n  if (mustUseProperty) {\n    var propertyName = propertyInfo.propertyName;\n\n    if (value === null) {\n      var type = propertyInfo.type;\n      node[propertyName] = type === BOOLEAN ? false : '';\n    } else {\n      // Contrary to `setAttribute`, object properties are properly\n      // `toString`ed by IE8/9.\n      node[propertyName] = value;\n    }\n\n    return;\n  } // The rest are treated as attributes with special cases.\n\n\n  var attributeName = propertyInfo.attributeName,\n      attributeNamespace = propertyInfo.attributeNamespace;\n\n  if (value === null) {\n    node.removeAttribute(attributeName);\n  } else {\n    var _type = propertyInfo.type;\n    var attributeValue;\n\n    if (_type === BOOLEAN || _type === OVERLOADED_BOOLEAN && value === true) {\n      // If attribute type is boolean, we know for sure it won't be an execution sink\n      // and we won't require Trusted Type here.\n      attributeValue = '';\n    } else {\n      // `setAttribute` with objects becomes only `[object]` in IE8/9,\n      // ('' + value) makes it output the correct toString()-value.\n      {\n        {\n          checkAttributeStringCoercion(value, attributeName);\n        }\n\n        attributeValue = '' + value;\n      }\n\n      if (propertyInfo.sanitizeURL) {\n        sanitizeURL(attributeValue.toString());\n      }\n    }\n\n    if (attributeNamespace) {\n      node.setAttributeNS(attributeNamespace, attributeName, attributeValue);\n    } else {\n      node.setAttribute(attributeName, attributeValue);\n    }\n  }\n}\n\n// ATTENTION\n// When adding new symbols to this file,\n// Please consider also adding to 'react-devtools-shared/src/backend/ReactSymbols'\n// The Symbol used to tag the ReactElement-like types.\nvar REACT_ELEMENT_TYPE = Symbol.for('react.element');\nvar REACT_PORTAL_TYPE = Symbol.for('react.portal');\nvar REACT_FRAGMENT_TYPE = Symbol.for('react.fragment');\nvar REACT_STRICT_MODE_TYPE = Symbol.for('react.strict_mode');\nvar REACT_PROFILER_TYPE = Symbol.for('react.profiler');\nvar REACT_PROVIDER_TYPE = Symbol.for('react.provider');\nvar REACT_CONTEXT_TYPE = Symbol.for('react.context');\nvar REACT_FORWARD_REF_TYPE = Symbol.for('react.forward_ref');\nvar REACT_SUSPENSE_TYPE = Symbol.for('react.suspense');\nvar REACT_SUSPENSE_LIST_TYPE = Symbol.for('react.suspense_list');\nvar REACT_MEMO_TYPE = Symbol.for('react.memo');\nvar REACT_LAZY_TYPE = Symbol.for('react.lazy');\nvar REACT_SCOPE_TYPE = Symbol.for('react.scope');\nvar REACT_DEBUG_TRACING_MODE_TYPE = Symbol.for('react.debug_trace_mode');\nvar REACT_OFFSCREEN_TYPE = Symbol.for('react.offscreen');\nvar REACT_LEGACY_HIDDEN_TYPE = Symbol.for('react.legacy_hidden');\nvar REACT_CACHE_TYPE = Symbol.for('react.cache');\nvar REACT_TRACING_MARKER_TYPE = Symbol.for('react.tracing_marker');\nvar MAYBE_ITERATOR_SYMBOL = Symbol.iterator;\nvar FAUX_ITERATOR_SYMBOL = '@@iterator';\nfunction getIteratorFn(maybeIterable) {\n  if (maybeIterable === null || typeof maybeIterable !== 'object') {\n    return null;\n  }\n\n  var maybeIterator = MAYBE_ITERATOR_SYMBOL && maybeIterable[MAYBE_ITERATOR_SYMBOL] || maybeIterable[FAUX_ITERATOR_SYMBOL];\n\n  if (typeof maybeIterator === 'function') {\n    return maybeIterator;\n  }\n\n  return null;\n}\n\nvar assign = Object.assign;\n\n// Helpers to patch console.logs to avoid logging during side-effect free\n// replaying on render function. This currently only patches the object\n// lazily which won't cover if the log function was extracted eagerly.\n// We could also eagerly patch the method.\nvar disabledDepth = 0;\nvar prevLog;\nvar prevInfo;\nvar prevWarn;\nvar prevError;\nvar prevGroup;\nvar prevGroupCollapsed;\nvar prevGroupEnd;\n\nfunction disabledLog() {}\n\ndisabledLog.__reactDisabledLog = true;\nfunction disableLogs() {\n  {\n    if (disabledDepth === 0) {\n      /* eslint-disable react-internal/no-production-logging */\n      prevLog = console.log;\n      prevInfo = console.info;\n      prevWarn = console.warn;\n      prevError = console.error;\n      prevGroup = console.group;\n      prevGroupCollapsed = console.groupCollapsed;\n      prevGroupEnd = console.groupEnd; // https://github.com/facebook/react/issues/19099\n\n      var props = {\n        configurable: true,\n        enumerable: true,\n        value: disabledLog,\n        writable: true\n      }; // $FlowFixMe Flow thinks console is immutable.\n\n      Object.defineProperties(console, {\n        info: props,\n        log: props,\n        warn: props,\n        error: props,\n        group: props,\n        groupCollapsed: props,\n        groupEnd: props\n      });\n      /* eslint-enable react-internal/no-production-logging */\n    }\n\n    disabledDepth++;\n  }\n}\nfunction reenableLogs() {\n  {\n    disabledDepth--;\n\n    if (disabledDepth === 0) {\n      /* eslint-disable react-internal/no-production-logging */\n      var props = {\n        configurable: true,\n        enumerable: true,\n        writable: true\n      }; // $FlowFixMe Flow thinks console is immutable.\n\n      Object.defineProperties(console, {\n        log: assign({}, props, {\n          value: prevLog\n        }),\n        info: assign({}, props, {\n          value: prevInfo\n        }),\n        warn: assign({}, props, {\n          value: prevWarn\n        }),\n        error: assign({}, props, {\n          value: prevError\n        }),\n        group: assign({}, props, {\n          value: prevGroup\n        }),\n        groupCollapsed: assign({}, props, {\n          value: prevGroupCollapsed\n        }),\n        groupEnd: assign({}, props, {\n          value: prevGroupEnd\n        })\n      });\n      /* eslint-enable react-internal/no-production-logging */\n    }\n\n    if (disabledDepth < 0) {\n      error('disabledDepth fell below zero. ' + 'This is a bug in React. Please file an issue.');\n    }\n  }\n}\n\nvar ReactCurrentDispatcher = ReactSharedInternals.ReactCurrentDispatcher;\nvar prefix;\nfunction describeBuiltInComponentFrame(name, source, ownerFn) {\n  {\n    if (prefix === undefined) {\n      // Extract the VM specific prefix used by each line.\n      try {\n        throw Error();\n      } catch (x) {\n        var match = x.stack.trim().match(/\\n( *(at )?)/);\n        prefix = match && match[1] || '';\n      }\n    } // We use the prefix to ensure our stacks line up with native stack frames.\n\n\n    return '\\n' + prefix + name;\n  }\n}\nvar reentry = false;\nvar componentFrameCache;\n\n{\n  var PossiblyWeakMap = typeof WeakMap === 'function' ? WeakMap : Map;\n  componentFrameCache = new PossiblyWeakMap();\n}\n\nfunction describeNativeComponentFrame(fn, construct) {\n  // If something asked for a stack inside a fake render, it should get ignored.\n  if ( !fn || reentry) {\n    return '';\n  }\n\n  {\n    var frame = componentFrameCache.get(fn);\n\n    if (frame !== undefined) {\n      return frame;\n    }\n  }\n\n  var control;\n  reentry = true;\n  var previousPrepareStackTrace = Error.prepareStackTrace; // $FlowFixMe It does accept undefined.\n\n  Error.prepareStackTrace = undefined;\n  var previousDispatcher;\n\n  {\n    previousDispatcher = ReactCurrentDispatcher.current; // Set the dispatcher in DEV because this might be call in the render function\n    // for warnings.\n\n    ReactCurrentDispatcher.current = null;\n    disableLogs();\n  }\n\n  try {\n    // This should throw.\n    if (construct) {\n      // Something should be setting the props in the constructor.\n      var Fake = function () {\n        throw Error();\n      }; // $FlowFixMe\n\n\n      Object.defineProperty(Fake.prototype, 'props', {\n        set: function () {\n          // We use a throwing setter instead of frozen or non-writable props\n          // because that won't throw in a non-strict mode function.\n          throw Error();\n        }\n      });\n\n      if (typeof Reflect === 'object' && Reflect.construct) {\n        // We construct a different control for this case to include any extra\n        // frames added by the construct call.\n        try {\n          Reflect.construct(Fake, []);\n        } catch (x) {\n          control = x;\n        }\n\n        Reflect.construct(fn, [], Fake);\n      } else {\n        try {\n          Fake.call();\n        } catch (x) {\n          control = x;\n        }\n\n        fn.call(Fake.prototype);\n      }\n    } else {\n      try {\n        throw Error();\n      } catch (x) {\n        control = x;\n      }\n\n      fn();\n    }\n  } catch (sample) {\n    // This is inlined manually because closure doesn't do it for us.\n    if (sample && control && typeof sample.stack === 'string') {\n      // This extracts the first frame from the sample that isn't also in the control.\n      // Skipping one frame that we assume is the frame that calls the two.\n      var sampleLines = sample.stack.split('\\n');\n      var controlLines = control.stack.split('\\n');\n      var s = sampleLines.length - 1;\n      var c = controlLines.length - 1;\n\n      while (s >= 1 && c >= 0 && sampleLines[s] !== controlLines[c]) {\n        // We expect at least one stack frame to be shared.\n        // Typically this will be the root most one. However, stack frames may be\n        // cut off due to maximum stack limits. In this case, one maybe cut off\n        // earlier than the other. We assume that the sample is longer or the same\n        // and there for cut off earlier. So we should find the root most frame in\n        // the sample somewhere in the control.\n        c--;\n      }\n\n      for (; s >= 1 && c >= 0; s--, c--) {\n        // Next we find the first one that isn't the same which should be the\n        // frame that called our sample function and the control.\n        if (sampleLines[s] !== controlLines[c]) {\n          // In V8, the first line is describing the message but other VMs don't.\n          // If we're about to return the first line, and the control is also on the same\n          // line, that's a pretty good indicator that our sample threw at same line as\n          // the control. I.e. before we entered the sample frame. So we ignore this result.\n          // This can happen if you passed a class to function component, or non-function.\n          if (s !== 1 || c !== 1) {\n            do {\n              s--;\n              c--; // We may still have similar intermediate frames from the construct call.\n              // The next one that isn't the same should be our match though.\n\n              if (c < 0 || sampleLines[s] !== controlLines[c]) {\n                // V8 adds a \"new\" prefix for native classes. Let's remove it to make it prettier.\n                var _frame = '\\n' + sampleLines[s].replace(' at new ', ' at '); // If our component frame is labeled \"<anonymous>\"\n                // but we have a user-provided \"displayName\"\n                // splice it in to make the stack more readable.\n\n\n                if (fn.displayName && _frame.includes('<anonymous>')) {\n                  _frame = _frame.replace('<anonymous>', fn.displayName);\n                }\n\n                {\n                  if (typeof fn === 'function') {\n                    componentFrameCache.set(fn, _frame);\n                  }\n                } // Return the line we found.\n\n\n                return _frame;\n              }\n            } while (s >= 1 && c >= 0);\n          }\n\n          break;\n        }\n      }\n    }\n  } finally {\n    reentry = false;\n\n    {\n      ReactCurrentDispatcher.current = previousDispatcher;\n      reenableLogs();\n    }\n\n    Error.prepareStackTrace = previousPrepareStackTrace;\n  } // Fallback to just using the name if we couldn't make it throw.\n\n\n  var name = fn ? fn.displayName || fn.name : '';\n  var syntheticFrame = name ? describeBuiltInComponentFrame(name) : '';\n\n  {\n    if (typeof fn === 'function') {\n      componentFrameCache.set(fn, syntheticFrame);\n    }\n  }\n\n  return syntheticFrame;\n}\n\nfunction describeClassComponentFrame(ctor, source, ownerFn) {\n  {\n    return describeNativeComponentFrame(ctor, true);\n  }\n}\nfunction describeFunctionComponentFrame(fn, source, ownerFn) {\n  {\n    return describeNativeComponentFrame(fn, false);\n  }\n}\n\nfunction shouldConstruct(Component) {\n  var prototype = Component.prototype;\n  return !!(prototype && prototype.isReactComponent);\n}\n\nfunction describeUnknownElementTypeFrameInDEV(type, source, ownerFn) {\n\n  if (type == null) {\n    return '';\n  }\n\n  if (typeof type === 'function') {\n    {\n      return describeNativeComponentFrame(type, shouldConstruct(type));\n    }\n  }\n\n  if (typeof type === 'string') {\n    return describeBuiltInComponentFrame(type);\n  }\n\n  switch (type) {\n    case REACT_SUSPENSE_TYPE:\n      return describeBuiltInComponentFrame('Suspense');\n\n    case REACT_SUSPENSE_LIST_TYPE:\n      return describeBuiltInComponentFrame('SuspenseList');\n  }\n\n  if (typeof type === 'object') {\n    switch (type.$$typeof) {\n      case REACT_FORWARD_REF_TYPE:\n        return describeFunctionComponentFrame(type.render);\n\n      case REACT_MEMO_TYPE:\n        // Memo may contain any component type so we recursively resolve it.\n        return describeUnknownElementTypeFrameInDEV(type.type, source, ownerFn);\n\n      case REACT_LAZY_TYPE:\n        {\n          var lazyComponent = type;\n          var payload = lazyComponent._payload;\n          var init = lazyComponent._init;\n\n          try {\n            // Lazy may contain any component type so we recursively resolve it.\n            return describeUnknownElementTypeFrameInDEV(init(payload), source, ownerFn);\n          } catch (x) {}\n        }\n    }\n  }\n\n  return '';\n}\n\nfunction describeFiber(fiber) {\n  var owner =  fiber._debugOwner ? fiber._debugOwner.type : null ;\n  var source =  fiber._debugSource ;\n\n  switch (fiber.tag) {\n    case HostComponent:\n      return describeBuiltInComponentFrame(fiber.type);\n\n    case LazyComponent:\n      return describeBuiltInComponentFrame('Lazy');\n\n    case SuspenseComponent:\n      return describeBuiltInComponentFrame('Suspense');\n\n    case SuspenseListComponent:\n      return describeBuiltInComponentFrame('SuspenseList');\n\n    case FunctionComponent:\n    case IndeterminateComponent:\n    case SimpleMemoComponent:\n      return describeFunctionComponentFrame(fiber.type);\n\n    case ForwardRef:\n      return describeFunctionComponentFrame(fiber.type.render);\n\n    case ClassComponent:\n      return describeClassComponentFrame(fiber.type);\n\n    default:\n      return '';\n  }\n}\n\nfunction getStackByFiberInDevAndProd(workInProgress) {\n  try {\n    var info = '';\n    var node = workInProgress;\n\n    do {\n      info += describeFiber(node);\n      node = node.return;\n    } while (node);\n\n    return info;\n  } catch (x) {\n    return '\\nError generating stack: ' + x.message + '\\n' + x.stack;\n  }\n}\n\nfunction getWrappedName(outerType, innerType, wrapperName) {\n  var displayName = outerType.displayName;\n\n  if (displayName) {\n    return displayName;\n  }\n\n  var functionName = innerType.displayName || innerType.name || '';\n  return functionName !== '' ? wrapperName + \"(\" + functionName + \")\" : wrapperName;\n} // Keep in sync with react-reconciler/getComponentNameFromFiber\n\n\nfunction getContextName(type) {\n  return type.displayName || 'Context';\n} // Note that the reconciler package should generally prefer to use getComponentNameFromFiber() instead.\n\n\nfunction getComponentNameFromType(type) {\n  if (type == null) {\n    // Host root, text node or just invalid type.\n    return null;\n  }\n\n  {\n    if (typeof type.tag === 'number') {\n      error('Received an unexpected object in getComponentNameFromType(). ' + 'This is likely a bug in React. Please file an issue.');\n    }\n  }\n\n  if (typeof type === 'function') {\n    return type.displayName || type.name || null;\n  }\n\n  if (typeof type === 'string') {\n    return type;\n  }\n\n  switch (type) {\n    case REACT_FRAGMENT_TYPE:\n      return 'Fragment';\n\n    case REACT_PORTAL_TYPE:\n      return 'Portal';\n\n    case REACT_PROFILER_TYPE:\n      return 'Profiler';\n\n    case REACT_STRICT_MODE_TYPE:\n      return 'StrictMode';\n\n    case REACT_SUSPENSE_TYPE:\n      return 'Suspense';\n\n    case REACT_SUSPENSE_LIST_TYPE:\n      return 'SuspenseList';\n\n  }\n\n  if (typeof type === 'object') {\n    switch (type.$$typeof) {\n      case REACT_CONTEXT_TYPE:\n        var context = type;\n        return getContextName(context) + '.Consumer';\n\n      case REACT_PROVIDER_TYPE:\n        var provider = type;\n        return getContextName(provider._context) + '.Provider';\n\n      case REACT_FORWARD_REF_TYPE:\n        return getWrappedName(type, type.render, 'ForwardRef');\n\n      case REACT_MEMO_TYPE:\n        var outerName = type.displayName || null;\n\n        if (outerName !== null) {\n          return outerName;\n        }\n\n        return getComponentNameFromType(type.type) || 'Memo';\n\n      case REACT_LAZY_TYPE:\n        {\n          var lazyComponent = type;\n          var payload = lazyComponent._payload;\n          var init = lazyComponent._init;\n\n          try {\n            return getComponentNameFromType(init(payload));\n          } catch (x) {\n            return null;\n          }\n        }\n\n      // eslint-disable-next-line no-fallthrough\n    }\n  }\n\n  return null;\n}\n\nfunction getWrappedName$1(outerType, innerType, wrapperName) {\n  var functionName = innerType.displayName || innerType.name || '';\n  return outerType.displayName || (functionName !== '' ? wrapperName + \"(\" + functionName + \")\" : wrapperName);\n} // Keep in sync with shared/getComponentNameFromType\n\n\nfunction getContextName$1(type) {\n  return type.displayName || 'Context';\n}\n\nfunction getComponentNameFromFiber(fiber) {\n  var tag = fiber.tag,\n      type = fiber.type;\n\n  switch (tag) {\n    case CacheComponent:\n      return 'Cache';\n\n    case ContextConsumer:\n      var context = type;\n      return getContextName$1(context) + '.Consumer';\n\n    case ContextProvider:\n      var provider = type;\n      return getContextName$1(provider._context) + '.Provider';\n\n    case DehydratedFragment:\n      return 'DehydratedFragment';\n\n    case ForwardRef:\n      return getWrappedName$1(type, type.render, 'ForwardRef');\n\n    case Fragment:\n      return 'Fragment';\n\n    case HostComponent:\n      // Host component type is the display name (e.g. \"div\", \"View\")\n      return type;\n\n    case HostPortal:\n      return 'Portal';\n\n    case HostRoot:\n      return 'Root';\n\n    case HostText:\n      return 'Text';\n\n    case LazyComponent:\n      // Name comes from the type in this case; we don't have a tag.\n      return getComponentNameFromType(type);\n\n    case Mode:\n      if (type === REACT_STRICT_MODE_TYPE) {\n        // Don't be less specific than shared/getComponentNameFromType\n        return 'StrictMode';\n      }\n\n      return 'Mode';\n\n    case OffscreenComponent:\n      return 'Offscreen';\n\n    case Profiler:\n      return 'Profiler';\n\n    case ScopeComponent:\n      return 'Scope';\n\n    case SuspenseComponent:\n      return 'Suspense';\n\n    case SuspenseListComponent:\n      return 'SuspenseList';\n\n    case TracingMarkerComponent:\n      return 'TracingMarker';\n    // The display name for this tags come from the user-provided type:\n\n    case ClassComponent:\n    case FunctionComponent:\n    case IncompleteClassComponent:\n    case IndeterminateComponent:\n    case MemoComponent:\n    case SimpleMemoComponent:\n      if (typeof type === 'function') {\n        return type.displayName || type.name || null;\n      }\n\n      if (typeof type === 'string') {\n        return type;\n      }\n\n      break;\n\n  }\n\n  return null;\n}\n\nvar ReactDebugCurrentFrame = ReactSharedInternals.ReactDebugCurrentFrame;\nvar current = null;\nvar isRendering = false;\nfunction getCurrentFiberOwnerNameInDevOrNull() {\n  {\n    if (current === null) {\n      return null;\n    }\n\n    var owner = current._debugOwner;\n\n    if (owner !== null && typeof owner !== 'undefined') {\n      return getComponentNameFromFiber(owner);\n    }\n  }\n\n  return null;\n}\n\nfunction getCurrentFiberStackInDev() {\n  {\n    if (current === null) {\n      return '';\n    } // Safe because if current fiber exists, we are reconciling,\n    // and it is guaranteed to be the work-in-progress version.\n\n\n    return getStackByFiberInDevAndProd(current);\n  }\n}\n\nfunction resetCurrentFiber() {\n  {\n    ReactDebugCurrentFrame.getCurrentStack = null;\n    current = null;\n    isRendering = false;\n  }\n}\nfunction setCurrentFiber(fiber) {\n  {\n    ReactDebugCurrentFrame.getCurrentStack = fiber === null ? null : getCurrentFiberStackInDev;\n    current = fiber;\n    isRendering = false;\n  }\n}\nfunction getCurrentFiber() {\n  {\n    return current;\n  }\n}\nfunction setIsRendering(rendering) {\n  {\n    isRendering = rendering;\n  }\n}\n\n// Flow does not allow string concatenation of most non-string types. To work\n// around this limitation, we use an opaque type that can only be obtained by\n// passing the value through getToStringValue first.\nfunction toString(value) {\n  // The coercion safety check is performed in getToStringValue().\n  // eslint-disable-next-line react-internal/safe-string-coercion\n  return '' + value;\n}\nfunction getToStringValue(value) {\n  switch (typeof value) {\n    case 'boolean':\n    case 'number':\n    case 'string':\n    case 'undefined':\n      return value;\n\n    case 'object':\n      {\n        checkFormFieldValueStringCoercion(value);\n      }\n\n      return value;\n\n    default:\n      // function, symbol are assigned as empty strings\n      return '';\n  }\n}\n\nvar hasReadOnlyValue = {\n  button: true,\n  checkbox: true,\n  image: true,\n  hidden: true,\n  radio: true,\n  reset: true,\n  submit: true\n};\nfunction checkControlledValueProps(tagName, props) {\n  {\n    if (!(hasReadOnlyValue[props.type] || props.onChange || props.onInput || props.readOnly || props.disabled || props.value == null)) {\n      error('You provided a `value` prop to a form field without an ' + '`onChange` handler. This will render a read-only field. If ' + 'the field should be mutable use `defaultValue`. Otherwise, ' + 'set either `onChange` or `readOnly`.');\n    }\n\n    if (!(props.onChange || props.readOnly || props.disabled || props.checked == null)) {\n      error('You provided a `checked` prop to a form field without an ' + '`onChange` handler. This will render a read-only field. If ' + 'the field should be mutable use `defaultChecked`. Otherwise, ' + 'set either `onChange` or `readOnly`.');\n    }\n  }\n}\n\nfunction isCheckable(elem) {\n  var type = elem.type;\n  var nodeName = elem.nodeName;\n  return nodeName && nodeName.toLowerCase() === 'input' && (type === 'checkbox' || type === 'radio');\n}\n\nfunction getTracker(node) {\n  return node._valueTracker;\n}\n\nfunction detachTracker(node) {\n  node._valueTracker = null;\n}\n\nfunction getValueFromNode(node) {\n  var value = '';\n\n  if (!node) {\n    return value;\n  }\n\n  if (isCheckable(node)) {\n    value = node.checked ? 'true' : 'false';\n  } else {\n    value = node.value;\n  }\n\n  return value;\n}\n\nfunction trackValueOnNode(node) {\n  var valueField = isCheckable(node) ? 'checked' : 'value';\n  var descriptor = Object.getOwnPropertyDescriptor(node.constructor.prototype, valueField);\n\n  {\n    checkFormFieldValueStringCoercion(node[valueField]);\n  }\n\n  var currentValue = '' + node[valueField]; // if someone has already defined a value or Safari, then bail\n  // and don't track value will cause over reporting of changes,\n  // but it's better then a hard failure\n  // (needed for certain tests that spyOn input values and Safari)\n\n  if (node.hasOwnProperty(valueField) || typeof descriptor === 'undefined' || typeof descriptor.get !== 'function' || typeof descriptor.set !== 'function') {\n    return;\n  }\n\n  var get = descriptor.get,\n      set = descriptor.set;\n  Object.defineProperty(node, valueField, {\n    configurable: true,\n    get: function () {\n      return get.call(this);\n    },\n    set: function (value) {\n      {\n        checkFormFieldValueStringCoercion(value);\n      }\n\n      currentValue = '' + value;\n      set.call(this, value);\n    }\n  }); // We could've passed this the first time\n  // but it triggers a bug in IE11 and Edge 14/15.\n  // Calling defineProperty() again should be equivalent.\n  // https://github.com/facebook/react/issues/11768\n\n  Object.defineProperty(node, valueField, {\n    enumerable: descriptor.enumerable\n  });\n  var tracker = {\n    getValue: function () {\n      return currentValue;\n    },\n    setValue: function (value) {\n      {\n        checkFormFieldValueStringCoercion(value);\n      }\n\n      currentValue = '' + value;\n    },\n    stopTracking: function () {\n      detachTracker(node);\n      delete node[valueField];\n    }\n  };\n  return tracker;\n}\n\nfunction track(node) {\n  if (getTracker(node)) {\n    return;\n  } // TODO: Once it's just Fiber we can move this to node._wrapperState\n\n\n  node._valueTracker = trackValueOnNode(node);\n}\nfunction updateValueIfChanged(node) {\n  if (!node) {\n    return false;\n  }\n\n  var tracker = getTracker(node); // if there is no tracker at this point it's unlikely\n  // that trying again will succeed\n\n  if (!tracker) {\n    return true;\n  }\n\n  var lastValue = tracker.getValue();\n  var nextValue = getValueFromNode(node);\n\n  if (nextValue !== lastValue) {\n    tracker.setValue(nextValue);\n    return true;\n  }\n\n  return false;\n}\n\nfunction getActiveElement(doc) {\n  doc = doc || (typeof document !== 'undefined' ? document : undefined);\n\n  if (typeof doc === 'undefined') {\n    return null;\n  }\n\n  try {\n    return doc.activeElement || doc.body;\n  } catch (e) {\n    return doc.body;\n  }\n}\n\nvar didWarnValueDefaultValue = false;\nvar didWarnCheckedDefaultChecked = false;\nvar didWarnControlledToUncontrolled = false;\nvar didWarnUncontrolledToControlled = false;\n\nfunction isControlled(props) {\n  var usesChecked = props.type === 'checkbox' || props.type === 'radio';\n  return usesChecked ? props.checked != null : props.value != null;\n}\n/**\n * Implements an <input> host component that allows setting these optional\n * props: `checked`, `value`, `defaultChecked`, and `defaultValue`.\n *\n * If `checked` or `value` are not supplied (or null/undefined), user actions\n * that affect the checked state or value will trigger updates to the element.\n *\n * If they are supplied (and not null/undefined), the rendered element will not\n * trigger updates to the element. Instead, the props must change in order for\n * the rendered element to be updated.\n *\n * The rendered element will be initialized as unchecked (or `defaultChecked`)\n * with an empty value (or `defaultValue`).\n *\n * See http://www.w3.org/TR/2012/WD-html5-20121025/the-input-element.html\n */\n\n\nfunction getHostProps(element, props) {\n  var node = element;\n  var checked = props.checked;\n  var hostProps = assign({}, props, {\n    defaultChecked: undefined,\n    defaultValue: undefined,\n    value: undefined,\n    checked: checked != null ? checked : node._wrapperState.initialChecked\n  });\n  return hostProps;\n}\nfunction initWrapperState(element, props) {\n  {\n    checkControlledValueProps('input', props);\n\n    if (props.checked !== undefined && props.defaultChecked !== undefined && !didWarnCheckedDefaultChecked) {\n      error('%s contains an input of type %s with both checked and defaultChecked props. ' + 'Input elements must be either controlled or uncontrolled ' + '(specify either the checked prop, or the defaultChecked prop, but not ' + 'both). Decide between using a controlled or uncontrolled input ' + 'element and remove one of these props. More info: ' + 'https://reactjs.org/link/controlled-components', getCurrentFiberOwnerNameInDevOrNull() || 'A component', props.type);\n\n      didWarnCheckedDefaultChecked = true;\n    }\n\n    if (props.value !== undefined && props.defaultValue !== undefined && !didWarnValueDefaultValue) {\n      error('%s contains an input of type %s with both value and defaultValue props. ' + 'Input elements must be either controlled or uncontrolled ' + '(specify either the value prop, or the defaultValue prop, but not ' + 'both). Decide between using a controlled or uncontrolled input ' + 'element and remove one of these props. More info: ' + 'https://reactjs.org/link/controlled-components', getCurrentFiberOwnerNameInDevOrNull() || 'A component', props.type);\n\n      didWarnValueDefaultValue = true;\n    }\n  }\n\n  var node = element;\n  var defaultValue = props.defaultValue == null ? '' : props.defaultValue;\n  node._wrapperState = {\n    initialChecked: props.checked != null ? props.checked : props.defaultChecked,\n    initialValue: getToStringValue(props.value != null ? props.value : defaultValue),\n    controlled: isControlled(props)\n  };\n}\nfunction updateChecked(element, props) {\n  var node = element;\n  var checked = props.checked;\n\n  if (checked != null) {\n    setValueForProperty(node, 'checked', checked, false);\n  }\n}\nfunction updateWrapper(element, props) {\n  var node = element;\n\n  {\n    var controlled = isControlled(props);\n\n    if (!node._wrapperState.controlled && controlled && !didWarnUncontrolledToControlled) {\n      error('A component is changing an uncontrolled input to be controlled. ' + 'This is likely caused by the value changing from undefined to ' + 'a defined value, which should not happen. ' + 'Decide between using a controlled or uncontrolled input ' + 'element for the lifetime of the component. More info: https://reactjs.org/link/controlled-components');\n\n      didWarnUncontrolledToControlled = true;\n    }\n\n    if (node._wrapperState.controlled && !controlled && !didWarnControlledToUncontrolled) {\n      error('A component is changing a controlled input to be uncontrolled. ' + 'This is likely caused by the value changing from a defined to ' + 'undefined, which should not happen. ' + 'Decide between using a controlled or uncontrolled input ' + 'element for the lifetime of the component. More info: https://reactjs.org/link/controlled-components');\n\n      didWarnControlledToUncontrolled = true;\n    }\n  }\n\n  updateChecked(element, props);\n  var value = getToStringValue(props.value);\n  var type = props.type;\n\n  if (value != null) {\n    if (type === 'number') {\n      if (value === 0 && node.value === '' || // We explicitly want to coerce to number here if possible.\n      // eslint-disable-next-line\n      node.value != value) {\n        node.value = toString(value);\n      }\n    } else if (node.value !== toString(value)) {\n      node.value = toString(value);\n    }\n  } else if (type === 'submit' || type === 'reset') {\n    // Submit/reset inputs need the attribute removed completely to avoid\n    // blank-text buttons.\n    node.removeAttribute('value');\n    return;\n  }\n\n  {\n    // When syncing the value attribute, the value comes from a cascade of\n    // properties:\n    //  1. The value React property\n    //  2. The defaultValue React property\n    //  3. Otherwise there should be no change\n    if (props.hasOwnProperty('value')) {\n      setDefaultValue(node, props.type, value);\n    } else if (props.hasOwnProperty('defaultValue')) {\n      setDefaultValue(node, props.type, getToStringValue(props.defaultValue));\n    }\n  }\n\n  {\n    // When syncing the checked attribute, it only changes when it needs\n    // to be removed, such as transitioning from a checkbox into a text input\n    if (props.checked == null && props.defaultChecked != null) {\n      node.defaultChecked = !!props.defaultChecked;\n    }\n  }\n}\nfunction postMountWrapper(element, props, isHydrating) {\n  var node = element; // Do not assign value if it is already set. This prevents user text input\n  // from being lost during SSR hydration.\n\n  if (props.hasOwnProperty('value') || props.hasOwnProperty('defaultValue')) {\n    var type = props.type;\n    var isButton = type === 'submit' || type === 'reset'; // Avoid setting value attribute on submit/reset inputs as it overrides the\n    // default value provided by the browser. See: #12872\n\n    if (isButton && (props.value === undefined || props.value === null)) {\n      return;\n    }\n\n    var initialValue = toString(node._wrapperState.initialValue); // Do not assign value if it is already set. This prevents user text input\n    // from being lost during SSR hydration.\n\n    if (!isHydrating) {\n      {\n        // When syncing the value attribute, the value property should use\n        // the wrapperState._initialValue property. This uses:\n        //\n        //   1. The value React property when present\n        //   2. The defaultValue React property when present\n        //   3. An empty string\n        if (initialValue !== node.value) {\n          node.value = initialValue;\n        }\n      }\n    }\n\n    {\n      // Otherwise, the value attribute is synchronized to the property,\n      // so we assign defaultValue to the same thing as the value property\n      // assignment step above.\n      node.defaultValue = initialValue;\n    }\n  } // Normally, we'd just do `node.checked = node.checked` upon initial mount, less this bug\n  // this is needed to work around a chrome bug where setting defaultChecked\n  // will sometimes influence the value of checked (even after detachment).\n  // Reference: https://bugs.chromium.org/p/chromium/issues/detail?id=608416\n  // We need to temporarily unset name to avoid disrupting radio button groups.\n\n\n  var name = node.name;\n\n  if (name !== '') {\n    node.name = '';\n  }\n\n  {\n    // When syncing the checked attribute, both the checked property and\n    // attribute are assigned at the same time using defaultChecked. This uses:\n    //\n    //   1. The checked React property when present\n    //   2. The defaultChecked React property when present\n    //   3. Otherwise, false\n    node.defaultChecked = !node.defaultChecked;\n    node.defaultChecked = !!node._wrapperState.initialChecked;\n  }\n\n  if (name !== '') {\n    node.name = name;\n  }\n}\nfunction restoreControlledState(element, props) {\n  var node = element;\n  updateWrapper(node, props);\n  updateNamedCousins(node, props);\n}\n\nfunction updateNamedCousins(rootNode, props) {\n  var name = props.name;\n\n  if (props.type === 'radio' && name != null) {\n    var queryRoot = rootNode;\n\n    while (queryRoot.parentNode) {\n      queryRoot = queryRoot.parentNode;\n    } // If `rootNode.form` was non-null, then we could try `form.elements`,\n    // but that sometimes behaves strangely in IE8. We could also try using\n    // `form.getElementsByName`, but that will only return direct children\n    // and won't include inputs that use the HTML5 `form=` attribute. Since\n    // the input might not even be in a form. It might not even be in the\n    // document. Let's just use the local `querySelectorAll` to ensure we don't\n    // miss anything.\n\n\n    {\n      checkAttributeStringCoercion(name, 'name');\n    }\n\n    var group = queryRoot.querySelectorAll('input[name=' + JSON.stringify('' + name) + '][type=\"radio\"]');\n\n    for (var i = 0; i < group.length; i++) {\n      var otherNode = group[i];\n\n      if (otherNode === rootNode || otherNode.form !== rootNode.form) {\n        continue;\n      } // This will throw if radio buttons rendered by different copies of React\n      // and the same name are rendered into the same form (same as #1939).\n      // That's probably okay; we don't support it just as we don't support\n      // mixing React radio buttons with non-React ones.\n\n\n      var otherProps = getFiberCurrentPropsFromNode(otherNode);\n\n      if (!otherProps) {\n        throw new Error('ReactDOMInput: Mixing React and non-React radio inputs with the ' + 'same `name` is not supported.');\n      } // We need update the tracked value on the named cousin since the value\n      // was changed but the input saw no event or value set\n\n\n      updateValueIfChanged(otherNode); // If this is a controlled radio button group, forcing the input that\n      // was previously checked to update will cause it to be come re-checked\n      // as appropriate.\n\n      updateWrapper(otherNode, otherProps);\n    }\n  }\n} // In Chrome, assigning defaultValue to certain input types triggers input validation.\n// For number inputs, the display value loses trailing decimal points. For email inputs,\n// Chrome raises \"The specified value <x> is not a valid email address\".\n//\n// Here we check to see if the defaultValue has actually changed, avoiding these problems\n// when the user is inputting text\n//\n// https://github.com/facebook/react/issues/7253\n\n\nfunction setDefaultValue(node, type, value) {\n  if ( // Focused number inputs synchronize on blur. See ChangeEventPlugin.js\n  type !== 'number' || getActiveElement(node.ownerDocument) !== node) {\n    if (value == null) {\n      node.defaultValue = toString(node._wrapperState.initialValue);\n    } else if (node.defaultValue !== toString(value)) {\n      node.defaultValue = toString(value);\n    }\n  }\n}\n\nvar didWarnSelectedSetOnOption = false;\nvar didWarnInvalidChild = false;\nvar didWarnInvalidInnerHTML = false;\n/**\n * Implements an <option> host component that warns when `selected` is set.\n */\n\nfunction validateProps(element, props) {\n  {\n    // If a value is not provided, then the children must be simple.\n    if (props.value == null) {\n      if (typeof props.children === 'object' && props.children !== null) {\n        React.Children.forEach(props.children, function (child) {\n          if (child == null) {\n            return;\n          }\n\n          if (typeof child === 'string' || typeof child === 'number') {\n            return;\n          }\n\n          if (!didWarnInvalidChild) {\n            didWarnInvalidChild = true;\n\n            error('Cannot infer the option value of complex children. ' + 'Pass a `value` prop or use a plain string as children to <option>.');\n          }\n        });\n      } else if (props.dangerouslySetInnerHTML != null) {\n        if (!didWarnInvalidInnerHTML) {\n          didWarnInvalidInnerHTML = true;\n\n          error('Pass a `value` prop if you set dangerouslyInnerHTML so React knows ' + 'which value should be selected.');\n        }\n      }\n    } // TODO: Remove support for `selected` in <option>.\n\n\n    if (props.selected != null && !didWarnSelectedSetOnOption) {\n      error('Use the `defaultValue` or `value` props on <select> instead of ' + 'setting `selected` on <option>.');\n\n      didWarnSelectedSetOnOption = true;\n    }\n  }\n}\nfunction postMountWrapper$1(element, props) {\n  // value=\"\" should make a value attribute (#6219)\n  if (props.value != null) {\n    element.setAttribute('value', toString(getToStringValue(props.value)));\n  }\n}\n\nvar isArrayImpl = Array.isArray; // eslint-disable-next-line no-redeclare\n\nfunction isArray(a) {\n  return isArrayImpl(a);\n}\n\nvar didWarnValueDefaultValue$1;\n\n{\n  didWarnValueDefaultValue$1 = false;\n}\n\nfunction getDeclarationErrorAddendum() {\n  var ownerName = getCurrentFiberOwnerNameInDevOrNull();\n\n  if (ownerName) {\n    return '\\n\\nCheck the render method of `' + ownerName + '`.';\n  }\n\n  return '';\n}\n\nvar valuePropNames = ['value', 'defaultValue'];\n/**\n * Validation function for `value` and `defaultValue`.\n */\n\nfunction checkSelectPropTypes(props) {\n  {\n    checkControlledValueProps('select', props);\n\n    for (var i = 0; i < valuePropNames.length; i++) {\n      var propName = valuePropNames[i];\n\n      if (props[propName] == null) {\n        continue;\n      }\n\n      var propNameIsArray = isArray(props[propName]);\n\n      if (props.multiple && !propNameIsArray) {\n        error('The `%s` prop supplied to <select> must be an array if ' + '`multiple` is true.%s', propName, getDeclarationErrorAddendum());\n      } else if (!props.multiple && propNameIsArray) {\n        error('The `%s` prop supplied to <select> must be a scalar ' + 'value if `multiple` is false.%s', propName, getDeclarationErrorAddendum());\n      }\n    }\n  }\n}\n\nfunction updateOptions(node, multiple, propValue, setDefaultSelected) {\n  var options = node.options;\n\n  if (multiple) {\n    var selectedValues = propValue;\n    var selectedValue = {};\n\n    for (var i = 0; i < selectedValues.length; i++) {\n      // Prefix to avoid chaos with special keys.\n      selectedValue['$' + selectedValues[i]] = true;\n    }\n\n    for (var _i = 0; _i < options.length; _i++) {\n      var selected = selectedValue.hasOwnProperty('$' + options[_i].value);\n\n      if (options[_i].selected !== selected) {\n        options[_i].selected = selected;\n      }\n\n      if (selected && setDefaultSelected) {\n        options[_i].defaultSelected = true;\n      }\n    }\n  } else {\n    // Do not set `select.value` as exact behavior isn't consistent across all\n    // browsers for all cases.\n    var _selectedValue = toString(getToStringValue(propValue));\n\n    var defaultSelected = null;\n\n    for (var _i2 = 0; _i2 < options.length; _i2++) {\n      if (options[_i2].value === _selectedValue) {\n        options[_i2].selected = true;\n\n        if (setDefaultSelected) {\n          options[_i2].defaultSelected = true;\n        }\n\n        return;\n      }\n\n      if (defaultSelected === null && !options[_i2].disabled) {\n        defaultSelected = options[_i2];\n      }\n    }\n\n    if (defaultSelected !== null) {\n      defaultSelected.selected = true;\n    }\n  }\n}\n/**\n * Implements a <select> host component that allows optionally setting the\n * props `value` and `defaultValue`. If `multiple` is false, the prop must be a\n * stringable. If `multiple` is true, the prop must be an array of stringables.\n *\n * If `value` is not supplied (or null/undefined), user actions that change the\n * selected option will trigger updates to the rendered options.\n *\n * If it is supplied (and not null/undefined), the rendered options will not\n * update in response to user actions. Instead, the `value` prop must change in\n * order for the rendered options to update.\n *\n * If `defaultValue` is provided, any options with the supplied values will be\n * selected.\n */\n\n\nfunction getHostProps$1(element, props) {\n  return assign({}, props, {\n    value: undefined\n  });\n}\nfunction initWrapperState$1(element, props) {\n  var node = element;\n\n  {\n    checkSelectPropTypes(props);\n  }\n\n  node._wrapperState = {\n    wasMultiple: !!props.multiple\n  };\n\n  {\n    if (props.value !== undefined && props.defaultValue !== undefined && !didWarnValueDefaultValue$1) {\n      error('Select elements must be either controlled or uncontrolled ' + '(specify either the value prop, or the defaultValue prop, but not ' + 'both). Decide between using a controlled or uncontrolled select ' + 'element and remove one of these props. More info: ' + 'https://reactjs.org/link/controlled-components');\n\n      didWarnValueDefaultValue$1 = true;\n    }\n  }\n}\nfunction postMountWrapper$2(element, props) {\n  var node = element;\n  node.multiple = !!props.multiple;\n  var value = props.value;\n\n  if (value != null) {\n    updateOptions(node, !!props.multiple, value, false);\n  } else if (props.defaultValue != null) {\n    updateOptions(node, !!props.multiple, props.defaultValue, true);\n  }\n}\nfunction postUpdateWrapper(element, props) {\n  var node = element;\n  var wasMultiple = node._wrapperState.wasMultiple;\n  node._wrapperState.wasMultiple = !!props.multiple;\n  var value = props.value;\n\n  if (value != null) {\n    updateOptions(node, !!props.multiple, value, false);\n  } else if (wasMultiple !== !!props.multiple) {\n    // For simplicity, reapply `defaultValue` if `multiple` is toggled.\n    if (props.defaultValue != null) {\n      updateOptions(node, !!props.multiple, props.defaultValue, true);\n    } else {\n      // Revert the select back to its default unselected state.\n      updateOptions(node, !!props.multiple, props.multiple ? [] : '', false);\n    }\n  }\n}\nfunction restoreControlledState$1(element, props) {\n  var node = element;\n  var value = props.value;\n\n  if (value != null) {\n    updateOptions(node, !!props.multiple, value, false);\n  }\n}\n\nvar didWarnValDefaultVal = false;\n\n/**\n * Implements a <textarea> host component that allows setting `value`, and\n * `defaultValue`. This differs from the traditional DOM API because value is\n * usually set as PCDATA children.\n *\n * If `value` is not supplied (or null/undefined), user actions that affect the\n * value will trigger updates to the element.\n *\n * If `value` is supplied (and not null/undefined), the rendered element will\n * not trigger updates to the element. Instead, the `value` prop must change in\n * order for the rendered element to be updated.\n *\n * The rendered element will be initialized with an empty value, the prop\n * `defaultValue` if specified, or the children content (deprecated).\n */\nfunction getHostProps$2(element, props) {\n  var node = element;\n\n  if (props.dangerouslySetInnerHTML != null) {\n    throw new Error('`dangerouslySetInnerHTML` does not make sense on <textarea>.');\n  } // Always set children to the same thing. In IE9, the selection range will\n  // get reset if `textContent` is mutated.  We could add a check in setTextContent\n  // to only set the value if/when the value differs from the node value (which would\n  // completely solve this IE9 bug), but Sebastian+Sophie seemed to like this\n  // solution. The value can be a boolean or object so that's why it's forced\n  // to be a string.\n\n\n  var hostProps = assign({}, props, {\n    value: undefined,\n    defaultValue: undefined,\n    children: toString(node._wrapperState.initialValue)\n  });\n\n  return hostProps;\n}\nfunction initWrapperState$2(element, props) {\n  var node = element;\n\n  {\n    checkControlledValueProps('textarea', props);\n\n    if (props.value !== undefined && props.defaultValue !== undefined && !didWarnValDefaultVal) {\n      error('%s contains a textarea with both value and defaultValue props. ' + 'Textarea elements must be either controlled or uncontrolled ' + '(specify either the value prop, or the defaultValue prop, but not ' + 'both). Decide between using a controlled or uncontrolled textarea ' + 'and remove one of these props. More info: ' + 'https://reactjs.org/link/controlled-components', getCurrentFiberOwnerNameInDevOrNull() || 'A component');\n\n      didWarnValDefaultVal = true;\n    }\n  }\n\n  var initialValue = props.value; // Only bother fetching default value if we're going to use it\n\n  if (initialValue == null) {\n    var children = props.children,\n        defaultValue = props.defaultValue;\n\n    if (children != null) {\n      {\n        error('Use the `defaultValue` or `value` props instead of setting ' + 'children on <textarea>.');\n      }\n\n      {\n        if (defaultValue != null) {\n          throw new Error('If you supply `defaultValue` on a <textarea>, do not pass children.');\n        }\n\n        if (isArray(children)) {\n          if (children.length > 1) {\n            throw new Error('<textarea> can only have at most one child.');\n          }\n\n          children = children[0];\n        }\n\n        defaultValue = children;\n      }\n    }\n\n    if (defaultValue == null) {\n      defaultValue = '';\n    }\n\n    initialValue = defaultValue;\n  }\n\n  node._wrapperState = {\n    initialValue: getToStringValue(initialValue)\n  };\n}\nfunction updateWrapper$1(element, props) {\n  var node = element;\n  var value = getToStringValue(props.value);\n  var defaultValue = getToStringValue(props.defaultValue);\n\n  if (value != null) {\n    // Cast `value` to a string to ensure the value is set correctly. While\n    // browsers typically do this as necessary, jsdom doesn't.\n    var newValue = toString(value); // To avoid side effects (such as losing text selection), only set value if changed\n\n    if (newValue !== node.value) {\n      node.value = newValue;\n    }\n\n    if (props.defaultValue == null && node.defaultValue !== newValue) {\n      node.defaultValue = newValue;\n    }\n  }\n\n  if (defaultValue != null) {\n    node.defaultValue = toString(defaultValue);\n  }\n}\nfunction postMountWrapper$3(element, props) {\n  var node = element; // This is in postMount because we need access to the DOM node, which is not\n  // available until after the component has mounted.\n\n  var textContent = node.textContent; // Only set node.value if textContent is equal to the expected\n  // initial value. In IE10/IE11 there is a bug where the placeholder attribute\n  // will populate textContent as well.\n  // https://developer.microsoft.com/microsoft-edge/platform/issues/101525/\n\n  if (textContent === node._wrapperState.initialValue) {\n    if (textContent !== '' && textContent !== null) {\n      node.value = textContent;\n    }\n  }\n}\nfunction restoreControlledState$2(element, props) {\n  // DOM component is still mounted; update\n  updateWrapper$1(element, props);\n}\n\nvar HTML_NAMESPACE = 'http://www.w3.org/1999/xhtml';\nvar MATH_NAMESPACE = 'http://www.w3.org/1998/Math/MathML';\nvar SVG_NAMESPACE = 'http://www.w3.org/2000/svg'; // Assumes there is no parent namespace.\n\nfunction getIntrinsicNamespace(type) {\n  switch (type) {\n    case 'svg':\n      return SVG_NAMESPACE;\n\n    case 'math':\n      return MATH_NAMESPACE;\n\n    default:\n      return HTML_NAMESPACE;\n  }\n}\nfunction getChildNamespace(parentNamespace, type) {\n  if (parentNamespace == null || parentNamespace === HTML_NAMESPACE) {\n    // No (or default) parent namespace: potential entry point.\n    return getIntrinsicNamespace(type);\n  }\n\n  if (parentNamespace === SVG_NAMESPACE && type === 'foreignObject') {\n    // We're leaving SVG.\n    return HTML_NAMESPACE;\n  } // By default, pass namespace below.\n\n\n  return parentNamespace;\n}\n\n/* globals MSApp */\n\n/**\n * Create a function which has 'unsafe' privileges (required by windows8 apps)\n */\nvar createMicrosoftUnsafeLocalFunction = function (func) {\n  if (typeof MSApp !== 'undefined' && MSApp.execUnsafeLocalFunction) {\n    return function (arg0, arg1, arg2, arg3) {\n      MSApp.execUnsafeLocalFunction(function () {\n        return func(arg0, arg1, arg2, arg3);\n      });\n    };\n  } else {\n    return func;\n  }\n};\n\nvar reusableSVGContainer;\n/**\n * Set the innerHTML property of a node\n *\n * @param {DOMElement} node\n * @param {string} html\n * @internal\n */\n\nvar setInnerHTML = createMicrosoftUnsafeLocalFunction(function (node, html) {\n  if (node.namespaceURI === SVG_NAMESPACE) {\n\n    if (!('innerHTML' in node)) {\n      // IE does not have innerHTML for SVG nodes, so instead we inject the\n      // new markup in a temp node and then move the child nodes across into\n      // the target node\n      reusableSVGContainer = reusableSVGContainer || document.createElement('div');\n      reusableSVGContainer.innerHTML = '<svg>' + html.valueOf().toString() + '</svg>';\n      var svgNode = reusableSVGContainer.firstChild;\n\n      while (node.firstChild) {\n        node.removeChild(node.firstChild);\n      }\n\n      while (svgNode.firstChild) {\n        node.appendChild(svgNode.firstChild);\n      }\n\n      return;\n    }\n  }\n\n  node.innerHTML = html;\n});\n\n/**\n * HTML nodeType values that represent the type of the node\n */\nvar ELEMENT_NODE = 1;\nvar TEXT_NODE = 3;\nvar COMMENT_NODE = 8;\nvar DOCUMENT_NODE = 9;\nvar DOCUMENT_FRAGMENT_NODE = 11;\n\n/**\n * Set the textContent property of a node. For text updates, it's faster\n * to set the `nodeValue` of the Text node directly instead of using\n * `.textContent` which will remove the existing node and create a new one.\n *\n * @param {DOMElement} node\n * @param {string} text\n * @internal\n */\n\nvar setTextContent = function (node, text) {\n  if (text) {\n    var firstChild = node.firstChild;\n\n    if (firstChild && firstChild === node.lastChild && firstChild.nodeType === TEXT_NODE) {\n      firstChild.nodeValue = text;\n      return;\n    }\n  }\n\n  node.textContent = text;\n};\n\n// List derived from Gecko source code:\n// https://github.com/mozilla/gecko-dev/blob/4e638efc71/layout/style/test/property_database.js\nvar shorthandToLonghand = {\n  animation: ['animationDelay', 'animationDirection', 'animationDuration', 'animationFillMode', 'animationIterationCount', 'animationName', 'animationPlayState', 'animationTimingFunction'],\n  background: ['backgroundAttachment', 'backgroundClip', 'backgroundColor', 'backgroundImage', 'backgroundOrigin', 'backgroundPositionX', 'backgroundPositionY', 'backgroundRepeat', 'backgroundSize'],\n  backgroundPosition: ['backgroundPositionX', 'backgroundPositionY'],\n  border: ['borderBottomColor', 'borderBottomStyle', 'borderBottomWidth', 'borderImageOutset', 'borderImageRepeat', 'borderImageSlice', 'borderImageSource', 'borderImageWidth', 'borderLeftColor', 'borderLeftStyle', 'borderLeftWidth', 'borderRightColor', 'borderRightStyle', 'borderRightWidth', 'borderTopColor', 'borderTopStyle', 'borderTopWidth'],\n  borderBlockEnd: ['borderBlockEndColor', 'borderBlockEndStyle', 'borderBlockEndWidth'],\n  borderBlockStart: ['borderBlockStartColor', 'borderBlockStartStyle', 'borderBlockStartWidth'],\n  borderBottom: ['borderBottomColor', 'borderBottomStyle', 'borderBottomWidth'],\n  borderColor: ['borderBottomColor', 'borderLeftColor', 'borderRightColor', 'borderTopColor'],\n  borderImage: ['borderImageOutset', 'borderImageRepeat', 'borderImageSlice', 'borderImageSource', 'borderImageWidth'],\n  borderInlineEnd: ['borderInlineEndColor', 'borderInlineEndStyle', 'borderInlineEndWidth'],\n  borderInlineStart: ['borderInlineStartColor', 'borderInlineStartStyle', 'borderInlineStartWidth'],\n  borderLeft: ['borderLeftColor', 'borderLeftStyle', 'borderLeftWidth'],\n  borderRadius: ['borderBottomLeftRadius', 'borderBottomRightRadius', 'borderTopLeftRadius', 'borderTopRightRadius'],\n  borderRight: ['borderRightColor', 'borderRightStyle', 'borderRightWidth'],\n  borderStyle: ['borderBottomStyle', 'borderLeftStyle', 'borderRightStyle', 'borderTopStyle'],\n  borderTop: ['borderTopColor', 'borderTopStyle', 'borderTopWidth'],\n  borderWidth: ['borderBottomWidth', 'borderLeftWidth', 'borderRightWidth', 'borderTopWidth'],\n  columnRule: ['columnRuleColor', 'columnRuleStyle', 'columnRuleWidth'],\n  columns: ['columnCount', 'columnWidth'],\n  flex: ['flexBasis', 'flexGrow', 'flexShrink'],\n  flexFlow: ['flexDirection', 'flexWrap'],\n  font: ['fontFamily', 'fontFeatureSettings', 'fontKerning', 'fontLanguageOverride', 'fontSize', 'fontSizeAdjust', 'fontStretch', 'fontStyle', 'fontVariant', 'fontVariantAlternates', 'fontVariantCaps', 'fontVariantEastAsian', 'fontVariantLigatures', 'fontVariantNumeric', 'fontVariantPosition', 'fontWeight', 'lineHeight'],\n  fontVariant: ['fontVariantAlternates', 'fontVariantCaps', 'fontVariantEastAsian', 'fontVariantLigatures', 'fontVariantNumeric', 'fontVariantPosition'],\n  gap: ['columnGap', 'rowGap'],\n  grid: ['gridAutoColumns', 'gridAutoFlow', 'gridAutoRows', 'gridTemplateAreas', 'gridTemplateColumns', 'gridTemplateRows'],\n  gridArea: ['gridColumnEnd', 'gridColumnStart', 'gridRowEnd', 'gridRowStart'],\n  gridColumn: ['gridColumnEnd', 'gridColumnStart'],\n  gridColumnGap: ['columnGap'],\n  gridGap: ['columnGap', 'rowGap'],\n  gridRow: ['gridRowEnd', 'gridRowStart'],\n  gridRowGap: ['rowGap'],\n  gridTemplate: ['gridTemplateAreas', 'gridTemplateColumns', 'gridTemplateRows'],\n  listStyle: ['listStyleImage', 'listStylePosition', 'listStyleType'],\n  margin: ['marginBottom', 'marginLeft', 'marginRight', 'marginTop'],\n  marker: ['markerEnd', 'markerMid', 'markerStart'],\n  mask: ['maskClip', 'maskComposite', 'maskImage', 'maskMode', 'maskOrigin', 'maskPositionX', 'maskPositionY', 'maskRepeat', 'maskSize'],\n  maskPosition: ['maskPositionX', 'maskPositionY'],\n  outline: ['outlineColor', 'outlineStyle', 'outlineWidth'],\n  overflow: ['overflowX', 'overflowY'],\n  padding: ['paddingBottom', 'paddingLeft', 'paddingRight', 'paddingTop'],\n  placeContent: ['alignContent', 'justifyContent'],\n  placeItems: ['alignItems', 'justifyItems'],\n  placeSelf: ['alignSelf', 'justifySelf'],\n  textDecoration: ['textDecorationColor', 'textDecorationLine', 'textDecorationStyle'],\n  textEmphasis: ['textEmphasisColor', 'textEmphasisStyle'],\n  transition: ['transitionDelay', 'transitionDuration', 'transitionProperty', 'transitionTimingFunction'],\n  wordWrap: ['overflowWrap']\n};\n\n/**\n * CSS properties which accept numbers but are not in units of \"px\".\n */\nvar isUnitlessNumber = {\n  animationIterationCount: true,\n  aspectRatio: true,\n  borderImageOutset: true,\n  borderImageSlice: true,\n  borderImageWidth: true,\n  boxFlex: true,\n  boxFlexGroup: true,\n  boxOrdinalGroup: true,\n  columnCount: true,\n  columns: true,\n  flex: true,\n  flexGrow: true,\n  flexPositive: true,\n  flexShrink: true,\n  flexNegative: true,\n  flexOrder: true,\n  gridArea: true,\n  gridRow: true,\n  gridRowEnd: true,\n  gridRowSpan: true,\n  gridRowStart: true,\n  gridColumn: true,\n  gridColumnEnd: true,\n  gridColumnSpan: true,\n  gridColumnStart: true,\n  fontWeight: true,\n  lineClamp: true,\n  lineHeight: true,\n  opacity: true,\n  order: true,\n  orphans: true,\n  tabSize: true,\n  widows: true,\n  zIndex: true,\n  zoom: true,\n  // SVG-related properties\n  fillOpacity: true,\n  floodOpacity: true,\n  stopOpacity: true,\n  strokeDasharray: true,\n  strokeDashoffset: true,\n  strokeMiterlimit: true,\n  strokeOpacity: true,\n  strokeWidth: true\n};\n/**\n * @param {string} prefix vendor-specific prefix, eg: Webkit\n * @param {string} key style name, eg: transitionDuration\n * @return {string} style name prefixed with `prefix`, properly camelCased, eg:\n * WebkitTransitionDuration\n */\n\nfunction prefixKey(prefix, key) {\n  return prefix + key.charAt(0).toUpperCase() + key.substring(1);\n}\n/**\n * Support style names that may come passed in prefixed by adding permutations\n * of vendor prefixes.\n */\n\n\nvar prefixes = ['Webkit', 'ms', 'Moz', 'O']; // Using Object.keys here, or else the vanilla for-in loop makes IE8 go into an\n// infinite loop, because it iterates over the newly added props too.\n\nObject.keys(isUnitlessNumber).forEach(function (prop) {\n  prefixes.forEach(function (prefix) {\n    isUnitlessNumber[prefixKey(prefix, prop)] = isUnitlessNumber[prop];\n  });\n});\n\n/**\n * Convert a value into the proper css writable value. The style name `name`\n * should be logical (no hyphens), as specified\n * in `CSSProperty.isUnitlessNumber`.\n *\n * @param {string} name CSS property name such as `topMargin`.\n * @param {*} value CSS property value such as `10px`.\n * @return {string} Normalized style value with dimensions applied.\n */\n\nfunction dangerousStyleValue(name, value, isCustomProperty) {\n  // Note that we've removed escapeTextForBrowser() calls here since the\n  // whole string will be escaped when the attribute is injected into\n  // the markup. If you provide unsafe user data here they can inject\n  // arbitrary CSS which may be problematic (I couldn't repro this):\n  // https://www.owasp.org/index.php/XSS_Filter_Evasion_Cheat_Sheet\n  // http://www.thespanner.co.uk/2007/11/26/ultimate-xss-css-injection/\n  // This is not an XSS hole but instead a potential CSS injection issue\n  // which has lead to a greater discussion about how we're going to\n  // trust URLs moving forward. See #2115901\n  var isEmpty = value == null || typeof value === 'boolean' || value === '';\n\n  if (isEmpty) {\n    return '';\n  }\n\n  if (!isCustomProperty && typeof value === 'number' && value !== 0 && !(isUnitlessNumber.hasOwnProperty(name) && isUnitlessNumber[name])) {\n    return value + 'px'; // Presumes implicit 'px' suffix for unitless numbers\n  }\n\n  {\n    checkCSSPropertyStringCoercion(value, name);\n  }\n\n  return ('' + value).trim();\n}\n\nvar uppercasePattern = /([A-Z])/g;\nvar msPattern = /^ms-/;\n/**\n * Hyphenates a camelcased CSS property name, for example:\n *\n *   > hyphenateStyleName('backgroundColor')\n *   < \"background-color\"\n *   > hyphenateStyleName('MozTransition')\n *   < \"-moz-transition\"\n *   > hyphenateStyleName('msTransition')\n *   < \"-ms-transition\"\n *\n * As Modernizr suggests (http://modernizr.com/docs/#prefixed), an `ms` prefix\n * is converted to `-ms-`.\n */\n\nfunction hyphenateStyleName(name) {\n  return name.replace(uppercasePattern, '-$1').toLowerCase().replace(msPattern, '-ms-');\n}\n\nvar warnValidStyle = function () {};\n\n{\n  // 'msTransform' is correct, but the other prefixes should be capitalized\n  var badVendoredStyleNamePattern = /^(?:webkit|moz|o)[A-Z]/;\n  var msPattern$1 = /^-ms-/;\n  var hyphenPattern = /-(.)/g; // style values shouldn't contain a semicolon\n\n  var badStyleValueWithSemicolonPattern = /;\\s*$/;\n  var warnedStyleNames = {};\n  var warnedStyleValues = {};\n  var warnedForNaNValue = false;\n  var warnedForInfinityValue = false;\n\n  var camelize = function (string) {\n    return string.replace(hyphenPattern, function (_, character) {\n      return character.toUpperCase();\n    });\n  };\n\n  var warnHyphenatedStyleName = function (name) {\n    if (warnedStyleNames.hasOwnProperty(name) && warnedStyleNames[name]) {\n      return;\n    }\n\n    warnedStyleNames[name] = true;\n\n    error('Unsupported style property %s. Did you mean %s?', name, // As Andi Smith suggests\n    // (http://www.andismith.com/blog/2012/02/modernizr-prefixed/), an `-ms` prefix\n    // is converted to lowercase `ms`.\n    camelize(name.replace(msPattern$1, 'ms-')));\n  };\n\n  var warnBadVendoredStyleName = function (name) {\n    if (warnedStyleNames.hasOwnProperty(name) && warnedStyleNames[name]) {\n      return;\n    }\n\n    warnedStyleNames[name] = true;\n\n    error('Unsupported vendor-prefixed style property %s. Did you mean %s?', name, name.charAt(0).toUpperCase() + name.slice(1));\n  };\n\n  var warnStyleValueWithSemicolon = function (name, value) {\n    if (warnedStyleValues.hasOwnProperty(value) && warnedStyleValues[value]) {\n      return;\n    }\n\n    warnedStyleValues[value] = true;\n\n    error(\"Style property values shouldn't contain a semicolon. \" + 'Try \"%s: %s\" instead.', name, value.replace(badStyleValueWithSemicolonPattern, ''));\n  };\n\n  var warnStyleValueIsNaN = function (name, value) {\n    if (warnedForNaNValue) {\n      return;\n    }\n\n    warnedForNaNValue = true;\n\n    error('`NaN` is an invalid value for the `%s` css style property.', name);\n  };\n\n  var warnStyleValueIsInfinity = function (name, value) {\n    if (warnedForInfinityValue) {\n      return;\n    }\n\n    warnedForInfinityValue = true;\n\n    error('`Infinity` is an invalid value for the `%s` css style property.', name);\n  };\n\n  warnValidStyle = function (name, value) {\n    if (name.indexOf('-') > -1) {\n      warnHyphenatedStyleName(name);\n    } else if (badVendoredStyleNamePattern.test(name)) {\n      warnBadVendoredStyleName(name);\n    } else if (badStyleValueWithSemicolonPattern.test(value)) {\n      warnStyleValueWithSemicolon(name, value);\n    }\n\n    if (typeof value === 'number') {\n      if (isNaN(value)) {\n        warnStyleValueIsNaN(name, value);\n      } else if (!isFinite(value)) {\n        warnStyleValueIsInfinity(name, value);\n      }\n    }\n  };\n}\n\nvar warnValidStyle$1 = warnValidStyle;\n\n/**\n * Operations for dealing with CSS properties.\n */\n\n/**\n * This creates a string that is expected to be equivalent to the style\n * attribute generated by server-side rendering. It by-passes warnings and\n * security checks so it's not safe to use this value for anything other than\n * comparison. It is only used in DEV for SSR validation.\n */\n\nfunction createDangerousStringForStyles(styles) {\n  {\n    var serialized = '';\n    var delimiter = '';\n\n    for (var styleName in styles) {\n      if (!styles.hasOwnProperty(styleName)) {\n        continue;\n      }\n\n      var styleValue = styles[styleName];\n\n      if (styleValue != null) {\n        var isCustomProperty = styleName.indexOf('--') === 0;\n        serialized += delimiter + (isCustomProperty ? styleName : hyphenateStyleName(styleName)) + ':';\n        serialized += dangerousStyleValue(styleName, styleValue, isCustomProperty);\n        delimiter = ';';\n      }\n    }\n\n    return serialized || null;\n  }\n}\n/**\n * Sets the value for multiple styles on a node.  If a value is specified as\n * '' (empty string), the corresponding style property will be unset.\n *\n * @param {DOMElement} node\n * @param {object} styles\n */\n\nfunction setValueForStyles(node, styles) {\n  var style = node.style;\n\n  for (var styleName in styles) {\n    if (!styles.hasOwnProperty(styleName)) {\n      continue;\n    }\n\n    var isCustomProperty = styleName.indexOf('--') === 0;\n\n    {\n      if (!isCustomProperty) {\n        warnValidStyle$1(styleName, styles[styleName]);\n      }\n    }\n\n    var styleValue = dangerousStyleValue(styleName, styles[styleName], isCustomProperty);\n\n    if (styleName === 'float') {\n      styleName = 'cssFloat';\n    }\n\n    if (isCustomProperty) {\n      style.setProperty(styleName, styleValue);\n    } else {\n      style[styleName] = styleValue;\n    }\n  }\n}\n\nfunction isValueEmpty(value) {\n  return value == null || typeof value === 'boolean' || value === '';\n}\n/**\n * Given {color: 'red', overflow: 'hidden'} returns {\n *   color: 'color',\n *   overflowX: 'overflow',\n *   overflowY: 'overflow',\n * }. This can be read as \"the overflowY property was set by the overflow\n * shorthand\". That is, the values are the property that each was derived from.\n */\n\n\nfunction expandShorthandMap(styles) {\n  var expanded = {};\n\n  for (var key in styles) {\n    var longhands = shorthandToLonghand[key] || [key];\n\n    for (var i = 0; i < longhands.length; i++) {\n      expanded[longhands[i]] = key;\n    }\n  }\n\n  return expanded;\n}\n/**\n * When mixing shorthand and longhand property names, we warn during updates if\n * we expect an incorrect result to occur. In particular, we warn for:\n *\n * Updating a shorthand property (longhand gets overwritten):\n *   {font: 'foo', fontVariant: 'bar'} -> {font: 'baz', fontVariant: 'bar'}\n *   becomes .style.font = 'baz'\n * Removing a shorthand property (longhand gets lost too):\n *   {font: 'foo', fontVariant: 'bar'} -> {fontVariant: 'bar'}\n *   becomes .style.font = ''\n * Removing a longhand property (should revert to shorthand; doesn't):\n *   {font: 'foo', fontVariant: 'bar'} -> {font: 'foo'}\n *   becomes .style.fontVariant = ''\n */\n\n\nfunction validateShorthandPropertyCollisionInDev(styleUpdates, nextStyles) {\n  {\n    if (!nextStyles) {\n      return;\n    }\n\n    var expandedUpdates = expandShorthandMap(styleUpdates);\n    var expandedStyles = expandShorthandMap(nextStyles);\n    var warnedAbout = {};\n\n    for (var key in expandedUpdates) {\n      var originalKey = expandedUpdates[key];\n      var correctOriginalKey = expandedStyles[key];\n\n      if (correctOriginalKey && originalKey !== correctOriginalKey) {\n        var warningKey = originalKey + ',' + correctOriginalKey;\n\n        if (warnedAbout[warningKey]) {\n          continue;\n        }\n\n        warnedAbout[warningKey] = true;\n\n        error('%s a style property during rerender (%s) when a ' + 'conflicting property is set (%s) can lead to styling bugs. To ' + \"avoid this, don't mix shorthand and non-shorthand properties \" + 'for the same value; instead, replace the shorthand with ' + 'separate values.', isValueEmpty(styleUpdates[originalKey]) ? 'Removing' : 'Updating', originalKey, correctOriginalKey);\n      }\n    }\n  }\n}\n\n// For HTML, certain tags should omit their close tag. We keep a list for\n// those special-case tags.\nvar omittedCloseTags = {\n  area: true,\n  base: true,\n  br: true,\n  col: true,\n  embed: true,\n  hr: true,\n  img: true,\n  input: true,\n  keygen: true,\n  link: true,\n  meta: true,\n  param: true,\n  source: true,\n  track: true,\n  wbr: true // NOTE: menuitem's close tag should be omitted, but that causes problems.\n\n};\n\n// `omittedCloseTags` except that `menuitem` should still have its closing tag.\n\nvar voidElementTags = assign({\n  menuitem: true\n}, omittedCloseTags);\n\nvar HTML = '__html';\n\nfunction assertValidProps(tag, props) {\n  if (!props) {\n    return;\n  } // Note the use of `==` which checks for null or undefined.\n\n\n  if (voidElementTags[tag]) {\n    if (props.children != null || props.dangerouslySetInnerHTML != null) {\n      throw new Error(tag + \" is a void element tag and must neither have `children` nor \" + 'use `dangerouslySetInnerHTML`.');\n    }\n  }\n\n  if (props.dangerouslySetInnerHTML != null) {\n    if (props.children != null) {\n      throw new Error('Can only set one of `children` or `props.dangerouslySetInnerHTML`.');\n    }\n\n    if (typeof props.dangerouslySetInnerHTML !== 'object' || !(HTML in props.dangerouslySetInnerHTML)) {\n      throw new Error('`props.dangerouslySetInnerHTML` must be in the form `{__html: ...}`. ' + 'Please visit https://reactjs.org/link/dangerously-set-inner-html ' + 'for more information.');\n    }\n  }\n\n  {\n    if (!props.suppressContentEditableWarning && props.contentEditable && props.children != null) {\n      error('A component is `contentEditable` and contains `children` managed by ' + 'React. It is now your responsibility to guarantee that none of ' + 'those nodes are unexpectedly modified or duplicated. This is ' + 'probably not intentional.');\n    }\n  }\n\n  if (props.style != null && typeof props.style !== 'object') {\n    throw new Error('The `style` prop expects a mapping from style properties to values, ' + \"not a string. For example, style={{marginRight: spacing + 'em'}} when \" + 'using JSX.');\n  }\n}\n\nfunction isCustomComponent(tagName, props) {\n  if (tagName.indexOf('-') === -1) {\n    return typeof props.is === 'string';\n  }\n\n  switch (tagName) {\n    // These are reserved SVG and MathML elements.\n    // We don't mind this list too much because we expect it to never grow.\n    // The alternative is to track the namespace in a few places which is convoluted.\n    // https://w3c.github.io/webcomponents/spec/custom/#custom-elements-core-concepts\n    case 'annotation-xml':\n    case 'color-profile':\n    case 'font-face':\n    case 'font-face-src':\n    case 'font-face-uri':\n    case 'font-face-format':\n    case 'font-face-name':\n    case 'missing-glyph':\n      return false;\n\n    default:\n      return true;\n  }\n}\n\n// When adding attributes to the HTML or SVG allowed attribute list, be sure to\n// also add them to this module to ensure casing and incorrect name\n// warnings.\nvar possibleStandardNames = {\n  // HTML\n  accept: 'accept',\n  acceptcharset: 'acceptCharset',\n  'accept-charset': 'acceptCharset',\n  accesskey: 'accessKey',\n  action: 'action',\n  allowfullscreen: 'allowFullScreen',\n  alt: 'alt',\n  as: 'as',\n  async: 'async',\n  autocapitalize: 'autoCapitalize',\n  autocomplete: 'autoComplete',\n  autocorrect: 'autoCorrect',\n  autofocus: 'autoFocus',\n  autoplay: 'autoPlay',\n  autosave: 'autoSave',\n  capture: 'capture',\n  cellpadding: 'cellPadding',\n  cellspacing: 'cellSpacing',\n  challenge: 'challenge',\n  charset: 'charSet',\n  checked: 'checked',\n  children: 'children',\n  cite: 'cite',\n  class: 'className',\n  classid: 'classID',\n  classname: 'className',\n  cols: 'cols',\n  colspan: 'colSpan',\n  content: 'content',\n  contenteditable: 'contentEditable',\n  contextmenu: 'contextMenu',\n  controls: 'controls',\n  controlslist: 'controlsList',\n  coords: 'coords',\n  crossorigin: 'crossOrigin',\n  dangerouslysetinnerhtml: 'dangerouslySetInnerHTML',\n  data: 'data',\n  datetime: 'dateTime',\n  default: 'default',\n  defaultchecked: 'defaultChecked',\n  defaultvalue: 'defaultValue',\n  defer: 'defer',\n  dir: 'dir',\n  disabled: 'disabled',\n  disablepictureinpicture: 'disablePictureInPicture',\n  disableremoteplayback: 'disableRemotePlayback',\n  download: 'download',\n  draggable: 'draggable',\n  enctype: 'encType',\n  enterkeyhint: 'enterKeyHint',\n  for: 'htmlFor',\n  form: 'form',\n  formmethod: 'formMethod',\n  formaction: 'formAction',\n  formenctype: 'formEncType',\n  formnovalidate: 'formNoValidate',\n  formtarget: 'formTarget',\n  frameborder: 'frameBorder',\n  headers: 'headers',\n  height: 'height',\n  hidden: 'hidden',\n  high: 'high',\n  href: 'href',\n  hreflang: 'hrefLang',\n  htmlfor: 'htmlFor',\n  httpequiv: 'httpEquiv',\n  'http-equiv': 'httpEquiv',\n  icon: 'icon',\n  id: 'id',\n  imagesizes: 'imageSizes',\n  imagesrcset: 'imageSrcSet',\n  innerhtml: 'innerHTML',\n  inputmode: 'inputMode',\n  integrity: 'integrity',\n  is: 'is',\n  itemid: 'itemID',\n  itemprop: 'itemProp',\n  itemref: 'itemRef',\n  itemscope: 'itemScope',\n  itemtype: 'itemType',\n  keyparams: 'keyParams',\n  keytype: 'keyType',\n  kind: 'kind',\n  label: 'label',\n  lang: 'lang',\n  list: 'list',\n  loop: 'loop',\n  low: 'low',\n  manifest: 'manifest',\n  marginwidth: 'marginWidth',\n  marginheight: 'marginHeight',\n  max: 'max',\n  maxlength: 'maxLength',\n  media: 'media',\n  mediagroup: 'mediaGroup',\n  method: 'method',\n  min: 'min',\n  minlength: 'minLength',\n  multiple: 'multiple',\n  muted: 'muted',\n  name: 'name',\n  nomodule: 'noModule',\n  nonce: 'nonce',\n  novalidate: 'noValidate',\n  open: 'open',\n  optimum: 'optimum',\n  pattern: 'pattern',\n  placeholder: 'placeholder',\n  playsinline: 'playsInline',\n  poster: 'poster',\n  preload: 'preload',\n  profile: 'profile',\n  radiogroup: 'radioGroup',\n  readonly: 'readOnly',\n  referrerpolicy: 'referrerPolicy',\n  rel: 'rel',\n  required: 'required',\n  reversed: 'reversed',\n  role: 'role',\n  rows: 'rows',\n  rowspan: 'rowSpan',\n  sandbox: 'sandbox',\n  scope: 'scope',\n  scoped: 'scoped',\n  scrolling: 'scrolling',\n  seamless: 'seamless',\n  selected: 'selected',\n  shape: 'shape',\n  size: 'size',\n  sizes: 'sizes',\n  span: 'span',\n  spellcheck: 'spellCheck',\n  src: 'src',\n  srcdoc: 'srcDoc',\n  srclang: 'srcLang',\n  srcset: 'srcSet',\n  start: 'start',\n  step: 'step',\n  style: 'style',\n  summary: 'summary',\n  tabindex: 'tabIndex',\n  target: 'target',\n  title: 'title',\n  type: 'type',\n  usemap: 'useMap',\n  value: 'value',\n  width: 'width',\n  wmode: 'wmode',\n  wrap: 'wrap',\n  // SVG\n  about: 'about',\n  accentheight: 'accentHeight',\n  'accent-height': 'accentHeight',\n  accumulate: 'accumulate',\n  additive: 'additive',\n  alignmentbaseline: 'alignmentBaseline',\n  'alignment-baseline': 'alignmentBaseline',\n  allowreorder: 'allowReorder',\n  alphabetic: 'alphabetic',\n  amplitude: 'amplitude',\n  arabicform: 'arabicForm',\n  'arabic-form': 'arabicForm',\n  ascent: 'ascent',\n  attributename: 'attributeName',\n  attributetype: 'attributeType',\n  autoreverse: 'autoReverse',\n  azimuth: 'azimuth',\n  basefrequency: 'baseFrequency',\n  baselineshift: 'baselineShift',\n  'baseline-shift': 'baselineShift',\n  baseprofile: 'baseProfile',\n  bbox: 'bbox',\n  begin: 'begin',\n  bias: 'bias',\n  by: 'by',\n  calcmode: 'calcMode',\n  capheight: 'capHeight',\n  'cap-height': 'capHeight',\n  clip: 'clip',\n  clippath: 'clipPath',\n  'clip-path': 'clipPath',\n  clippathunits: 'clipPathUnits',\n  cliprule: 'clipRule',\n  'clip-rule': 'clipRule',\n  color: 'color',\n  colorinterpolation: 'colorInterpolation',\n  'color-interpolation': 'colorInterpolation',\n  colorinterpolationfilters: 'colorInterpolationFilters',\n  'color-interpolation-filters': 'colorInterpolationFilters',\n  colorprofile: 'colorProfile',\n  'color-profile': 'colorProfile',\n  colorrendering: 'colorRendering',\n  'color-rendering': 'colorRendering',\n  contentscripttype: 'contentScriptType',\n  contentstyletype: 'contentStyleType',\n  cursor: 'cursor',\n  cx: 'cx',\n  cy: 'cy',\n  d: 'd',\n  datatype: 'datatype',\n  decelerate: 'decelerate',\n  descent: 'descent',\n  diffuseconstant: 'diffuseConstant',\n  direction: 'direction',\n  display: 'display',\n  divisor: 'divisor',\n  dominantbaseline: 'dominantBaseline',\n  'dominant-baseline': 'dominantBaseline',\n  dur: 'dur',\n  dx: 'dx',\n  dy: 'dy',\n  edgemode: 'edgeMode',\n  elevation: 'elevation',\n  enablebackground: 'enableBackground',\n  'enable-background': 'enableBackground',\n  end: 'end',\n  exponent: 'exponent',\n  externalresourcesrequired: 'externalResourcesRequired',\n  fill: 'fill',\n  fillopacity: 'fillOpacity',\n  'fill-opacity': 'fillOpacity',\n  fillrule: 'fillRule',\n  'fill-rule': 'fillRule',\n  filter: 'filter',\n  filterres: 'filterRes',\n  filterunits: 'filterUnits',\n  floodopacity: 'floodOpacity',\n  'flood-opacity': 'floodOpacity',\n  floodcolor: 'floodColor',\n  'flood-color': 'floodColor',\n  focusable: 'focusable',\n  fontfamily: 'fontFamily',\n  'font-family': 'fontFamily',\n  fontsize: 'fontSize',\n  'font-size': 'fontSize',\n  fontsizeadjust: 'fontSizeAdjust',\n  'font-size-adjust': 'fontSizeAdjust',\n  fontstretch: 'fontStretch',\n  'font-stretch': 'fontStretch',\n  fontstyle: 'fontStyle',\n  'font-style': 'fontStyle',\n  fontvariant: 'fontVariant',\n  'font-variant': 'fontVariant',\n  fontweight: 'fontWeight',\n  'font-weight': 'fontWeight',\n  format: 'format',\n  from: 'from',\n  fx: 'fx',\n  fy: 'fy',\n  g1: 'g1',\n  g2: 'g2',\n  glyphname: 'glyphName',\n  'glyph-name': 'glyphName',\n  glyphorientationhorizontal: 'glyphOrientationHorizontal',\n  'glyph-orientation-horizontal': 'glyphOrientationHorizontal',\n  glyphorientationvertical: 'glyphOrientationVertical',\n  'glyph-orientation-vertical': 'glyphOrientationVertical',\n  glyphref: 'glyphRef',\n  gradienttransform: 'gradientTransform',\n  gradientunits: 'gradientUnits',\n  hanging: 'hanging',\n  horizadvx: 'horizAdvX',\n  'horiz-adv-x': 'horizAdvX',\n  horizoriginx: 'horizOriginX',\n  'horiz-origin-x': 'horizOriginX',\n  ideographic: 'ideographic',\n  imagerendering: 'imageRendering',\n  'image-rendering': 'imageRendering',\n  in2: 'in2',\n  in: 'in',\n  inlist: 'inlist',\n  intercept: 'intercept',\n  k1: 'k1',\n  k2: 'k2',\n  k3: 'k3',\n  k4: 'k4',\n  k: 'k',\n  kernelmatrix: 'kernelMatrix',\n  kernelunitlength: 'kernelUnitLength',\n  kerning: 'kerning',\n  keypoints: 'keyPoints',\n  keysplines: 'keySplines',\n  keytimes: 'keyTimes',\n  lengthadjust: 'lengthAdjust',\n  letterspacing: 'letterSpacing',\n  'letter-spacing': 'letterSpacing',\n  lightingcolor: 'lightingColor',\n  'lighting-color': 'lightingColor',\n  limitingconeangle: 'limitingConeAngle',\n  local: 'local',\n  markerend: 'markerEnd',\n  'marker-end': 'markerEnd',\n  markerheight: 'markerHeight',\n  markermid: 'markerMid',\n  'marker-mid': 'markerMid',\n  markerstart: 'markerStart',\n  'marker-start': 'markerStart',\n  markerunits: 'markerUnits',\n  markerwidth: 'markerWidth',\n  mask: 'mask',\n  maskcontentunits: 'maskContentUnits',\n  maskunits: 'maskUnits',\n  mathematical: 'mathematical',\n  mode: 'mode',\n  numoctaves: 'numOctaves',\n  offset: 'offset',\n  opacity: 'opacity',\n  operator: 'operator',\n  order: 'order',\n  orient: 'orient',\n  orientation: 'orientation',\n  origin: 'origin',\n  overflow: 'overflow',\n  overlineposition: 'overlinePosition',\n  'overline-position': 'overlinePosition',\n  overlinethickness: 'overlineThickness',\n  'overline-thickness': 'overlineThickness',\n  paintorder: 'paintOrder',\n  'paint-order': 'paintOrder',\n  panose1: 'panose1',\n  'panose-1': 'panose1',\n  pathlength: 'pathLength',\n  patterncontentunits: 'patternContentUnits',\n  patterntransform: 'patternTransform',\n  patternunits: 'patternUnits',\n  pointerevents: 'pointerEvents',\n  'pointer-events': 'pointerEvents',\n  points: 'points',\n  pointsatx: 'pointsAtX',\n  pointsaty: 'pointsAtY',\n  pointsatz: 'pointsAtZ',\n  prefix: 'prefix',\n  preservealpha: 'preserveAlpha',\n  preserveaspectratio: 'preserveAspectRatio',\n  primitiveunits: 'primitiveUnits',\n  property: 'property',\n  r: 'r',\n  radius: 'radius',\n  refx: 'refX',\n  refy: 'refY',\n  renderingintent: 'renderingIntent',\n  'rendering-intent': 'renderingIntent',\n  repeatcount: 'repeatCount',\n  repeatdur: 'repeatDur',\n  requiredextensions: 'requiredExtensions',\n  requiredfeatures: 'requiredFeatures',\n  resource: 'resource',\n  restart: 'restart',\n  result: 'result',\n  results: 'results',\n  rotate: 'rotate',\n  rx: 'rx',\n  ry: 'ry',\n  scale: 'scale',\n  security: 'security',\n  seed: 'seed',\n  shaperendering: 'shapeRendering',\n  'shape-rendering': 'shapeRendering',\n  slope: 'slope',\n  spacing: 'spacing',\n  specularconstant: 'specularConstant',\n  specularexponent: 'specularExponent',\n  speed: 'speed',\n  spreadmethod: 'spreadMethod',\n  startoffset: 'startOffset',\n  stddeviation: 'stdDeviation',\n  stemh: 'stemh',\n  stemv: 'stemv',\n  stitchtiles: 'stitchTiles',\n  stopcolor: 'stopColor',\n  'stop-color': 'stopColor',\n  stopopacity: 'stopOpacity',\n  'stop-opacity': 'stopOpacity',\n  strikethroughposition: 'strikethroughPosition',\n  'strikethrough-position': 'strikethroughPosition',\n  strikethroughthickness: 'strikethroughThickness',\n  'strikethrough-thickness': 'strikethroughThickness',\n  string: 'string',\n  stroke: 'stroke',\n  strokedasharray: 'strokeDasharray',\n  'stroke-dasharray': 'strokeDasharray',\n  strokedashoffset: 'strokeDashoffset',\n  'stroke-dashoffset': 'strokeDashoffset',\n  strokelinecap: 'strokeLinecap',\n  'stroke-linecap': 'strokeLinecap',\n  strokelinejoin: 'strokeLinejoin',\n  'stroke-linejoin': 'strokeLinejoin',\n  strokemiterlimit: 'strokeMiterlimit',\n  'stroke-miterlimit': 'strokeMiterlimit',\n  strokewidth: 'strokeWidth',\n  'stroke-width': 'strokeWidth',\n  strokeopacity: 'strokeOpacity',\n  'stroke-opacity': 'strokeOpacity',\n  suppresscontenteditablewarning: 'suppressContentEditableWarning',\n  suppresshydrationwarning: 'suppressHydrationWarning',\n  surfacescale: 'surfaceScale',\n  systemlanguage: 'systemLanguage',\n  tablevalues: 'tableValues',\n  targetx: 'targetX',\n  targety: 'targetY',\n  textanchor: 'textAnchor',\n  'text-anchor': 'textAnchor',\n  textdecoration: 'textDecoration',\n  'text-decoration': 'textDecoration',\n  textlength: 'textLength',\n  textrendering: 'textRendering',\n  'text-rendering': 'textRendering',\n  to: 'to',\n  transform: 'transform',\n  typeof: 'typeof',\n  u1: 'u1',\n  u2: 'u2',\n  underlineposition: 'underlinePosition',\n  'underline-position': 'underlinePosition',\n  underlinethickness: 'underlineThickness',\n  'underline-thickness': 'underlineThickness',\n  unicode: 'unicode',\n  unicodebidi: 'unicodeBidi',\n  'unicode-bidi': 'unicodeBidi',\n  unicoderange: 'unicodeRange',\n  'unicode-range': 'unicodeRange',\n  unitsperem: 'unitsPerEm',\n  'units-per-em': 'unitsPerEm',\n  unselectable: 'unselectable',\n  valphabetic: 'vAlphabetic',\n  'v-alphabetic': 'vAlphabetic',\n  values: 'values',\n  vectoreffect: 'vectorEffect',\n  'vector-effect': 'vectorEffect',\n  version: 'version',\n  vertadvy: 'vertAdvY',\n  'vert-adv-y': 'vertAdvY',\n  vertoriginx: 'vertOriginX',\n  'vert-origin-x': 'vertOriginX',\n  vertoriginy: 'vertOriginY',\n  'vert-origin-y': 'vertOriginY',\n  vhanging: 'vHanging',\n  'v-hanging': 'vHanging',\n  videographic: 'vIdeographic',\n  'v-ideographic': 'vIdeographic',\n  viewbox: 'viewBox',\n  viewtarget: 'viewTarget',\n  visibility: 'visibility',\n  vmathematical: 'vMathematical',\n  'v-mathematical': 'vMathematical',\n  vocab: 'vocab',\n  widths: 'widths',\n  wordspacing: 'wordSpacing',\n  'word-spacing': 'wordSpacing',\n  writingmode: 'writingMode',\n  'writing-mode': 'writingMode',\n  x1: 'x1',\n  x2: 'x2',\n  x: 'x',\n  xchannelselector: 'xChannelSelector',\n  xheight: 'xHeight',\n  'x-height': 'xHeight',\n  xlinkactuate: 'xlinkActuate',\n  'xlink:actuate': 'xlinkActuate',\n  xlinkarcrole: 'xlinkArcrole',\n  'xlink:arcrole': 'xlinkArcrole',\n  xlinkhref: 'xlinkHref',\n  'xlink:href': 'xlinkHref',\n  xlinkrole: 'xlinkRole',\n  'xlink:role': 'xlinkRole',\n  xlinkshow: 'xlinkShow',\n  'xlink:show': 'xlinkShow',\n  xlinktitle: 'xlinkTitle',\n  'xlink:title': 'xlinkTitle',\n  xlinktype: 'xlinkType',\n  'xlink:type': 'xlinkType',\n  xmlbase: 'xmlBase',\n  'xml:base': 'xmlBase',\n  xmllang: 'xmlLang',\n  'xml:lang': 'xmlLang',\n  xmlns: 'xmlns',\n  'xml:space': 'xmlSpace',\n  xmlnsxlink: 'xmlnsXlink',\n  'xmlns:xlink': 'xmlnsXlink',\n  xmlspace: 'xmlSpace',\n  y1: 'y1',\n  y2: 'y2',\n  y: 'y',\n  ychannelselector: 'yChannelSelector',\n  z: 'z',\n  zoomandpan: 'zoomAndPan'\n};\n\nvar ariaProperties = {\n  'aria-current': 0,\n  // state\n  'aria-description': 0,\n  'aria-details': 0,\n  'aria-disabled': 0,\n  // state\n  'aria-hidden': 0,\n  // state\n  'aria-invalid': 0,\n  // state\n  'aria-keyshortcuts': 0,\n  'aria-label': 0,\n  'aria-roledescription': 0,\n  // Widget Attributes\n  'aria-autocomplete': 0,\n  'aria-checked': 0,\n  'aria-expanded': 0,\n  'aria-haspopup': 0,\n  'aria-level': 0,\n  'aria-modal': 0,\n  'aria-multiline': 0,\n  'aria-multiselectable': 0,\n  'aria-orientation': 0,\n  'aria-placeholder': 0,\n  'aria-pressed': 0,\n  'aria-readonly': 0,\n  'aria-required': 0,\n  'aria-selected': 0,\n  'aria-sort': 0,\n  'aria-valuemax': 0,\n  'aria-valuemin': 0,\n  'aria-valuenow': 0,\n  'aria-valuetext': 0,\n  // Live Region Attributes\n  'aria-atomic': 0,\n  'aria-busy': 0,\n  'aria-live': 0,\n  'aria-relevant': 0,\n  // Drag-and-Drop Attributes\n  'aria-dropeffect': 0,\n  'aria-grabbed': 0,\n  // Relationship Attributes\n  'aria-activedescendant': 0,\n  'aria-colcount': 0,\n  'aria-colindex': 0,\n  'aria-colspan': 0,\n  'aria-controls': 0,\n  'aria-describedby': 0,\n  'aria-errormessage': 0,\n  'aria-flowto': 0,\n  'aria-labelledby': 0,\n  'aria-owns': 0,\n  'aria-posinset': 0,\n  'aria-rowcount': 0,\n  'aria-rowindex': 0,\n  'aria-rowspan': 0,\n  'aria-setsize': 0\n};\n\nvar warnedProperties = {};\nvar rARIA = new RegExp('^(aria)-[' + ATTRIBUTE_NAME_CHAR + ']*$');\nvar rARIACamel = new RegExp('^(aria)[A-Z][' + ATTRIBUTE_NAME_CHAR + ']*$');\n\nfunction validateProperty(tagName, name) {\n  {\n    if (hasOwnProperty.call(warnedProperties, name) && warnedProperties[name]) {\n      return true;\n    }\n\n    if (rARIACamel.test(name)) {\n      var ariaName = 'aria-' + name.slice(4).toLowerCase();\n      var correctName = ariaProperties.hasOwnProperty(ariaName) ? ariaName : null; // If this is an aria-* attribute, but is not listed in the known DOM\n      // DOM properties, then it is an invalid aria-* attribute.\n\n      if (correctName == null) {\n        error('Invalid ARIA attribute `%s`. ARIA attributes follow the pattern aria-* and must be lowercase.', name);\n\n        warnedProperties[name] = true;\n        return true;\n      } // aria-* attributes should be lowercase; suggest the lowercase version.\n\n\n      if (name !== correctName) {\n        error('Invalid ARIA attribute `%s`. Did you mean `%s`?', name, correctName);\n\n        warnedProperties[name] = true;\n        return true;\n      }\n    }\n\n    if (rARIA.test(name)) {\n      var lowerCasedName = name.toLowerCase();\n      var standardName = ariaProperties.hasOwnProperty(lowerCasedName) ? lowerCasedName : null; // If this is an aria-* attribute, but is not listed in the known DOM\n      // DOM properties, then it is an invalid aria-* attribute.\n\n      if (standardName == null) {\n        warnedProperties[name] = true;\n        return false;\n      } // aria-* attributes should be lowercase; suggest the lowercase version.\n\n\n      if (name !== standardName) {\n        error('Unknown ARIA attribute `%s`. Did you mean `%s`?', name, standardName);\n\n        warnedProperties[name] = true;\n        return true;\n      }\n    }\n  }\n\n  return true;\n}\n\nfunction warnInvalidARIAProps(type, props) {\n  {\n    var invalidProps = [];\n\n    for (var key in props) {\n      var isValid = validateProperty(type, key);\n\n      if (!isValid) {\n        invalidProps.push(key);\n      }\n    }\n\n    var unknownPropString = invalidProps.map(function (prop) {\n      return '`' + prop + '`';\n    }).join(', ');\n\n    if (invalidProps.length === 1) {\n      error('Invalid aria prop %s on <%s> tag. ' + 'For details, see https://reactjs.org/link/invalid-aria-props', unknownPropString, type);\n    } else if (invalidProps.length > 1) {\n      error('Invalid aria props %s on <%s> tag. ' + 'For details, see https://reactjs.org/link/invalid-aria-props', unknownPropString, type);\n    }\n  }\n}\n\nfunction validateProperties(type, props) {\n  if (isCustomComponent(type, props)) {\n    return;\n  }\n\n  warnInvalidARIAProps(type, props);\n}\n\nvar didWarnValueNull = false;\nfunction validateProperties$1(type, props) {\n  {\n    if (type !== 'input' && type !== 'textarea' && type !== 'select') {\n      return;\n    }\n\n    if (props != null && props.value === null && !didWarnValueNull) {\n      didWarnValueNull = true;\n\n      if (type === 'select' && props.multiple) {\n        error('`value` prop on `%s` should not be null. ' + 'Consider using an empty array when `multiple` is set to `true` ' + 'to clear the component or `undefined` for uncontrolled components.', type);\n      } else {\n        error('`value` prop on `%s` should not be null. ' + 'Consider using an empty string to clear the component or `undefined` ' + 'for uncontrolled components.', type);\n      }\n    }\n  }\n}\n\nvar validateProperty$1 = function () {};\n\n{\n  var warnedProperties$1 = {};\n  var EVENT_NAME_REGEX = /^on./;\n  var INVALID_EVENT_NAME_REGEX = /^on[^A-Z]/;\n  var rARIA$1 = new RegExp('^(aria)-[' + ATTRIBUTE_NAME_CHAR + ']*$');\n  var rARIACamel$1 = new RegExp('^(aria)[A-Z][' + ATTRIBUTE_NAME_CHAR + ']*$');\n\n  validateProperty$1 = function (tagName, name, value, eventRegistry) {\n    if (hasOwnProperty.call(warnedProperties$1, name) && warnedProperties$1[name]) {\n      return true;\n    }\n\n    var lowerCasedName = name.toLowerCase();\n\n    if (lowerCasedName === 'onfocusin' || lowerCasedName === 'onfocusout') {\n      error('React uses onFocus and onBlur instead of onFocusIn and onFocusOut. ' + 'All React events are normalized to bubble, so onFocusIn and onFocusOut ' + 'are not needed/supported by React.');\n\n      warnedProperties$1[name] = true;\n      return true;\n    } // We can't rely on the event system being injected on the server.\n\n\n    if (eventRegistry != null) {\n      var registrationNameDependencies = eventRegistry.registrationNameDependencies,\n          possibleRegistrationNames = eventRegistry.possibleRegistrationNames;\n\n      if (registrationNameDependencies.hasOwnProperty(name)) {\n        return true;\n      }\n\n      var registrationName = possibleRegistrationNames.hasOwnProperty(lowerCasedName) ? possibleRegistrationNames[lowerCasedName] : null;\n\n      if (registrationName != null) {\n        error('Invalid event handler property `%s`. Did you mean `%s`?', name, registrationName);\n\n        warnedProperties$1[name] = true;\n        return true;\n      }\n\n      if (EVENT_NAME_REGEX.test(name)) {\n        error('Unknown event handler property `%s`. It will be ignored.', name);\n\n        warnedProperties$1[name] = true;\n        return true;\n      }\n    } else if (EVENT_NAME_REGEX.test(name)) {\n      // If no event plugins have been injected, we are in a server environment.\n      // So we can't tell if the event name is correct for sure, but we can filter\n      // out known bad ones like `onclick`. We can't suggest a specific replacement though.\n      if (INVALID_EVENT_NAME_REGEX.test(name)) {\n        error('Invalid event handler property `%s`. ' + 'React events use the camelCase naming convention, for example `onClick`.', name);\n      }\n\n      warnedProperties$1[name] = true;\n      return true;\n    } // Let the ARIA attribute hook validate ARIA attributes\n\n\n    if (rARIA$1.test(name) || rARIACamel$1.test(name)) {\n      return true;\n    }\n\n    if (lowerCasedName === 'innerhtml') {\n      error('Directly setting property `innerHTML` is not permitted. ' + 'For more information, lookup documentation on `dangerouslySetInnerHTML`.');\n\n      warnedProperties$1[name] = true;\n      return true;\n    }\n\n    if (lowerCasedName === 'aria') {\n      error('The `aria` attribute is reserved for future use in React. ' + 'Pass individual `aria-` attributes instead.');\n\n      warnedProperties$1[name] = true;\n      return true;\n    }\n\n    if (lowerCasedName === 'is' && value !== null && value !== undefined && typeof value !== 'string') {\n      error('Received a `%s` for a string attribute `is`. If this is expected, cast ' + 'the value to a string.', typeof value);\n\n      warnedProperties$1[name] = true;\n      return true;\n    }\n\n    if (typeof value === 'number' && isNaN(value)) {\n      error('Received NaN for the `%s` attribute. If this is expected, cast ' + 'the value to a string.', name);\n\n      warnedProperties$1[name] = true;\n      return true;\n    }\n\n    var propertyInfo = getPropertyInfo(name);\n    var isReserved = propertyInfo !== null && propertyInfo.type === RESERVED; // Known attributes should match the casing specified in the property config.\n\n    if (possibleStandardNames.hasOwnProperty(lowerCasedName)) {\n      var standardName = possibleStandardNames[lowerCasedName];\n\n      if (standardName !== name) {\n        error('Invalid DOM property `%s`. Did you mean `%s`?', name, standardName);\n\n        warnedProperties$1[name] = true;\n        return true;\n      }\n    } else if (!isReserved && name !== lowerCasedName) {\n      // Unknown attributes should have lowercase casing since that's how they\n      // will be cased anyway with server rendering.\n      error('React does not recognize the `%s` prop on a DOM element. If you ' + 'intentionally want it to appear in the DOM as a custom ' + 'attribute, spell it as lowercase `%s` instead. ' + 'If you accidentally passed it from a parent component, remove ' + 'it from the DOM element.', name, lowerCasedName);\n\n      warnedProperties$1[name] = true;\n      return true;\n    }\n\n    if (typeof value === 'boolean' && shouldRemoveAttributeWithWarning(name, value, propertyInfo, false)) {\n      if (value) {\n        error('Received `%s` for a non-boolean attribute `%s`.\\n\\n' + 'If you want to write it to the DOM, pass a string instead: ' + '%s=\"%s\" or %s={value.toString()}.', value, name, name, value, name);\n      } else {\n        error('Received `%s` for a non-boolean attribute `%s`.\\n\\n' + 'If you want to write it to the DOM, pass a string instead: ' + '%s=\"%s\" or %s={value.toString()}.\\n\\n' + 'If you used to conditionally omit it with %s={condition && value}, ' + 'pass %s={condition ? value : undefined} instead.', value, name, name, value, name, name, name);\n      }\n\n      warnedProperties$1[name] = true;\n      return true;\n    } // Now that we've validated casing, do not validate\n    // data types for reserved props\n\n\n    if (isReserved) {\n      return true;\n    } // Warn when a known attribute is a bad type\n\n\n    if (shouldRemoveAttributeWithWarning(name, value, propertyInfo, false)) {\n      warnedProperties$1[name] = true;\n      return false;\n    } // Warn when passing the strings 'false' or 'true' into a boolean prop\n\n\n    if ((value === 'false' || value === 'true') && propertyInfo !== null && propertyInfo.type === BOOLEAN) {\n      error('Received the string `%s` for the boolean attribute `%s`. ' + '%s ' + 'Did you mean %s={%s}?', value, name, value === 'false' ? 'The browser will interpret it as a truthy value.' : 'Although this works, it will not work as expected if you pass the string \"false\".', name, value);\n\n      warnedProperties$1[name] = true;\n      return true;\n    }\n\n    return true;\n  };\n}\n\nvar warnUnknownProperties = function (type, props, eventRegistry) {\n  {\n    var unknownProps = [];\n\n    for (var key in props) {\n      var isValid = validateProperty$1(type, key, props[key], eventRegistry);\n\n      if (!isValid) {\n        unknownProps.push(key);\n      }\n    }\n\n    var unknownPropString = unknownProps.map(function (prop) {\n      return '`' + prop + '`';\n    }).join(', ');\n\n    if (unknownProps.length === 1) {\n      error('Invalid value for prop %s on <%s> tag. Either remove it from the element, ' + 'or pass a string or number value to keep it in the DOM. ' + 'For details, see https://reactjs.org/link/attribute-behavior ', unknownPropString, type);\n    } else if (unknownProps.length > 1) {\n      error('Invalid values for props %s on <%s> tag. Either remove them from the element, ' + 'or pass a string or number value to keep them in the DOM. ' + 'For details, see https://reactjs.org/link/attribute-behavior ', unknownPropString, type);\n    }\n  }\n};\n\nfunction validateProperties$2(type, props, eventRegistry) {\n  if (isCustomComponent(type, props)) {\n    return;\n  }\n\n  warnUnknownProperties(type, props, eventRegistry);\n}\n\nvar IS_EVENT_HANDLE_NON_MANAGED_NODE = 1;\nvar IS_NON_DELEGATED = 1 << 1;\nvar IS_CAPTURE_PHASE = 1 << 2;\n// set to LEGACY_FB_SUPPORT. LEGACY_FB_SUPPORT only gets set when\n// we call willDeferLaterForLegacyFBSupport, thus not bailing out\n// will result in endless cycles like an infinite loop.\n// We also don't want to defer during event replaying.\n\nvar SHOULD_NOT_PROCESS_POLYFILL_EVENT_PLUGINS = IS_EVENT_HANDLE_NON_MANAGED_NODE | IS_NON_DELEGATED | IS_CAPTURE_PHASE;\n\n// This exists to avoid circular dependency between ReactDOMEventReplaying\n// and DOMPluginEventSystem.\nvar currentReplayingEvent = null;\nfunction setReplayingEvent(event) {\n  {\n    if (currentReplayingEvent !== null) {\n      error('Expected currently replaying event to be null. This error ' + 'is likely caused by a bug in React. Please file an issue.');\n    }\n  }\n\n  currentReplayingEvent = event;\n}\nfunction resetReplayingEvent() {\n  {\n    if (currentReplayingEvent === null) {\n      error('Expected currently replaying event to not be null. This error ' + 'is likely caused by a bug in React. Please file an issue.');\n    }\n  }\n\n  currentReplayingEvent = null;\n}\nfunction isReplayingEvent(event) {\n  return event === currentReplayingEvent;\n}\n\n/**\n * Gets the target node from a native browser event by accounting for\n * inconsistencies in browser DOM APIs.\n *\n * @param {object} nativeEvent Native browser event.\n * @return {DOMEventTarget} Target node.\n */\n\nfunction getEventTarget(nativeEvent) {\n  // Fallback to nativeEvent.srcElement for IE9\n  // https://github.com/facebook/react/issues/12506\n  var target = nativeEvent.target || nativeEvent.srcElement || window; // Normalize SVG <use> element events #4963\n\n  if (target.correspondingUseElement) {\n    target = target.correspondingUseElement;\n  } // Safari may fire events on text nodes (Node.TEXT_NODE is 3).\n  // @see http://www.quirksmode.org/js/events_properties.html\n\n\n  return target.nodeType === TEXT_NODE ? target.parentNode : target;\n}\n\nvar restoreImpl = null;\nvar restoreTarget = null;\nvar restoreQueue = null;\n\nfunction restoreStateOfTarget(target) {\n  // We perform this translation at the end of the event loop so that we\n  // always receive the correct fiber here\n  var internalInstance = getInstanceFromNode(target);\n\n  if (!internalInstance) {\n    // Unmounted\n    return;\n  }\n\n  if (typeof restoreImpl !== 'function') {\n    throw new Error('setRestoreImplementation() needs to be called to handle a target for controlled ' + 'events. This error is likely caused by a bug in React. Please file an issue.');\n  }\n\n  var stateNode = internalInstance.stateNode; // Guard against Fiber being unmounted.\n\n  if (stateNode) {\n    var _props = getFiberCurrentPropsFromNode(stateNode);\n\n    restoreImpl(internalInstance.stateNode, internalInstance.type, _props);\n  }\n}\n\nfunction setRestoreImplementation(impl) {\n  restoreImpl = impl;\n}\nfunction enqueueStateRestore(target) {\n  if (restoreTarget) {\n    if (restoreQueue) {\n      restoreQueue.push(target);\n    } else {\n      restoreQueue = [target];\n    }\n  } else {\n    restoreTarget = target;\n  }\n}\nfunction needsStateRestore() {\n  return restoreTarget !== null || restoreQueue !== null;\n}\nfunction restoreStateIfNeeded() {\n  if (!restoreTarget) {\n    return;\n  }\n\n  var target = restoreTarget;\n  var queuedTargets = restoreQueue;\n  restoreTarget = null;\n  restoreQueue = null;\n  restoreStateOfTarget(target);\n\n  if (queuedTargets) {\n    for (var i = 0; i < queuedTargets.length; i++) {\n      restoreStateOfTarget(queuedTargets[i]);\n    }\n  }\n}\n\n// the renderer. Such as when we're dispatching events or if third party\n// libraries need to call batchedUpdates. Eventually, this API will go away when\n// everything is batched by default. We'll then have a similar API to opt-out of\n// scheduled work and instead do synchronous work.\n// Defaults\n\nvar batchedUpdatesImpl = function (fn, bookkeeping) {\n  return fn(bookkeeping);\n};\n\nvar flushSyncImpl = function () {};\n\nvar isInsideEventHandler = false;\n\nfunction finishEventHandler() {\n  // Here we wait until all updates have propagated, which is important\n  // when using controlled components within layers:\n  // https://github.com/facebook/react/issues/1698\n  // Then we restore state of any controlled component.\n  var controlledComponentsHavePendingUpdates = needsStateRestore();\n\n  if (controlledComponentsHavePendingUpdates) {\n    // If a controlled event was fired, we may need to restore the state of\n    // the DOM node back to the controlled value. This is necessary when React\n    // bails out of the update without touching the DOM.\n    // TODO: Restore state in the microtask, after the discrete updates flush,\n    // instead of early flushing them here.\n    flushSyncImpl();\n    restoreStateIfNeeded();\n  }\n}\n\nfunction batchedUpdates(fn, a, b) {\n  if (isInsideEventHandler) {\n    // If we are currently inside another batch, we need to wait until it\n    // fully completes before restoring state.\n    return fn(a, b);\n  }\n\n  isInsideEventHandler = true;\n\n  try {\n    return batchedUpdatesImpl(fn, a, b);\n  } finally {\n    isInsideEventHandler = false;\n    finishEventHandler();\n  }\n} // TODO: Replace with flushSync\nfunction setBatchingImplementation(_batchedUpdatesImpl, _discreteUpdatesImpl, _flushSyncImpl) {\n  batchedUpdatesImpl = _batchedUpdatesImpl;\n  flushSyncImpl = _flushSyncImpl;\n}\n\nfunction isInteractive(tag) {\n  return tag === 'button' || tag === 'input' || tag === 'select' || tag === 'textarea';\n}\n\nfunction shouldPreventMouseEvent(name, type, props) {\n  switch (name) {\n    case 'onClick':\n    case 'onClickCapture':\n    case 'onDoubleClick':\n    case 'onDoubleClickCapture':\n    case 'onMouseDown':\n    case 'onMouseDownCapture':\n    case 'onMouseMove':\n    case 'onMouseMoveCapture':\n    case 'onMouseUp':\n    case 'onMouseUpCapture':\n    case 'onMouseEnter':\n      return !!(props.disabled && isInteractive(type));\n\n    default:\n      return false;\n  }\n}\n/**\n * @param {object} inst The instance, which is the source of events.\n * @param {string} registrationName Name of listener (e.g. `onClick`).\n * @return {?function} The stored callback.\n */\n\n\nfunction getListener(inst, registrationName) {\n  var stateNode = inst.stateNode;\n\n  if (stateNode === null) {\n    // Work in progress (ex: onload events in incremental mode).\n    return null;\n  }\n\n  var props = getFiberCurrentPropsFromNode(stateNode);\n\n  if (props === null) {\n    // Work in progress.\n    return null;\n  }\n\n  var listener = props[registrationName];\n\n  if (shouldPreventMouseEvent(registrationName, inst.type, props)) {\n    return null;\n  }\n\n  if (listener && typeof listener !== 'function') {\n    throw new Error(\"Expected `\" + registrationName + \"` listener to be a function, instead got a value of `\" + typeof listener + \"` type.\");\n  }\n\n  return listener;\n}\n\nvar passiveBrowserEventsSupported = false; // Check if browser support events with passive listeners\n// https://developer.mozilla.org/en-US/docs/Web/API/EventTarget/addEventListener#Safely_detecting_option_support\n\nif (canUseDOM) {\n  try {\n    var options = {}; // $FlowFixMe: Ignore Flow complaining about needing a value\n\n    Object.defineProperty(options, 'passive', {\n      get: function () {\n        passiveBrowserEventsSupported = true;\n      }\n    });\n    window.addEventListener('test', options, options);\n    window.removeEventListener('test', options, options);\n  } catch (e) {\n    passiveBrowserEventsSupported = false;\n  }\n}\n\nfunction invokeGuardedCallbackProd(name, func, context, a, b, c, d, e, f) {\n  var funcArgs = Array.prototype.slice.call(arguments, 3);\n\n  try {\n    func.apply(context, funcArgs);\n  } catch (error) {\n    this.onError(error);\n  }\n}\n\nvar invokeGuardedCallbackImpl = invokeGuardedCallbackProd;\n\n{\n  // In DEV mode, we swap out invokeGuardedCallback for a special version\n  // that plays more nicely with the browser's DevTools. The idea is to preserve\n  // \"Pause on exceptions\" behavior. Because React wraps all user-provided\n  // functions in invokeGuardedCallback, and the production version of\n  // invokeGuardedCallback uses a try-catch, all user exceptions are treated\n  // like caught exceptions, and the DevTools won't pause unless the developer\n  // takes the extra step of enabling pause on caught exceptions. This is\n  // unintuitive, though, because even though React has caught the error, from\n  // the developer's perspective, the error is uncaught.\n  //\n  // To preserve the expected \"Pause on exceptions\" behavior, we don't use a\n  // try-catch in DEV. Instead, we synchronously dispatch a fake event to a fake\n  // DOM node, and call the user-provided callback from inside an event handler\n  // for that fake event. If the callback throws, the error is \"captured\" using\n  // a global event handler. But because the error happens in a different\n  // event loop context, it does not interrupt the normal program flow.\n  // Effectively, this gives us try-catch behavior without actually using\n  // try-catch. Neat!\n  // Check that the browser supports the APIs we need to implement our special\n  // DEV version of invokeGuardedCallback\n  if (typeof window !== 'undefined' && typeof window.dispatchEvent === 'function' && typeof document !== 'undefined' && typeof document.createEvent === 'function') {\n    var fakeNode = document.createElement('react');\n\n    invokeGuardedCallbackImpl = function invokeGuardedCallbackDev(name, func, context, a, b, c, d, e, f) {\n      // If document doesn't exist we know for sure we will crash in this method\n      // when we call document.createEvent(). However this can cause confusing\n      // errors: https://github.com/facebook/create-react-app/issues/3482\n      // So we preemptively throw with a better message instead.\n      if (typeof document === 'undefined' || document === null) {\n        throw new Error('The `document` global was defined when React was initialized, but is not ' + 'defined anymore. This can happen in a test environment if a component ' + 'schedules an update from an asynchronous callback, but the test has already ' + 'finished running. To solve this, you can either unmount the component at ' + 'the end of your test (and ensure that any asynchronous operations get ' + 'canceled in `componentWillUnmount`), or you can change the test itself ' + 'to be asynchronous.');\n      }\n\n      var evt = document.createEvent('Event');\n      var didCall = false; // Keeps track of whether the user-provided callback threw an error. We\n      // set this to true at the beginning, then set it to false right after\n      // calling the function. If the function errors, `didError` will never be\n      // set to false. This strategy works even if the browser is flaky and\n      // fails to call our global error handler, because it doesn't rely on\n      // the error event at all.\n\n      var didError = true; // Keeps track of the value of window.event so that we can reset it\n      // during the callback to let user code access window.event in the\n      // browsers that support it.\n\n      var windowEvent = window.event; // Keeps track of the descriptor of window.event to restore it after event\n      // dispatching: https://github.com/facebook/react/issues/13688\n\n      var windowEventDescriptor = Object.getOwnPropertyDescriptor(window, 'event');\n\n      function restoreAfterDispatch() {\n        // We immediately remove the callback from event listeners so that\n        // nested `invokeGuardedCallback` calls do not clash. Otherwise, a\n        // nested call would trigger the fake event handlers of any call higher\n        // in the stack.\n        fakeNode.removeEventListener(evtType, callCallback, false); // We check for window.hasOwnProperty('event') to prevent the\n        // window.event assignment in both IE <= 10 as they throw an error\n        // \"Member not found\" in strict mode, and in Firefox which does not\n        // support window.event.\n\n        if (typeof window.event !== 'undefined' && window.hasOwnProperty('event')) {\n          window.event = windowEvent;\n        }\n      } // Create an event handler for our fake event. We will synchronously\n      // dispatch our fake event using `dispatchEvent`. Inside the handler, we\n      // call the user-provided callback.\n\n\n      var funcArgs = Array.prototype.slice.call(arguments, 3);\n\n      function callCallback() {\n        didCall = true;\n        restoreAfterDispatch();\n        func.apply(context, funcArgs);\n        didError = false;\n      } // Create a global error event handler. We use this to capture the value\n      // that was thrown. It's possible that this error handler will fire more\n      // than once; for example, if non-React code also calls `dispatchEvent`\n      // and a handler for that event throws. We should be resilient to most of\n      // those cases. Even if our error event handler fires more than once, the\n      // last error event is always used. If the callback actually does error,\n      // we know that the last error event is the correct one, because it's not\n      // possible for anything else to have happened in between our callback\n      // erroring and the code that follows the `dispatchEvent` call below. If\n      // the callback doesn't error, but the error event was fired, we know to\n      // ignore it because `didError` will be false, as described above.\n\n\n      var error; // Use this to track whether the error event is ever called.\n\n      var didSetError = false;\n      var isCrossOriginError = false;\n\n      function handleWindowError(event) {\n        error = event.error;\n        didSetError = true;\n\n        if (error === null && event.colno === 0 && event.lineno === 0) {\n          isCrossOriginError = true;\n        }\n\n        if (event.defaultPrevented) {\n          // Some other error handler has prevented default.\n          // Browsers silence the error report if this happens.\n          // We'll remember this to later decide whether to log it or not.\n          if (error != null && typeof error === 'object') {\n            try {\n              error._suppressLogging = true;\n            } catch (inner) {// Ignore.\n            }\n          }\n        }\n      } // Create a fake event type.\n\n\n      var evtType = \"react-\" + (name ? name : 'invokeguardedcallback'); // Attach our event handlers\n\n      window.addEventListener('error', handleWindowError);\n      fakeNode.addEventListener(evtType, callCallback, false); // Synchronously dispatch our fake event. If the user-provided function\n      // errors, it will trigger our global error handler.\n\n      evt.initEvent(evtType, false, false);\n      fakeNode.dispatchEvent(evt);\n\n      if (windowEventDescriptor) {\n        Object.defineProperty(window, 'event', windowEventDescriptor);\n      }\n\n      if (didCall && didError) {\n        if (!didSetError) {\n          // The callback errored, but the error event never fired.\n          // eslint-disable-next-line react-internal/prod-error-codes\n          error = new Error('An error was thrown inside one of your components, but React ' + \"doesn't know what it was. This is likely due to browser \" + 'flakiness. React does its best to preserve the \"Pause on ' + 'exceptions\" behavior of the DevTools, which requires some ' + \"DEV-mode only tricks. It's possible that these don't work in \" + 'your browser. Try triggering the error in production mode, ' + 'or switching to a modern browser. If you suspect that this is ' + 'actually an issue with React, please file an issue.');\n        } else if (isCrossOriginError) {\n          // eslint-disable-next-line react-internal/prod-error-codes\n          error = new Error(\"A cross-origin error was thrown. React doesn't have access to \" + 'the actual error object in development. ' + 'See https://reactjs.org/link/crossorigin-error for more information.');\n        }\n\n        this.onError(error);\n      } // Remove our event listeners\n\n\n      window.removeEventListener('error', handleWindowError);\n\n      if (!didCall) {\n        // Something went really wrong, and our event was not dispatched.\n        // https://github.com/facebook/react/issues/16734\n        // https://github.com/facebook/react/issues/16585\n        // Fall back to the production implementation.\n        restoreAfterDispatch();\n        return invokeGuardedCallbackProd.apply(this, arguments);\n      }\n    };\n  }\n}\n\nvar invokeGuardedCallbackImpl$1 = invokeGuardedCallbackImpl;\n\nvar hasError = false;\nvar caughtError = null; // Used by event system to capture/rethrow the first error.\n\nvar hasRethrowError = false;\nvar rethrowError = null;\nvar reporter = {\n  onError: function (error) {\n    hasError = true;\n    caughtError = error;\n  }\n};\n/**\n * Call a function while guarding against errors that happens within it.\n * Returns an error if it throws, otherwise null.\n *\n * In production, this is implemented using a try-catch. The reason we don't\n * use a try-catch directly is so that we can swap out a different\n * implementation in DEV mode.\n *\n * @param {String} name of the guard to use for logging or debugging\n * @param {Function} func The function to invoke\n * @param {*} context The context to use when calling the function\n * @param {...*} args Arguments for function\n */\n\nfunction invokeGuardedCallback(name, func, context, a, b, c, d, e, f) {\n  hasError = false;\n  caughtError = null;\n  invokeGuardedCallbackImpl$1.apply(reporter, arguments);\n}\n/**\n * Same as invokeGuardedCallback, but instead of returning an error, it stores\n * it in a global so it can be rethrown by `rethrowCaughtError` later.\n * TODO: See if caughtError and rethrowError can be unified.\n *\n * @param {String} name of the guard to use for logging or debugging\n * @param {Function} func The function to invoke\n * @param {*} context The context to use when calling the function\n * @param {...*} args Arguments for function\n */\n\nfunction invokeGuardedCallbackAndCatchFirstError(name, func, context, a, b, c, d, e, f) {\n  invokeGuardedCallback.apply(this, arguments);\n\n  if (hasError) {\n    var error = clearCaughtError();\n\n    if (!hasRethrowError) {\n      hasRethrowError = true;\n      rethrowError = error;\n    }\n  }\n}\n/**\n * During execution of guarded functions we will capture the first error which\n * we will rethrow to be handled by the top level error handler.\n */\n\nfunction rethrowCaughtError() {\n  if (hasRethrowError) {\n    var error = rethrowError;\n    hasRethrowError = false;\n    rethrowError = null;\n    throw error;\n  }\n}\nfunction hasCaughtError() {\n  return hasError;\n}\nfunction clearCaughtError() {\n  if (hasError) {\n    var error = caughtError;\n    hasError = false;\n    caughtError = null;\n    return error;\n  } else {\n    throw new Error('clearCaughtError was called but no error was captured. This error ' + 'is likely caused by a bug in React. Please file an issue.');\n  }\n}\n\n/**\n * `ReactInstanceMap` maintains a mapping from a public facing stateful\n * instance (key) and the internal representation (value). This allows public\n * methods to accept the user facing instance as an argument and map them back\n * to internal methods.\n *\n * Note that this module is currently shared and assumed to be stateless.\n * If this becomes an actual Map, that will break.\n */\nfunction get(key) {\n  return key._reactInternals;\n}\nfunction has(key) {\n  return key._reactInternals !== undefined;\n}\nfunction set(key, value) {\n  key._reactInternals = value;\n}\n\n// Don't change these two values. They're used by React Dev Tools.\nvar NoFlags =\n/*                      */\n0;\nvar PerformedWork =\n/*                */\n1; // You can change the rest (and add more).\n\nvar Placement =\n/*                    */\n2;\nvar Update =\n/*                       */\n4;\nvar ChildDeletion =\n/*                */\n16;\nvar ContentReset =\n/*                 */\n32;\nvar Callback =\n/*                     */\n64;\nvar DidCapture =\n/*                   */\n128;\nvar ForceClientRender =\n/*            */\n256;\nvar Ref =\n/*                          */\n512;\nvar Snapshot =\n/*                     */\n1024;\nvar Passive =\n/*                      */\n2048;\nvar Hydrating =\n/*                    */\n4096;\nvar Visibility =\n/*                   */\n8192;\nvar StoreConsistency =\n/*             */\n16384;\nvar LifecycleEffectMask = Passive | Update | Callback | Ref | Snapshot | StoreConsistency; // Union of all commit flags (flags with the lifetime of a particular commit)\n\nvar HostEffectMask =\n/*               */\n32767; // These are not really side effects, but we still reuse this field.\n\nvar Incomplete =\n/*                   */\n32768;\nvar ShouldCapture =\n/*                */\n65536;\nvar ForceUpdateForLegacySuspense =\n/* */\n131072;\nvar Forked =\n/*                       */\n1048576; // Static tags describe aspects of a fiber that are not specific to a render,\n// e.g. a fiber uses a passive effect (even if there are no updates on this particular render).\n// This enables us to defer more work in the unmount case,\n// since we can defer traversing the tree during layout to look for Passive effects,\n// and instead rely on the static flag as a signal that there may be cleanup work.\n\nvar RefStatic =\n/*                    */\n2097152;\nvar LayoutStatic =\n/*                 */\n4194304;\nvar PassiveStatic =\n/*                */\n8388608; // These flags allow us to traverse to fibers that have effects on mount\n// without traversing the entire tree after every commit for\n// double invoking\n\nvar MountLayoutDev =\n/*               */\n16777216;\nvar MountPassiveDev =\n/*              */\n33554432; // Groups of flags that are used in the commit phase to skip over trees that\n// don't contain effects, by checking subtreeFlags.\n\nvar BeforeMutationMask = // TODO: Remove Update flag from before mutation phase by re-landing Visibility\n// flag logic (see #20043)\nUpdate | Snapshot | ( 0);\nvar MutationMask = Placement | Update | ChildDeletion | ContentReset | Ref | Hydrating | Visibility;\nvar LayoutMask = Update | Callback | Ref | Visibility; // TODO: Split into PassiveMountMask and PassiveUnmountMask\n\nvar PassiveMask = Passive | ChildDeletion; // Union of tags that don't get reset on clones.\n// This allows certain concepts to persist without recalculating them,\n// e.g. whether a subtree contains passive effects or portals.\n\nvar StaticMask = LayoutStatic | PassiveStatic | RefStatic;\n\nvar ReactCurrentOwner = ReactSharedInternals.ReactCurrentOwner;\nfunction getNearestMountedFiber(fiber) {\n  var node = fiber;\n  var nearestMounted = fiber;\n\n  if (!fiber.alternate) {\n    // If there is no alternate, this might be a new tree that isn't inserted\n    // yet. If it is, then it will have a pending insertion effect on it.\n    var nextNode = node;\n\n    do {\n      node = nextNode;\n\n      if ((node.flags & (Placement | Hydrating)) !== NoFlags) {\n        // This is an insertion or in-progress hydration. The nearest possible\n        // mounted fiber is the parent but we need to continue to figure out\n        // if that one is still mounted.\n        nearestMounted = node.return;\n      }\n\n      nextNode = node.return;\n    } while (nextNode);\n  } else {\n    while (node.return) {\n      node = node.return;\n    }\n  }\n\n  if (node.tag === HostRoot) {\n    // TODO: Check if this was a nested HostRoot when used with\n    // renderContainerIntoSubtree.\n    return nearestMounted;\n  } // If we didn't hit the root, that means that we're in an disconnected tree\n  // that has been unmounted.\n\n\n  return null;\n}\nfunction getSuspenseInstanceFromFiber(fiber) {\n  if (fiber.tag === SuspenseComponent) {\n    var suspenseState = fiber.memoizedState;\n\n    if (suspenseState === null) {\n      var current = fiber.alternate;\n\n      if (current !== null) {\n        suspenseState = current.memoizedState;\n      }\n    }\n\n    if (suspenseState !== null) {\n      return suspenseState.dehydrated;\n    }\n  }\n\n  return null;\n}\nfunction getContainerFromFiber(fiber) {\n  return fiber.tag === HostRoot ? fiber.stateNode.containerInfo : null;\n}\nfunction isFiberMounted(fiber) {\n  return getNearestMountedFiber(fiber) === fiber;\n}\nfunction isMounted(component) {\n  {\n    var owner = ReactCurrentOwner.current;\n\n    if (owner !== null && owner.tag === ClassComponent) {\n      var ownerFiber = owner;\n      var instance = ownerFiber.stateNode;\n\n      if (!instance._warnedAboutRefsInRender) {\n        error('%s is accessing isMounted inside its render() function. ' + 'render() should be a pure function of props and state. It should ' + 'never access something that requires stale data from the previous ' + 'render, such as refs. Move this logic to componentDidMount and ' + 'componentDidUpdate instead.', getComponentNameFromFiber(ownerFiber) || 'A component');\n      }\n\n      instance._warnedAboutRefsInRender = true;\n    }\n  }\n\n  var fiber = get(component);\n\n  if (!fiber) {\n    return false;\n  }\n\n  return getNearestMountedFiber(fiber) === fiber;\n}\n\nfunction assertIsMounted(fiber) {\n  if (getNearestMountedFiber(fiber) !== fiber) {\n    throw new Error('Unable to find node on an unmounted component.');\n  }\n}\n\nfunction findCurrentFiberUsingSlowPath(fiber) {\n  var alternate = fiber.alternate;\n\n  if (!alternate) {\n    // If there is no alternate, then we only need to check if it is mounted.\n    var nearestMounted = getNearestMountedFiber(fiber);\n\n    if (nearestMounted === null) {\n      throw new Error('Unable to find node on an unmounted component.');\n    }\n\n    if (nearestMounted !== fiber) {\n      return null;\n    }\n\n    return fiber;\n  } // If we have two possible branches, we'll walk backwards up to the root\n  // to see what path the root points to. On the way we may hit one of the\n  // special cases and we'll deal with them.\n\n\n  var a = fiber;\n  var b = alternate;\n\n  while (true) {\n    var parentA = a.return;\n\n    if (parentA === null) {\n      // We're at the root.\n      break;\n    }\n\n    var parentB = parentA.alternate;\n\n    if (parentB === null) {\n      // There is no alternate. This is an unusual case. Currently, it only\n      // happens when a Suspense component is hidden. An extra fragment fiber\n      // is inserted in between the Suspense fiber and its children. Skip\n      // over this extra fragment fiber and proceed to the next parent.\n      var nextParent = parentA.return;\n\n      if (nextParent !== null) {\n        a = b = nextParent;\n        continue;\n      } // If there's no parent, we're at the root.\n\n\n      break;\n    } // If both copies of the parent fiber point to the same child, we can\n    // assume that the child is current. This happens when we bailout on low\n    // priority: the bailed out fiber's child reuses the current child.\n\n\n    if (parentA.child === parentB.child) {\n      var child = parentA.child;\n\n      while (child) {\n        if (child === a) {\n          // We've determined that A is the current branch.\n          assertIsMounted(parentA);\n          return fiber;\n        }\n\n        if (child === b) {\n          // We've determined that B is the current branch.\n          assertIsMounted(parentA);\n          return alternate;\n        }\n\n        child = child.sibling;\n      } // We should never have an alternate for any mounting node. So the only\n      // way this could possibly happen is if this was unmounted, if at all.\n\n\n      throw new Error('Unable to find node on an unmounted component.');\n    }\n\n    if (a.return !== b.return) {\n      // The return pointer of A and the return pointer of B point to different\n      // fibers. We assume that return pointers never criss-cross, so A must\n      // belong to the child set of A.return, and B must belong to the child\n      // set of B.return.\n      a = parentA;\n      b = parentB;\n    } else {\n      // The return pointers point to the same fiber. We'll have to use the\n      // default, slow path: scan the child sets of each parent alternate to see\n      // which child belongs to which set.\n      //\n      // Search parent A's child set\n      var didFindChild = false;\n      var _child = parentA.child;\n\n      while (_child) {\n        if (_child === a) {\n          didFindChild = true;\n          a = parentA;\n          b = parentB;\n          break;\n        }\n\n        if (_child === b) {\n          didFindChild = true;\n          b = parentA;\n          a = parentB;\n          break;\n        }\n\n        _child = _child.sibling;\n      }\n\n      if (!didFindChild) {\n        // Search parent B's child set\n        _child = parentB.child;\n\n        while (_child) {\n          if (_child === a) {\n            didFindChild = true;\n            a = parentB;\n            b = parentA;\n            break;\n          }\n\n          if (_child === b) {\n            didFindChild = true;\n            b = parentB;\n            a = parentA;\n            break;\n          }\n\n          _child = _child.sibling;\n        }\n\n        if (!didFindChild) {\n          throw new Error('Child was not found in either parent set. This indicates a bug ' + 'in React related to the return pointer. Please file an issue.');\n        }\n      }\n    }\n\n    if (a.alternate !== b) {\n      throw new Error(\"Return fibers should always be each others' alternates. \" + 'This error is likely caused by a bug in React. Please file an issue.');\n    }\n  } // If the root is not a host container, we're in a disconnected tree. I.e.\n  // unmounted.\n\n\n  if (a.tag !== HostRoot) {\n    throw new Error('Unable to find node on an unmounted component.');\n  }\n\n  if (a.stateNode.current === a) {\n    // We've determined that A is the current branch.\n    return fiber;\n  } // Otherwise B has to be current branch.\n\n\n  return alternate;\n}\nfunction findCurrentHostFiber(parent) {\n  var currentParent = findCurrentFiberUsingSlowPath(parent);\n  return currentParent !== null ? findCurrentHostFiberImpl(currentParent) : null;\n}\n\nfunction findCurrentHostFiberImpl(node) {\n  // Next we'll drill down this component to find the first HostComponent/Text.\n  if (node.tag === HostComponent || node.tag === HostText) {\n    return node;\n  }\n\n  var child = node.child;\n\n  while (child !== null) {\n    var match = findCurrentHostFiberImpl(child);\n\n    if (match !== null) {\n      return match;\n    }\n\n    child = child.sibling;\n  }\n\n  return null;\n}\n\nfunction findCurrentHostFiberWithNoPortals(parent) {\n  var currentParent = findCurrentFiberUsingSlowPath(parent);\n  return currentParent !== null ? findCurrentHostFiberWithNoPortalsImpl(currentParent) : null;\n}\n\nfunction findCurrentHostFiberWithNoPortalsImpl(node) {\n  // Next we'll drill down this component to find the first HostComponent/Text.\n  if (node.tag === HostComponent || node.tag === HostText) {\n    return node;\n  }\n\n  var child = node.child;\n\n  while (child !== null) {\n    if (child.tag !== HostPortal) {\n      var match = findCurrentHostFiberWithNoPortalsImpl(child);\n\n      if (match !== null) {\n        return match;\n      }\n    }\n\n    child = child.sibling;\n  }\n\n  return null;\n}\n\n// This module only exists as an ESM wrapper around the external CommonJS\nvar scheduleCallback = Scheduler.unstable_scheduleCallback;\nvar cancelCallback = Scheduler.unstable_cancelCallback;\nvar shouldYield = Scheduler.unstable_shouldYield;\nvar requestPaint = Scheduler.unstable_requestPaint;\nvar now = Scheduler.unstable_now;\nvar getCurrentPriorityLevel = Scheduler.unstable_getCurrentPriorityLevel;\nvar ImmediatePriority = Scheduler.unstable_ImmediatePriority;\nvar UserBlockingPriority = Scheduler.unstable_UserBlockingPriority;\nvar NormalPriority = Scheduler.unstable_NormalPriority;\nvar LowPriority = Scheduler.unstable_LowPriority;\nvar IdlePriority = Scheduler.unstable_IdlePriority;\n// this doesn't actually exist on the scheduler, but it *does*\n// on scheduler/unstable_mock, which we'll need for internal testing\nvar unstable_yieldValue = Scheduler.unstable_yieldValue;\nvar unstable_setDisableYieldValue = Scheduler.unstable_setDisableYieldValue;\n\nvar rendererID = null;\nvar injectedHook = null;\nvar injectedProfilingHooks = null;\nvar hasLoggedError = false;\nvar isDevToolsPresent = typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined';\nfunction injectInternals(internals) {\n  if (typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ === 'undefined') {\n    // No DevTools\n    return false;\n  }\n\n  var hook = __REACT_DEVTOOLS_GLOBAL_HOOK__;\n\n  if (hook.isDisabled) {\n    // This isn't a real property on the hook, but it can be set to opt out\n    // of DevTools integration and associated warnings and logs.\n    // https://github.com/facebook/react/issues/3877\n    return true;\n  }\n\n  if (!hook.supportsFiber) {\n    {\n      error('The installed version of React DevTools is too old and will not work ' + 'with the current version of React. Please update React DevTools. ' + 'https://reactjs.org/link/react-devtools');\n    } // DevTools exists, even though it doesn't support Fiber.\n\n\n    return true;\n  }\n\n  try {\n    if (enableSchedulingProfiler) {\n      // Conditionally inject these hooks only if Timeline profiler is supported by this build.\n      // This gives DevTools a way to feature detect that isn't tied to version number\n      // (since profiling and timeline are controlled by different feature flags).\n      internals = assign({}, internals, {\n        getLaneLabelMap: getLaneLabelMap,\n        injectProfilingHooks: injectProfilingHooks\n      });\n    }\n\n    rendererID = hook.inject(internals); // We have successfully injected, so now it is safe to set up hooks.\n\n    injectedHook = hook;\n  } catch (err) {\n    // Catch all errors because it is unsafe to throw during initialization.\n    {\n      error('React instrumentation encountered an error: %s.', err);\n    }\n  }\n\n  if (hook.checkDCE) {\n    // This is the real DevTools.\n    return true;\n  } else {\n    // This is likely a hook installed by Fast Refresh runtime.\n    return false;\n  }\n}\nfunction onScheduleRoot(root, children) {\n  {\n    if (injectedHook && typeof injectedHook.onScheduleFiberRoot === 'function') {\n      try {\n        injectedHook.onScheduleFiberRoot(rendererID, root, children);\n      } catch (err) {\n        if ( !hasLoggedError) {\n          hasLoggedError = true;\n\n          error('React instrumentation encountered an error: %s', err);\n        }\n      }\n    }\n  }\n}\nfunction onCommitRoot(root, eventPriority) {\n  if (injectedHook && typeof injectedHook.onCommitFiberRoot === 'function') {\n    try {\n      var didError = (root.current.flags & DidCapture) === DidCapture;\n\n      if (enableProfilerTimer) {\n        var schedulerPriority;\n\n        switch (eventPriority) {\n          case DiscreteEventPriority:\n            schedulerPriority = ImmediatePriority;\n            break;\n\n          case ContinuousEventPriority:\n            schedulerPriority = UserBlockingPriority;\n            break;\n\n          case DefaultEventPriority:\n            schedulerPriority = NormalPriority;\n            break;\n\n          case IdleEventPriority:\n            schedulerPriority = IdlePriority;\n            break;\n\n          default:\n            schedulerPriority = NormalPriority;\n            break;\n        }\n\n        injectedHook.onCommitFiberRoot(rendererID, root, schedulerPriority, didError);\n      } else {\n        injectedHook.onCommitFiberRoot(rendererID, root, undefined, didError);\n      }\n    } catch (err) {\n      {\n        if (!hasLoggedError) {\n          hasLoggedError = true;\n\n          error('React instrumentation encountered an error: %s', err);\n        }\n      }\n    }\n  }\n}\nfunction onPostCommitRoot(root) {\n  if (injectedHook && typeof injectedHook.onPostCommitFiberRoot === 'function') {\n    try {\n      injectedHook.onPostCommitFiberRoot(rendererID, root);\n    } catch (err) {\n      {\n        if (!hasLoggedError) {\n          hasLoggedError = true;\n\n          error('React instrumentation encountered an error: %s', err);\n        }\n      }\n    }\n  }\n}\nfunction onCommitUnmount(fiber) {\n  if (injectedHook && typeof injectedHook.onCommitFiberUnmount === 'function') {\n    try {\n      injectedHook.onCommitFiberUnmount(rendererID, fiber);\n    } catch (err) {\n      {\n        if (!hasLoggedError) {\n          hasLoggedError = true;\n\n          error('React instrumentation encountered an error: %s', err);\n        }\n      }\n    }\n  }\n}\nfunction setIsStrictModeForDevtools(newIsStrictMode) {\n  {\n    if (typeof unstable_yieldValue === 'function') {\n      // We're in a test because Scheduler.unstable_yieldValue only exists\n      // in SchedulerMock. To reduce the noise in strict mode tests,\n      // suppress warnings and disable scheduler yielding during the double render\n      unstable_setDisableYieldValue(newIsStrictMode);\n      setSuppressWarning(newIsStrictMode);\n    }\n\n    if (injectedHook && typeof injectedHook.setStrictMode === 'function') {\n      try {\n        injectedHook.setStrictMode(rendererID, newIsStrictMode);\n      } catch (err) {\n        {\n          if (!hasLoggedError) {\n            hasLoggedError = true;\n\n            error('React instrumentation encountered an error: %s', err);\n          }\n        }\n      }\n    }\n  }\n} // Profiler API hooks\n\nfunction injectProfilingHooks(profilingHooks) {\n  injectedProfilingHooks = profilingHooks;\n}\n\nfunction getLaneLabelMap() {\n  {\n    var map = new Map();\n    var lane = 1;\n\n    for (var index = 0; index < TotalLanes; index++) {\n      var label = getLabelForLane(lane);\n      map.set(lane, label);\n      lane *= 2;\n    }\n\n    return map;\n  }\n}\n\nfunction markCommitStarted(lanes) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markCommitStarted === 'function') {\n      injectedProfilingHooks.markCommitStarted(lanes);\n    }\n  }\n}\nfunction markCommitStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markCommitStopped === 'function') {\n      injectedProfilingHooks.markCommitStopped();\n    }\n  }\n}\nfunction markComponentRenderStarted(fiber) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentRenderStarted === 'function') {\n      injectedProfilingHooks.markComponentRenderStarted(fiber);\n    }\n  }\n}\nfunction markComponentRenderStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentRenderStopped === 'function') {\n      injectedProfilingHooks.markComponentRenderStopped();\n    }\n  }\n}\nfunction markComponentPassiveEffectMountStarted(fiber) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentPassiveEffectMountStarted === 'function') {\n      injectedProfilingHooks.markComponentPassiveEffectMountStarted(fiber);\n    }\n  }\n}\nfunction markComponentPassiveEffectMountStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentPassiveEffectMountStopped === 'function') {\n      injectedProfilingHooks.markComponentPassiveEffectMountStopped();\n    }\n  }\n}\nfunction markComponentPassiveEffectUnmountStarted(fiber) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentPassiveEffectUnmountStarted === 'function') {\n      injectedProfilingHooks.markComponentPassiveEffectUnmountStarted(fiber);\n    }\n  }\n}\nfunction markComponentPassiveEffectUnmountStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentPassiveEffectUnmountStopped === 'function') {\n      injectedProfilingHooks.markComponentPassiveEffectUnmountStopped();\n    }\n  }\n}\nfunction markComponentLayoutEffectMountStarted(fiber) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentLayoutEffectMountStarted === 'function') {\n      injectedProfilingHooks.markComponentLayoutEffectMountStarted(fiber);\n    }\n  }\n}\nfunction markComponentLayoutEffectMountStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentLayoutEffectMountStopped === 'function') {\n      injectedProfilingHooks.markComponentLayoutEffectMountStopped();\n    }\n  }\n}\nfunction markComponentLayoutEffectUnmountStarted(fiber) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentLayoutEffectUnmountStarted === 'function') {\n      injectedProfilingHooks.markComponentLayoutEffectUnmountStarted(fiber);\n    }\n  }\n}\nfunction markComponentLayoutEffectUnmountStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentLayoutEffectUnmountStopped === 'function') {\n      injectedProfilingHooks.markComponentLayoutEffectUnmountStopped();\n    }\n  }\n}\nfunction markComponentErrored(fiber, thrownValue, lanes) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentErrored === 'function') {\n      injectedProfilingHooks.markComponentErrored(fiber, thrownValue, lanes);\n    }\n  }\n}\nfunction markComponentSuspended(fiber, wakeable, lanes) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markComponentSuspended === 'function') {\n      injectedProfilingHooks.markComponentSuspended(fiber, wakeable, lanes);\n    }\n  }\n}\nfunction markLayoutEffectsStarted(lanes) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markLayoutEffectsStarted === 'function') {\n      injectedProfilingHooks.markLayoutEffectsStarted(lanes);\n    }\n  }\n}\nfunction markLayoutEffectsStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markLayoutEffectsStopped === 'function') {\n      injectedProfilingHooks.markLayoutEffectsStopped();\n    }\n  }\n}\nfunction markPassiveEffectsStarted(lanes) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markPassiveEffectsStarted === 'function') {\n      injectedProfilingHooks.markPassiveEffectsStarted(lanes);\n    }\n  }\n}\nfunction markPassiveEffectsStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markPassiveEffectsStopped === 'function') {\n      injectedProfilingHooks.markPassiveEffectsStopped();\n    }\n  }\n}\nfunction markRenderStarted(lanes) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markRenderStarted === 'function') {\n      injectedProfilingHooks.markRenderStarted(lanes);\n    }\n  }\n}\nfunction markRenderYielded() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markRenderYielded === 'function') {\n      injectedProfilingHooks.markRenderYielded();\n    }\n  }\n}\nfunction markRenderStopped() {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markRenderStopped === 'function') {\n      injectedProfilingHooks.markRenderStopped();\n    }\n  }\n}\nfunction markRenderScheduled(lane) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markRenderScheduled === 'function') {\n      injectedProfilingHooks.markRenderScheduled(lane);\n    }\n  }\n}\nfunction markForceUpdateScheduled(fiber, lane) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markForceUpdateScheduled === 'function') {\n      injectedProfilingHooks.markForceUpdateScheduled(fiber, lane);\n    }\n  }\n}\nfunction markStateUpdateScheduled(fiber, lane) {\n  {\n    if (injectedProfilingHooks !== null && typeof injectedProfilingHooks.markStateUpdateScheduled === 'function') {\n      injectedProfilingHooks.markStateUpdateScheduled(fiber, lane);\n    }\n  }\n}\n\nvar NoMode =\n/*                         */\n0; // TODO: Remove ConcurrentMode by reading from the root tag instead\n\nvar ConcurrentMode =\n/*                 */\n1;\nvar ProfileMode =\n/*                    */\n2;\nvar StrictLegacyMode =\n/*               */\n8;\nvar StrictEffectsMode =\n/*              */\n16;\n\n// TODO: This is pretty well supported by browsers. Maybe we can drop it.\nvar clz32 = Math.clz32 ? Math.clz32 : clz32Fallback; // Count leading zeros.\n// Based on:\n// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Math/clz32\n\nvar log = Math.log;\nvar LN2 = Math.LN2;\n\nfunction clz32Fallback(x) {\n  var asUint = x >>> 0;\n\n  if (asUint === 0) {\n    return 32;\n  }\n\n  return 31 - (log(asUint) / LN2 | 0) | 0;\n}\n\n// If those values are changed that package should be rebuilt and redeployed.\n\nvar TotalLanes = 31;\nvar NoLanes =\n/*                        */\n0;\nvar NoLane =\n/*                          */\n0;\nvar SyncLane =\n/*                        */\n1;\nvar InputContinuousHydrationLane =\n/*    */\n2;\nvar InputContinuousLane =\n/*             */\n4;\nvar DefaultHydrationLane =\n/*            */\n8;\nvar DefaultLane =\n/*                     */\n16;\nvar TransitionHydrationLane =\n/*                */\n32;\nvar TransitionLanes =\n/*                       */\n4194240;\nvar TransitionLane1 =\n/*                        */\n64;\nvar TransitionLane2 =\n/*                        */\n128;\nvar TransitionLane3 =\n/*                        */\n256;\nvar TransitionLane4 =\n/*                        */\n512;\nvar TransitionLane5 =\n/*                        */\n1024;\nvar TransitionLane6 =\n/*                        */\n2048;\nvar TransitionLane7 =\n/*                        */\n4096;\nvar TransitionLane8 =\n/*                        */\n8192;\nvar TransitionLane9 =\n/*                        */\n16384;\nvar TransitionLane10 =\n/*                       */\n32768;\nvar TransitionLane11 =\n/*                       */\n65536;\nvar TransitionLane12 =\n/*                       */\n131072;\nvar TransitionLane13 =\n/*                       */\n262144;\nvar TransitionLane14 =\n/*                       */\n524288;\nvar TransitionLane15 =\n/*                       */\n1048576;\nvar TransitionLane16 =\n/*                       */\n2097152;\nvar RetryLanes =\n/*                            */\n130023424;\nvar RetryLane1 =\n/*                             */\n4194304;\nvar RetryLane2 =\n/*                             */\n8388608;\nvar RetryLane3 =\n/*                             */\n16777216;\nvar RetryLane4 =\n/*                             */\n33554432;\nvar RetryLane5 =\n/*                             */\n67108864;\nvar SomeRetryLane = RetryLane1;\nvar SelectiveHydrationLane =\n/*          */\n134217728;\nvar NonIdleLanes =\n/*                          */\n268435455;\nvar IdleHydrationLane =\n/*               */\n268435456;\nvar IdleLane =\n/*                        */\n536870912;\nvar OffscreenLane =\n/*                   */\n1073741824; // This function is used for the experimental timeline (react-devtools-timeline)\n// It should be kept in sync with the Lanes values above.\n\nfunction getLabelForLane(lane) {\n  {\n    if (lane & SyncLane) {\n      return 'Sync';\n    }\n\n    if (lane & InputContinuousHydrationLane) {\n      return 'InputContinuousHydration';\n    }\n\n    if (lane & InputContinuousLane) {\n      return 'InputContinuous';\n    }\n\n    if (lane & DefaultHydrationLane) {\n      return 'DefaultHydration';\n    }\n\n    if (lane & DefaultLane) {\n      return 'Default';\n    }\n\n    if (lane & TransitionHydrationLane) {\n      return 'TransitionHydration';\n    }\n\n    if (lane & TransitionLanes) {\n      return 'Transition';\n    }\n\n    if (lane & RetryLanes) {\n      return 'Retry';\n    }\n\n    if (lane & SelectiveHydrationLane) {\n      return 'SelectiveHydration';\n    }\n\n    if (lane & IdleHydrationLane) {\n      return 'IdleHydration';\n    }\n\n    if (lane & IdleLane) {\n      return 'Idle';\n    }\n\n    if (lane & OffscreenLane) {\n      return 'Offscreen';\n    }\n  }\n}\nvar NoTimestamp = -1;\nvar nextTransitionLane = TransitionLane1;\nvar nextRetryLane = RetryLane1;\n\nfunction getHighestPriorityLanes(lanes) {\n  switch (getHighestPriorityLane(lanes)) {\n    case SyncLane:\n      return SyncLane;\n\n    case InputContinuousHydrationLane:\n      return InputContinuousHydrationLane;\n\n    case InputContinuousLane:\n      return InputContinuousLane;\n\n    case DefaultHydrationLane:\n      return DefaultHydrationLane;\n\n    case DefaultLane:\n      return DefaultLane;\n\n    case TransitionHydrationLane:\n      return TransitionHydrationLane;\n\n    case TransitionLane1:\n    case TransitionLane2:\n    case TransitionLane3:\n    case TransitionLane4:\n    case TransitionLane5:\n    case TransitionLane6:\n    case TransitionLane7:\n    case TransitionLane8:\n    case TransitionLane9:\n    case TransitionLane10:\n    case TransitionLane11:\n    case TransitionLane12:\n    case TransitionLane13:\n    case TransitionLane14:\n    case TransitionLane15:\n    case TransitionLane16:\n      return lanes & TransitionLanes;\n\n    case RetryLane1:\n    case RetryLane2:\n    case RetryLane3:\n    case RetryLane4:\n    case RetryLane5:\n      return lanes & RetryLanes;\n\n    case SelectiveHydrationLane:\n      return SelectiveHydrationLane;\n\n    case IdleHydrationLane:\n      return IdleHydrationLane;\n\n    case IdleLane:\n      return IdleLane;\n\n    case OffscreenLane:\n      return OffscreenLane;\n\n    default:\n      {\n        error('Should have found matching lanes. This is a bug in React.');\n      } // This shouldn't be reachable, but as a fallback, return the entire bitmask.\n\n\n      return lanes;\n  }\n}\n\nfunction getNextLanes(root, wipLanes) {\n  // Early bailout if there's no pending work left.\n  var pendingLanes = root.pendingLanes;\n\n  if (pendingLanes === NoLanes) {\n    return NoLanes;\n  }\n\n  var nextLanes = NoLanes;\n  var suspendedLanes = root.suspendedLanes;\n  var pingedLanes = root.pingedLanes; // Do not work on any idle work until all the non-idle work has finished,\n  // even if the work is suspended.\n\n  var nonIdlePendingLanes = pendingLanes & NonIdleLanes;\n\n  if (nonIdlePendingLanes !== NoLanes) {\n    var nonIdleUnblockedLanes = nonIdlePendingLanes & ~suspendedLanes;\n\n    if (nonIdleUnblockedLanes !== NoLanes) {\n      nextLanes = getHighestPriorityLanes(nonIdleUnblockedLanes);\n    } else {\n      var nonIdlePingedLanes = nonIdlePendingLanes & pingedLanes;\n\n      if (nonIdlePingedLanes !== NoLanes) {\n        nextLanes = getHighestPriorityLanes(nonIdlePingedLanes);\n      }\n    }\n  } else {\n    // The only remaining work is Idle.\n    var unblockedLanes = pendingLanes & ~suspendedLanes;\n\n    if (unblockedLanes !== NoLanes) {\n      nextLanes = getHighestPriorityLanes(unblockedLanes);\n    } else {\n      if (pingedLanes !== NoLanes) {\n        nextLanes = getHighestPriorityLanes(pingedLanes);\n      }\n    }\n  }\n\n  if (nextLanes === NoLanes) {\n    // This should only be reachable if we're suspended\n    // TODO: Consider warning in this path if a fallback timer is not scheduled.\n    return NoLanes;\n  } // If we're already in the middle of a render, switching lanes will interrupt\n  // it and we'll lose our progress. We should only do this if the new lanes are\n  // higher priority.\n\n\n  if (wipLanes !== NoLanes && wipLanes !== nextLanes && // If we already suspended with a delay, then interrupting is fine. Don't\n  // bother waiting until the root is complete.\n  (wipLanes & suspendedLanes) === NoLanes) {\n    var nextLane = getHighestPriorityLane(nextLanes);\n    var wipLane = getHighestPriorityLane(wipLanes);\n\n    if ( // Tests whether the next lane is equal or lower priority than the wip\n    // one. This works because the bits decrease in priority as you go left.\n    nextLane >= wipLane || // Default priority updates should not interrupt transition updates. The\n    // only difference between default updates and transition updates is that\n    // default updates do not support refresh transitions.\n    nextLane === DefaultLane && (wipLane & TransitionLanes) !== NoLanes) {\n      // Keep working on the existing in-progress tree. Do not interrupt.\n      return wipLanes;\n    }\n  }\n\n  if ((nextLanes & InputContinuousLane) !== NoLanes) {\n    // When updates are sync by default, we entangle continuous priority updates\n    // and default updates, so they render in the same batch. The only reason\n    // they use separate lanes is because continuous updates should interrupt\n    // transitions, but default updates should not.\n    nextLanes |= pendingLanes & DefaultLane;\n  } // Check for entangled lanes and add them to the batch.\n  //\n  // A lane is said to be entangled with another when it's not allowed to render\n  // in a batch that does not also include the other lane. Typically we do this\n  // when multiple updates have the same source, and we only want to respond to\n  // the most recent event from that source.\n  //\n  // Note that we apply entanglements *after* checking for partial work above.\n  // This means that if a lane is entangled during an interleaved event while\n  // it's already rendering, we won't interrupt it. This is intentional, since\n  // entanglement is usually \"best effort\": we'll try our best to render the\n  // lanes in the same batch, but it's not worth throwing out partially\n  // completed work in order to do it.\n  // TODO: Reconsider this. The counter-argument is that the partial work\n  // represents an intermediate state, which we don't want to show to the user.\n  // And by spending extra time finishing it, we're increasing the amount of\n  // time it takes to show the final state, which is what they are actually\n  // waiting for.\n  //\n  // For those exceptions where entanglement is semantically important, like\n  // useMutableSource, we should ensure that there is no partial work at the\n  // time we apply the entanglement.\n\n\n  var entangledLanes = root.entangledLanes;\n\n  if (entangledLanes !== NoLanes) {\n    var entanglements = root.entanglements;\n    var lanes = nextLanes & entangledLanes;\n\n    while (lanes > 0) {\n      var index = pickArbitraryLaneIndex(lanes);\n      var lane = 1 << index;\n      nextLanes |= entanglements[index];\n      lanes &= ~lane;\n    }\n  }\n\n  return nextLanes;\n}\nfunction getMostRecentEventTime(root, lanes) {\n  var eventTimes = root.eventTimes;\n  var mostRecentEventTime = NoTimestamp;\n\n  while (lanes > 0) {\n    var index = pickArbitraryLaneIndex(lanes);\n    var lane = 1 << index;\n    var eventTime = eventTimes[index];\n\n    if (eventTime > mostRecentEventTime) {\n      mostRecentEventTime = eventTime;\n    }\n\n    lanes &= ~lane;\n  }\n\n  return mostRecentEventTime;\n}\n\nfunction computeExpirationTime(lane, currentTime) {\n  switch (lane) {\n    case SyncLane:\n    case InputContinuousHydrationLane:\n    case InputContinuousLane:\n      // User interactions should expire slightly more quickly.\n      //\n      // NOTE: This is set to the corresponding constant as in Scheduler.js.\n      // When we made it larger, a product metric in www regressed, suggesting\n      // there's a user interaction that's being starved by a series of\n      // synchronous updates. If that theory is correct, the proper solution is\n      // to fix the starvation. However, this scenario supports the idea that\n      // expiration times are an important safeguard when starvation\n      // does happen.\n      return currentTime + 250;\n\n    case DefaultHydrationLane:\n    case DefaultLane:\n    case TransitionHydrationLane:\n    case TransitionLane1:\n    case TransitionLane2:\n    case TransitionLane3:\n    case TransitionLane4:\n    case TransitionLane5:\n    case TransitionLane6:\n    case TransitionLane7:\n    case TransitionLane8:\n    case TransitionLane9:\n    case TransitionLane10:\n    case TransitionLane11:\n    case TransitionLane12:\n    case TransitionLane13:\n    case TransitionLane14:\n    case TransitionLane15:\n    case TransitionLane16:\n      return currentTime + 5000;\n\n    case RetryLane1:\n    case RetryLane2:\n    case RetryLane3:\n    case RetryLane4:\n    case RetryLane5:\n      // TODO: Retries should be allowed to expire if they are CPU bound for\n      // too long, but when I made this change it caused a spike in browser\n      // crashes. There must be some other underlying bug; not super urgent but\n      // ideally should figure out why and fix it. Unfortunately we don't have\n      // a repro for the crashes, only detected via production metrics.\n      return NoTimestamp;\n\n    case SelectiveHydrationLane:\n    case IdleHydrationLane:\n    case IdleLane:\n    case OffscreenLane:\n      // Anything idle priority or lower should never expire.\n      return NoTimestamp;\n\n    default:\n      {\n        error('Should have found matching lanes. This is a bug in React.');\n      }\n\n      return NoTimestamp;\n  }\n}\n\nfunction markStarvedLanesAsExpired(root, currentTime) {\n  // TODO: This gets called every time we yield. We can optimize by storing\n  // the earliest expiration time on the root. Then use that to quickly bail out\n  // of this function.\n  var pendingLanes = root.pendingLanes;\n  var suspendedLanes = root.suspendedLanes;\n  var pingedLanes = root.pingedLanes;\n  var expirationTimes = root.expirationTimes; // Iterate through the pending lanes and check if we've reached their\n  // expiration time. If so, we'll assume the update is being starved and mark\n  // it as expired to force it to finish.\n\n  var lanes = pendingLanes;\n\n  while (lanes > 0) {\n    var index = pickArbitraryLaneIndex(lanes);\n    var lane = 1 << index;\n    var expirationTime = expirationTimes[index];\n\n    if (expirationTime === NoTimestamp) {\n      // Found a pending lane with no expiration time. If it's not suspended, or\n      // if it's pinged, assume it's CPU-bound. Compute a new expiration time\n      // using the current time.\n      if ((lane & suspendedLanes) === NoLanes || (lane & pingedLanes) !== NoLanes) {\n        // Assumes timestamps are monotonically increasing.\n        expirationTimes[index] = computeExpirationTime(lane, currentTime);\n      }\n    } else if (expirationTime <= currentTime) {\n      // This lane expired\n      root.expiredLanes |= lane;\n    }\n\n    lanes &= ~lane;\n  }\n} // This returns the highest priority pending lanes regardless of whether they\n// are suspended.\n\nfunction getHighestPriorityPendingLanes(root) {\n  return getHighestPriorityLanes(root.pendingLanes);\n}\nfunction getLanesToRetrySynchronouslyOnError(root) {\n  var everythingButOffscreen = root.pendingLanes & ~OffscreenLane;\n\n  if (everythingButOffscreen !== NoLanes) {\n    return everythingButOffscreen;\n  }\n\n  if (everythingButOffscreen & OffscreenLane) {\n    return OffscreenLane;\n  }\n\n  return NoLanes;\n}\nfunction includesSyncLane(lanes) {\n  return (lanes & SyncLane) !== NoLanes;\n}\nfunction includesNonIdleWork(lanes) {\n  return (lanes & NonIdleLanes) !== NoLanes;\n}\nfunction includesOnlyRetries(lanes) {\n  return (lanes & RetryLanes) === lanes;\n}\nfunction includesOnlyNonUrgentLanes(lanes) {\n  var UrgentLanes = SyncLane | InputContinuousLane | DefaultLane;\n  return (lanes & UrgentLanes) === NoLanes;\n}\nfunction includesOnlyTransitions(lanes) {\n  return (lanes & TransitionLanes) === lanes;\n}\nfunction includesBlockingLane(root, lanes) {\n\n  var SyncDefaultLanes = InputContinuousHydrationLane | InputContinuousLane | DefaultHydrationLane | DefaultLane;\n  return (lanes & SyncDefaultLanes) !== NoLanes;\n}\nfunction includesExpiredLane(root, lanes) {\n  // This is a separate check from includesBlockingLane because a lane can\n  // expire after a render has already started.\n  return (lanes & root.expiredLanes) !== NoLanes;\n}\nfunction isTransitionLane(lane) {\n  return (lane & TransitionLanes) !== NoLanes;\n}\nfunction claimNextTransitionLane() {\n  // Cycle through the lanes, assigning each new transition to the next lane.\n  // In most cases, this means every transition gets its own lane, until we\n  // run out of lanes and cycle back to the beginning.\n  var lane = nextTransitionLane;\n  nextTransitionLane <<= 1;\n\n  if ((nextTransitionLane & TransitionLanes) === NoLanes) {\n    nextTransitionLane = TransitionLane1;\n  }\n\n  return lane;\n}\nfunction claimNextRetryLane() {\n  var lane = nextRetryLane;\n  nextRetryLane <<= 1;\n\n  if ((nextRetryLane & RetryLanes) === NoLanes) {\n    nextRetryLane = RetryLane1;\n  }\n\n  return lane;\n}\nfunction getHighestPriorityLane(lanes) {\n  return lanes & -lanes;\n}\nfunction pickArbitraryLane(lanes) {\n  // This wrapper function gets inlined. Only exists so to communicate that it\n  // doesn't matter which bit is selected; you can pick any bit without\n  // affecting the algorithms where its used. Here I'm using\n  // getHighestPriorityLane because it requires the fewest operations.\n  return getHighestPriorityLane(lanes);\n}\n\nfunction pickArbitraryLaneIndex(lanes) {\n  return 31 - clz32(lanes);\n}\n\nfunction laneToIndex(lane) {\n  return pickArbitraryLaneIndex(lane);\n}\n\nfunction includesSomeLane(a, b) {\n  return (a & b) !== NoLanes;\n}\nfunction isSubsetOfLanes(set, subset) {\n  return (set & subset) === subset;\n}\nfunction mergeLanes(a, b) {\n  return a | b;\n}\nfunction removeLanes(set, subset) {\n  return set & ~subset;\n}\nfunction intersectLanes(a, b) {\n  return a & b;\n} // Seems redundant, but it changes the type from a single lane (used for\n// updates) to a group of lanes (used for flushing work).\n\nfunction laneToLanes(lane) {\n  return lane;\n}\nfunction higherPriorityLane(a, b) {\n  // This works because the bit ranges decrease in priority as you go left.\n  return a !== NoLane && a < b ? a : b;\n}\nfunction createLaneMap(initial) {\n  // Intentionally pushing one by one.\n  // https://v8.dev/blog/elements-kinds#avoid-creating-holes\n  var laneMap = [];\n\n  for (var i = 0; i < TotalLanes; i++) {\n    laneMap.push(initial);\n  }\n\n  return laneMap;\n}\nfunction markRootUpdated(root, updateLane, eventTime) {\n  root.pendingLanes |= updateLane; // If there are any suspended transitions, it's possible this new update\n  // could unblock them. Clear the suspended lanes so that we can try rendering\n  // them again.\n  //\n  // TODO: We really only need to unsuspend only lanes that are in the\n  // `subtreeLanes` of the updated fiber, or the update lanes of the return\n  // path. This would exclude suspended updates in an unrelated sibling tree,\n  // since there's no way for this update to unblock it.\n  //\n  // We don't do this if the incoming update is idle, because we never process\n  // idle updates until after all the regular updates have finished; there's no\n  // way it could unblock a transition.\n\n  if (updateLane !== IdleLane) {\n    root.suspendedLanes = NoLanes;\n    root.pingedLanes = NoLanes;\n  }\n\n  var eventTimes = root.eventTimes;\n  var index = laneToIndex(updateLane); // We can always overwrite an existing timestamp because we prefer the most\n  // recent event, and we assume time is monotonically increasing.\n\n  eventTimes[index] = eventTime;\n}\nfunction markRootSuspended(root, suspendedLanes) {\n  root.suspendedLanes |= suspendedLanes;\n  root.pingedLanes &= ~suspendedLanes; // The suspended lanes are no longer CPU-bound. Clear their expiration times.\n\n  var expirationTimes = root.expirationTimes;\n  var lanes = suspendedLanes;\n\n  while (lanes > 0) {\n    var index = pickArbitraryLaneIndex(lanes);\n    var lane = 1 << index;\n    expirationTimes[index] = NoTimestamp;\n    lanes &= ~lane;\n  }\n}\nfunction markRootPinged(root, pingedLanes, eventTime) {\n  root.pingedLanes |= root.suspendedLanes & pingedLanes;\n}\nfunction markRootFinished(root, remainingLanes) {\n  var noLongerPendingLanes = root.pendingLanes & ~remainingLanes;\n  root.pendingLanes = remainingLanes; // Let's try everything again\n\n  root.suspendedLanes = NoLanes;\n  root.pingedLanes = NoLanes;\n  root.expiredLanes &= remainingLanes;\n  root.mutableReadLanes &= remainingLanes;\n  root.entangledLanes &= remainingLanes;\n  var entanglements = root.entanglements;\n  var eventTimes = root.eventTimes;\n  var expirationTimes = root.expirationTimes; // Clear the lanes that no longer have pending work\n\n  var lanes = noLongerPendingLanes;\n\n  while (lanes > 0) {\n    var index = pickArbitraryLaneIndex(lanes);\n    var lane = 1 << index;\n    entanglements[index] = NoLanes;\n    eventTimes[index] = NoTimestamp;\n    expirationTimes[index] = NoTimestamp;\n    lanes &= ~lane;\n  }\n}\nfunction markRootEntangled(root, entangledLanes) {\n  // In addition to entangling each of the given lanes with each other, we also\n  // have to consider _transitive_ entanglements. For each lane that is already\n  // entangled with *any* of the given lanes, that lane is now transitively\n  // entangled with *all* the given lanes.\n  //\n  // Translated: If C is entangled with A, then entangling A with B also\n  // entangles C with B.\n  //\n  // If this is hard to grasp, it might help to intentionally break this\n  // function and look at the tests that fail in ReactTransition-test.js. Try\n  // commenting out one of the conditions below.\n  var rootEntangledLanes = root.entangledLanes |= entangledLanes;\n  var entanglements = root.entanglements;\n  var lanes = rootEntangledLanes;\n\n  while (lanes) {\n    var index = pickArbitraryLaneIndex(lanes);\n    var lane = 1 << index;\n\n    if ( // Is this one of the newly entangled lanes?\n    lane & entangledLanes | // Is this lane transitively entangled with the newly entangled lanes?\n    entanglements[index] & entangledLanes) {\n      entanglements[index] |= entangledLanes;\n    }\n\n    lanes &= ~lane;\n  }\n}\nfunction getBumpedLaneForHydration(root, renderLanes) {\n  var renderLane = getHighestPriorityLane(renderLanes);\n  var lane;\n\n  switch (renderLane) {\n    case InputContinuousLane:\n      lane = InputContinuousHydrationLane;\n      break;\n\n    case DefaultLane:\n      lane = DefaultHydrationLane;\n      break;\n\n    case TransitionLane1:\n    case TransitionLane2:\n    case TransitionLane3:\n    case TransitionLane4:\n    case TransitionLane5:\n    case TransitionLane6:\n    case TransitionLane7:\n    case TransitionLane8:\n    case TransitionLane9:\n    case TransitionLane10:\n    case TransitionLane11:\n    case TransitionLane12:\n    case TransitionLane13:\n    case TransitionLane14:\n    case TransitionLane15:\n    case TransitionLane16:\n    case RetryLane1:\n    case RetryLane2:\n    case RetryLane3:\n    case RetryLane4:\n    case RetryLane5:\n      lane = TransitionHydrationLane;\n      break;\n\n    case IdleLane:\n      lane = IdleHydrationLane;\n      break;\n\n    default:\n      // Everything else is already either a hydration lane, or shouldn't\n      // be retried at a hydration lane.\n      lane = NoLane;\n      break;\n  } // Check if the lane we chose is suspended. If so, that indicates that we\n  // already attempted and failed to hydrate at that level. Also check if we're\n  // already rendering that lane, which is rare but could happen.\n\n\n  if ((lane & (root.suspendedLanes | renderLanes)) !== NoLane) {\n    // Give up trying to hydrate and fall back to client render.\n    return NoLane;\n  }\n\n  return lane;\n}\nfunction addFiberToLanesMap(root, fiber, lanes) {\n\n  if (!isDevToolsPresent) {\n    return;\n  }\n\n  var pendingUpdatersLaneMap = root.pendingUpdatersLaneMap;\n\n  while (lanes > 0) {\n    var index = laneToIndex(lanes);\n    var lane = 1 << index;\n    var updaters = pendingUpdatersLaneMap[index];\n    updaters.add(fiber);\n    lanes &= ~lane;\n  }\n}\nfunction movePendingFibersToMemoized(root, lanes) {\n\n  if (!isDevToolsPresent) {\n    return;\n  }\n\n  var pendingUpdatersLaneMap = root.pendingUpdatersLaneMap;\n  var memoizedUpdaters = root.memoizedUpdaters;\n\n  while (lanes > 0) {\n    var index = laneToIndex(lanes);\n    var lane = 1 << index;\n    var updaters = pendingUpdatersLaneMap[index];\n\n    if (updaters.size > 0) {\n      updaters.forEach(function (fiber) {\n        var alternate = fiber.alternate;\n\n        if (alternate === null || !memoizedUpdaters.has(alternate)) {\n          memoizedUpdaters.add(fiber);\n        }\n      });\n      updaters.clear();\n    }\n\n    lanes &= ~lane;\n  }\n}\nfunction getTransitionsForLanes(root, lanes) {\n  {\n    return null;\n  }\n}\n\nvar DiscreteEventPriority = SyncLane;\nvar ContinuousEventPriority = InputContinuousLane;\nvar DefaultEventPriority = DefaultLane;\nvar IdleEventPriority = IdleLane;\nvar currentUpdatePriority = NoLane;\nfunction getCurrentUpdatePriority() {\n  return currentUpdatePriority;\n}\nfunction setCurrentUpdatePriority(newPriority) {\n  currentUpdatePriority = newPriority;\n}\nfunction runWithPriority(priority, fn) {\n  var previousPriority = currentUpdatePriority;\n\n  try {\n    currentUpdatePriority = priority;\n    return fn();\n  } finally {\n    currentUpdatePriority = previousPriority;\n  }\n}\nfunction higherEventPriority(a, b) {\n  return a !== 0 && a < b ? a : b;\n}\nfunction lowerEventPriority(a, b) {\n  return a === 0 || a > b ? a : b;\n}\nfunction isHigherEventPriority(a, b) {\n  return a !== 0 && a < b;\n}\nfunction lanesToEventPriority(lanes) {\n  var lane = getHighestPriorityLane(lanes);\n\n  if (!isHigherEventPriority(DiscreteEventPriority, lane)) {\n    return DiscreteEventPriority;\n  }\n\n  if (!isHigherEventPriority(ContinuousEventPriority, lane)) {\n    return ContinuousEventPriority;\n  }\n\n  if (includesNonIdleWork(lane)) {\n    return DefaultEventPriority;\n  }\n\n  return IdleEventPriority;\n}\n\n// This is imported by the event replaying implementation in React DOM. It's\n// in a separate file to break a circular dependency between the renderer and\n// the reconciler.\nfunction isRootDehydrated(root) {\n  var currentState = root.current.memoizedState;\n  return currentState.isDehydrated;\n}\n\nvar _attemptSynchronousHydration;\n\nfunction setAttemptSynchronousHydration(fn) {\n  _attemptSynchronousHydration = fn;\n}\nfunction attemptSynchronousHydration(fiber) {\n  _attemptSynchronousHydration(fiber);\n}\nvar attemptContinuousHydration;\nfunction setAttemptContinuousHydration(fn) {\n  attemptContinuousHydration = fn;\n}\nvar attemptHydrationAtCurrentPriority;\nfunction setAttemptHydrationAtCurrentPriority(fn) {\n  attemptHydrationAtCurrentPriority = fn;\n}\nvar getCurrentUpdatePriority$1;\nfunction setGetCurrentUpdatePriority(fn) {\n  getCurrentUpdatePriority$1 = fn;\n}\nvar attemptHydrationAtPriority;\nfunction setAttemptHydrationAtPriority(fn) {\n  attemptHydrationAtPriority = fn;\n} // TODO: Upgrade this definition once we're on a newer version of Flow that\n// has this definition built-in.\n\nvar hasScheduledReplayAttempt = false; // The queue of discrete events to be replayed.\n\nvar queuedDiscreteEvents = []; // Indicates if any continuous event targets are non-null for early bailout.\n// if the last target was dehydrated.\n\nvar queuedFocus = null;\nvar queuedDrag = null;\nvar queuedMouse = null; // For pointer events there can be one latest event per pointerId.\n\nvar queuedPointers = new Map();\nvar queuedPointerCaptures = new Map(); // We could consider replaying selectionchange and touchmoves too.\n\nvar queuedExplicitHydrationTargets = [];\nvar discreteReplayableEvents = ['mousedown', 'mouseup', 'touchcancel', 'touchend', 'touchstart', 'auxclick', 'dblclick', 'pointercancel', 'pointerdown', 'pointerup', 'dragend', 'dragstart', 'drop', 'compositionend', 'compositionstart', 'keydown', 'keypress', 'keyup', 'input', 'textInput', // Intentionally camelCase\n'copy', 'cut', 'paste', 'click', 'change', 'contextmenu', 'reset', 'submit'];\nfunction isDiscreteEventThatRequiresHydration(eventType) {\n  return discreteReplayableEvents.indexOf(eventType) > -1;\n}\n\nfunction createQueuedReplayableEvent(blockedOn, domEventName, eventSystemFlags, targetContainer, nativeEvent) {\n  return {\n    blockedOn: blockedOn,\n    domEventName: domEventName,\n    eventSystemFlags: eventSystemFlags,\n    nativeEvent: nativeEvent,\n    targetContainers: [targetContainer]\n  };\n}\n\nfunction clearIfContinuousEvent(domEventName, nativeEvent) {\n  switch (domEventName) {\n    case 'focusin':\n    case 'focusout':\n      queuedFocus = null;\n      break;\n\n    case 'dragenter':\n    case 'dragleave':\n      queuedDrag = null;\n      break;\n\n    case 'mouseover':\n    case 'mouseout':\n      queuedMouse = null;\n      break;\n\n    case 'pointerover':\n    case 'pointerout':\n      {\n        var pointerId = nativeEvent.pointerId;\n        queuedPointers.delete(pointerId);\n        break;\n      }\n\n    case 'gotpointercapture':\n    case 'lostpointercapture':\n      {\n        var _pointerId = nativeEvent.pointerId;\n        queuedPointerCaptures.delete(_pointerId);\n        break;\n      }\n  }\n}\n\nfunction accumulateOrCreateContinuousQueuedReplayableEvent(existingQueuedEvent, blockedOn, domEventName, eventSystemFlags, targetContainer, nativeEvent) {\n  if (existingQueuedEvent === null || existingQueuedEvent.nativeEvent !== nativeEvent) {\n    var queuedEvent = createQueuedReplayableEvent(blockedOn, domEventName, eventSystemFlags, targetContainer, nativeEvent);\n\n    if (blockedOn !== null) {\n      var _fiber2 = getInstanceFromNode(blockedOn);\n\n      if (_fiber2 !== null) {\n        // Attempt to increase the priority of this target.\n        attemptContinuousHydration(_fiber2);\n      }\n    }\n\n    return queuedEvent;\n  } // If we have already queued this exact event, then it's because\n  // the different event systems have different DOM event listeners.\n  // We can accumulate the flags, and the targetContainers, and\n  // store a single event to be replayed.\n\n\n  existingQueuedEvent.eventSystemFlags |= eventSystemFlags;\n  var targetContainers = existingQueuedEvent.targetContainers;\n\n  if (targetContainer !== null && targetContainers.indexOf(targetContainer) === -1) {\n    targetContainers.push(targetContainer);\n  }\n\n  return existingQueuedEvent;\n}\n\nfunction queueIfContinuousEvent(blockedOn, domEventName, eventSystemFlags, targetContainer, nativeEvent) {\n  // These set relatedTarget to null because the replayed event will be treated as if we\n  // moved from outside the window (no target) onto the target once it hydrates.\n  // Instead of mutating we could clone the event.\n  switch (domEventName) {\n    case 'focusin':\n      {\n        var focusEvent = nativeEvent;\n        queuedFocus = accumulateOrCreateContinuousQueuedReplayableEvent(queuedFocus, blockedOn, domEventName, eventSystemFlags, targetContainer, focusEvent);\n        return true;\n      }\n\n    case 'dragenter':\n      {\n        var dragEvent = nativeEvent;\n        queuedDrag = accumulateOrCreateContinuousQueuedReplayableEvent(queuedDrag, blockedOn, domEventName, eventSystemFlags, targetContainer, dragEvent);\n        return true;\n      }\n\n    case 'mouseover':\n      {\n        var mouseEvent = nativeEvent;\n        queuedMouse = accumulateOrCreateContinuousQueuedReplayableEvent(queuedMouse, blockedOn, domEventName, eventSystemFlags, targetContainer, mouseEvent);\n        return true;\n      }\n\n    case 'pointerover':\n      {\n        var pointerEvent = nativeEvent;\n        var pointerId = pointerEvent.pointerId;\n        queuedPointers.set(pointerId, accumulateOrCreateContinuousQueuedReplayableEvent(queuedPointers.get(pointerId) || null, blockedOn, domEventName, eventSystemFlags, targetContainer, pointerEvent));\n        return true;\n      }\n\n    case 'gotpointercapture':\n      {\n        var _pointerEvent = nativeEvent;\n        var _pointerId2 = _pointerEvent.pointerId;\n        queuedPointerCaptures.set(_pointerId2, accumulateOrCreateContinuousQueuedReplayableEvent(queuedPointerCaptures.get(_pointerId2) || null, blockedOn, domEventName, eventSystemFlags, targetContainer, _pointerEvent));\n        return true;\n      }\n  }\n\n  return false;\n} // Check if this target is unblocked. Returns true if it's unblocked.\n\nfunction attemptExplicitHydrationTarget(queuedTarget) {\n  // TODO: This function shares a lot of logic with findInstanceBlockingEvent.\n  // Try to unify them. It's a bit tricky since it would require two return\n  // values.\n  var targetInst = getClosestInstanceFromNode(queuedTarget.target);\n\n  if (targetInst !== null) {\n    var nearestMounted = getNearestMountedFiber(targetInst);\n\n    if (nearestMounted !== null) {\n      var tag = nearestMounted.tag;\n\n      if (tag === SuspenseComponent) {\n        var instance = getSuspenseInstanceFromFiber(nearestMounted);\n\n        if (instance !== null) {\n          // We're blocked on hydrating this boundary.\n          // Increase its priority.\n          queuedTarget.blockedOn = instance;\n          attemptHydrationAtPriority(queuedTarget.priority, function () {\n            attemptHydrationAtCurrentPriority(nearestMounted);\n          });\n          return;\n        }\n      } else if (tag === HostRoot) {\n        var root = nearestMounted.stateNode;\n\n        if (isRootDehydrated(root)) {\n          queuedTarget.blockedOn = getContainerFromFiber(nearestMounted); // We don't currently have a way to increase the priority of\n          // a root other than sync.\n\n          return;\n        }\n      }\n    }\n  }\n\n  queuedTarget.blockedOn = null;\n}\n\nfunction queueExplicitHydrationTarget(target) {\n  // TODO: This will read the priority if it's dispatched by the React\n  // event system but not native events. Should read window.event.type, like\n  // we do for updates (getCurrentEventPriority).\n  var updatePriority = getCurrentUpdatePriority$1();\n  var queuedTarget = {\n    blockedOn: null,\n    target: target,\n    priority: updatePriority\n  };\n  var i = 0;\n\n  for (; i < queuedExplicitHydrationTargets.length; i++) {\n    // Stop once we hit the first target with lower priority than\n    if (!isHigherEventPriority(updatePriority, queuedExplicitHydrationTargets[i].priority)) {\n      break;\n    }\n  }\n\n  queuedExplicitHydrationTargets.splice(i, 0, queuedTarget);\n\n  if (i === 0) {\n    attemptExplicitHydrationTarget(queuedTarget);\n  }\n}\n\nfunction attemptReplayContinuousQueuedEvent(queuedEvent) {\n  if (queuedEvent.blockedOn !== null) {\n    return false;\n  }\n\n  var targetContainers = queuedEvent.targetContainers;\n\n  while (targetContainers.length > 0) {\n    var targetContainer = targetContainers[0];\n    var nextBlockedOn = findInstanceBlockingEvent(queuedEvent.domEventName, queuedEvent.eventSystemFlags, targetContainer, queuedEvent.nativeEvent);\n\n    if (nextBlockedOn === null) {\n      {\n        var nativeEvent = queuedEvent.nativeEvent;\n        var nativeEventClone = new nativeEvent.constructor(nativeEvent.type, nativeEvent);\n        setReplayingEvent(nativeEventClone);\n        nativeEvent.target.dispatchEvent(nativeEventClone);\n        resetReplayingEvent();\n      }\n    } else {\n      // We're still blocked. Try again later.\n      var _fiber3 = getInstanceFromNode(nextBlockedOn);\n\n      if (_fiber3 !== null) {\n        attemptContinuousHydration(_fiber3);\n      }\n\n      queuedEvent.blockedOn = nextBlockedOn;\n      return false;\n    } // This target container was successfully dispatched. Try the next.\n\n\n    targetContainers.shift();\n  }\n\n  return true;\n}\n\nfunction attemptReplayContinuousQueuedEventInMap(queuedEvent, key, map) {\n  if (attemptReplayContinuousQueuedEvent(queuedEvent)) {\n    map.delete(key);\n  }\n}\n\nfunction replayUnblockedEvents() {\n  hasScheduledReplayAttempt = false;\n\n\n  if (queuedFocus !== null && attemptReplayContinuousQueuedEvent(queuedFocus)) {\n    queuedFocus = null;\n  }\n\n  if (queuedDrag !== null && attemptReplayContinuousQueuedEvent(queuedDrag)) {\n    queuedDrag = null;\n  }\n\n  if (queuedMouse !== null && attemptReplayContinuousQueuedEvent(queuedMouse)) {\n    queuedMouse = null;\n  }\n\n  queuedPointers.forEach(attemptReplayContinuousQueuedEventInMap);\n  queuedPointerCaptures.forEach(attemptReplayContinuousQueuedEventInMap);\n}\n\nfunction scheduleCallbackIfUnblocked(queuedEvent, unblocked) {\n  if (queuedEvent.blockedOn === unblocked) {\n    queuedEvent.blockedOn = null;\n\n    if (!hasScheduledReplayAttempt) {\n      hasScheduledReplayAttempt = true; // Schedule a callback to attempt replaying as many events as are\n      // now unblocked. This first might not actually be unblocked yet.\n      // We could check it early to avoid scheduling an unnecessary callback.\n\n      Scheduler.unstable_scheduleCallback(Scheduler.unstable_NormalPriority, replayUnblockedEvents);\n    }\n  }\n}\n\nfunction retryIfBlockedOn(unblocked) {\n  // Mark anything that was blocked on this as no longer blocked\n  // and eligible for a replay.\n  if (queuedDiscreteEvents.length > 0) {\n    scheduleCallbackIfUnblocked(queuedDiscreteEvents[0], unblocked); // This is a exponential search for each boundary that commits. I think it's\n    // worth it because we expect very few discrete events to queue up and once\n    // we are actually fully unblocked it will be fast to replay them.\n\n    for (var i = 1; i < queuedDiscreteEvents.length; i++) {\n      var queuedEvent = queuedDiscreteEvents[i];\n\n      if (queuedEvent.blockedOn === unblocked) {\n        queuedEvent.blockedOn = null;\n      }\n    }\n  }\n\n  if (queuedFocus !== null) {\n    scheduleCallbackIfUnblocked(queuedFocus, unblocked);\n  }\n\n  if (queuedDrag !== null) {\n    scheduleCallbackIfUnblocked(queuedDrag, unblocked);\n  }\n\n  if (queuedMouse !== null) {\n    scheduleCallbackIfUnblocked(queuedMouse, unblocked);\n  }\n\n  var unblock = function (queuedEvent) {\n    return scheduleCallbackIfUnblocked(queuedEvent, unblocked);\n  };\n\n  queuedPointers.forEach(unblock);\n  queuedPointerCaptures.forEach(unblock);\n\n  for (var _i = 0; _i < queuedExplicitHydrationTargets.length; _i++) {\n    var queuedTarget = queuedExplicitHydrationTargets[_i];\n\n    if (queuedTarget.blockedOn === unblocked) {\n      queuedTarget.blockedOn = null;\n    }\n  }\n\n  while (queuedExplicitHydrationTargets.length > 0) {\n    var nextExplicitTarget = queuedExplicitHydrationTargets[0];\n\n    if (nextExplicitTarget.blockedOn !== null) {\n      // We're still blocked.\n      break;\n    } else {\n      attemptExplicitHydrationTarget(nextExplicitTarget);\n\n      if (nextExplicitTarget.blockedOn === null) {\n        // We're unblocked.\n        queuedExplicitHydrationTargets.shift();\n      }\n    }\n  }\n}\n\nvar ReactCurrentBatchConfig = ReactSharedInternals.ReactCurrentBatchConfig; // TODO: can we stop exporting these?\n\nvar _enabled = true; // This is exported in FB builds for use by legacy FB layer infra.\n// We'd like to remove this but it's not clear if this is safe.\n\nfunction setEnabled(enabled) {\n  _enabled = !!enabled;\n}\nfunction isEnabled() {\n  return _enabled;\n}\nfunction createEventListenerWrapperWithPriority(targetContainer, domEventName, eventSystemFlags) {\n  var eventPriority = getEventPriority(domEventName);\n  var listenerWrapper;\n\n  switch (eventPriority) {\n    case DiscreteEventPriority:\n      listenerWrapper = dispatchDiscreteEvent;\n      break;\n\n    case ContinuousEventPriority:\n      listenerWrapper = dispatchContinuousEvent;\n      break;\n\n    case DefaultEventPriority:\n    default:\n      listenerWrapper = dispatchEvent;\n      break;\n  }\n\n  return listenerWrapper.bind(null, domEventName, eventSystemFlags, targetContainer);\n}\n\nfunction dispatchDiscreteEvent(domEventName, eventSystemFlags, container, nativeEvent) {\n  var previousPriority = getCurrentUpdatePriority();\n  var prevTransition = ReactCurrentBatchConfig.transition;\n  ReactCurrentBatchConfig.transition = null;\n\n  try {\n    setCurrentUpdatePriority(DiscreteEventPriority);\n    dispatchEvent(domEventName, eventSystemFlags, container, nativeEvent);\n  } finally {\n    setCurrentUpdatePriority(previousPriority);\n    ReactCurrentBatchConfig.transition = prevTransition;\n  }\n}\n\nfunction dispatchContinuousEvent(domEventName, eventSystemFlags, container, nativeEvent) {\n  var previousPriority = getCurrentUpdatePriority();\n  var prevTransition = ReactCurrentBatchConfig.transition;\n  ReactCurrentBatchConfig.transition = null;\n\n  try {\n    setCurrentUpdatePriority(ContinuousEventPriority);\n    dispatchEvent(domEventName, eventSystemFlags, container, nativeEvent);\n  } finally {\n    setCurrentUpdatePriority(previousPriority);\n    ReactCurrentBatchConfig.transition = prevTransition;\n  }\n}\n\nfunction dispatchEvent(domEventName, eventSystemFlags, targetContainer, nativeEvent) {\n  if (!_enabled) {\n    return;\n  }\n\n  {\n    dispatchEventWithEnableCapturePhaseSelectiveHydrationWithoutDiscreteEventReplay(domEventName, eventSystemFlags, targetContainer, nativeEvent);\n  }\n}\n\nfunction dispatchEventWithEnableCapturePhaseSelectiveHydrationWithoutDiscreteEventReplay(domEventName, eventSystemFlags, targetContainer, nativeEvent) {\n  var blockedOn = findInstanceBlockingEvent(domEventName, eventSystemFlags, targetContainer, nativeEvent);\n\n  if (blockedOn === null) {\n    dispatchEventForPluginEventSystem(domEventName, eventSystemFlags, nativeEvent, return_targetInst, targetContainer);\n    clearIfContinuousEvent(domEventName, nativeEvent);\n    return;\n  }\n\n  if (queueIfContinuousEvent(blockedOn, domEventName, eventSystemFlags, targetContainer, nativeEvent)) {\n    nativeEvent.stopPropagation();\n    return;\n  } // We need to clear only if we didn't queue because\n  // queueing is accumulative.\n\n\n  clearIfContinuousEvent(domEventName, nativeEvent);\n\n  if (eventSystemFlags & IS_CAPTURE_PHASE && isDiscreteEventThatRequiresHydration(domEventName)) {\n    while (blockedOn !== null) {\n      var fiber = getInstanceFromNode(blockedOn);\n\n      if (fiber !== null) {\n        attemptSynchronousHydration(fiber);\n      }\n\n      var nextBlockedOn = findInstanceBlockingEvent(domEventName, eventSystemFlags, targetContainer, nativeEvent);\n\n      if (nextBlockedOn === null) {\n        dispatchEventForPluginEventSystem(domEventName, eventSystemFlags, nativeEvent, return_targetInst, targetContainer);\n      }\n\n      if (nextBlockedOn === blockedOn) {\n        break;\n      }\n\n      blockedOn = nextBlockedOn;\n    }\n\n    if (blockedOn !== null) {\n      nativeEvent.stopPropagation();\n    }\n\n    return;\n  } // This is not replayable so we'll invoke it but without a target,\n  // in case the event system needs to trace it.\n\n\n  dispatchEventForPluginEventSystem(domEventName, eventSystemFlags, nativeEvent, null, targetContainer);\n}\n\nvar return_targetInst = null; // Returns a SuspenseInstance or Container if it's blocked.\n// The return_targetInst field above is conceptually part of the return value.\n\nfunction findInstanceBlockingEvent(domEventName, eventSystemFlags, targetContainer, nativeEvent) {\n  // TODO: Warn if _enabled is false.\n  return_targetInst = null;\n  var nativeEventTarget = getEventTarget(nativeEvent);\n  var targetInst = getClosestInstanceFromNode(nativeEventTarget);\n\n  if (targetInst !== null) {\n    var nearestMounted = getNearestMountedFiber(targetInst);\n\n    if (nearestMounted === null) {\n      // This tree has been unmounted already. Dispatch without a target.\n      targetInst = null;\n    } else {\n      var tag = nearestMounted.tag;\n\n      if (tag === SuspenseComponent) {\n        var instance = getSuspenseInstanceFromFiber(nearestMounted);\n\n        if (instance !== null) {\n          // Queue the event to be replayed later. Abort dispatching since we\n          // don't want this event dispatched twice through the event system.\n          // TODO: If this is the first discrete event in the queue. Schedule an increased\n          // priority for this boundary.\n          return instance;\n        } // This shouldn't happen, something went wrong but to avoid blocking\n        // the whole system, dispatch the event without a target.\n        // TODO: Warn.\n\n\n        targetInst = null;\n      } else if (tag === HostRoot) {\n        var root = nearestMounted.stateNode;\n\n        if (isRootDehydrated(root)) {\n          // If this happens during a replay something went wrong and it might block\n          // the whole system.\n          return getContainerFromFiber(nearestMounted);\n        }\n\n        targetInst = null;\n      } else if (nearestMounted !== targetInst) {\n        // If we get an event (ex: img onload) before committing that\n        // component's mount, ignore it for now (that is, treat it as if it was an\n        // event on a non-React tree). We might also consider queueing events and\n        // dispatching them after the mount.\n        targetInst = null;\n      }\n    }\n  }\n\n  return_targetInst = targetInst; // We're not blocked on anything.\n\n  return null;\n}\nfunction getEventPriority(domEventName) {\n  switch (domEventName) {\n    // Used by SimpleEventPlugin:\n    case 'cancel':\n    case 'click':\n    case 'close':\n    case 'contextmenu':\n    case 'copy':\n    case 'cut':\n    case 'auxclick':\n    case 'dblclick':\n    case 'dragend':\n    case 'dragstart':\n    case 'drop':\n    case 'focusin':\n    case 'focusout':\n    case 'input':\n    case 'invalid':\n    case 'keydown':\n    case 'keypress':\n    case 'keyup':\n    case 'mousedown':\n    case 'mouseup':\n    case 'paste':\n    case 'pause':\n    case 'play':\n    case 'pointercancel':\n    case 'pointerdown':\n    case 'pointerup':\n    case 'ratechange':\n    case 'reset':\n    case 'resize':\n    case 'seeked':\n    case 'submit':\n    case 'touchcancel':\n    case 'touchend':\n    case 'touchstart':\n    case 'volumechange': // Used by polyfills:\n    // eslint-disable-next-line no-fallthrough\n\n    case 'change':\n    case 'selectionchange':\n    case 'textInput':\n    case 'compositionstart':\n    case 'compositionend':\n    case 'compositionupdate': // Only enableCreateEventHandleAPI:\n    // eslint-disable-next-line no-fallthrough\n\n    case 'beforeblur':\n    case 'afterblur': // Not used by React but could be by user code:\n    // eslint-disable-next-line no-fallthrough\n\n    case 'beforeinput':\n    case 'blur':\n    case 'fullscreenchange':\n    case 'focus':\n    case 'hashchange':\n    case 'popstate':\n    case 'select':\n    case 'selectstart':\n      return DiscreteEventPriority;\n\n    case 'drag':\n    case 'dragenter':\n    case 'dragexit':\n    case 'dragleave':\n    case 'dragover':\n    case 'mousemove':\n    case 'mouseout':\n    case 'mouseover':\n    case 'pointermove':\n    case 'pointerout':\n    case 'pointerover':\n    case 'scroll':\n    case 'toggle':\n    case 'touchmove':\n    case 'wheel': // Not used by React but could be by user code:\n    // eslint-disable-next-line no-fallthrough\n\n    case 'mouseenter':\n    case 'mouseleave':\n    case 'pointerenter':\n    case 'pointerleave':\n      return ContinuousEventPriority;\n\n    case 'message':\n      {\n        // We might be in the Scheduler callback.\n        // Eventually this mechanism will be replaced by a check\n        // of the current priority on the native scheduler.\n        var schedulerPriority = getCurrentPriorityLevel();\n\n        switch (schedulerPriority) {\n          case ImmediatePriority:\n            return DiscreteEventPriority;\n\n          case UserBlockingPriority:\n            return ContinuousEventPriority;\n\n          case NormalPriority:\n          case LowPriority:\n            // TODO: Handle LowSchedulerPriority, somehow. Maybe the same lane as hydration.\n            return DefaultEventPriority;\n\n          case IdlePriority:\n            return IdleEventPriority;\n\n          default:\n            return DefaultEventPriority;\n        }\n      }\n\n    default:\n      return DefaultEventPriority;\n  }\n}\n\nfunction addEventBubbleListener(target, eventType, listener) {\n  target.addEventListener(eventType, listener, false);\n  return listener;\n}\nfunction addEventCaptureListener(target, eventType, listener) {\n  target.addEventListener(eventType, listener, true);\n  return listener;\n}\nfunction addEventCaptureListenerWithPassiveFlag(target, eventType, listener, passive) {\n  target.addEventListener(eventType, listener, {\n    capture: true,\n    passive: passive\n  });\n  return listener;\n}\nfunction addEventBubbleListenerWithPassiveFlag(target, eventType, listener, passive) {\n  target.addEventListener(eventType, listener, {\n    passive: passive\n  });\n  return listener;\n}\n\n/**\n * These variables store information about text content of a target node,\n * allowing comparison of content before and after a given event.\n *\n * Identify the node where selection currently begins, then observe\n * both its text content and its current position in the DOM. Since the\n * browser may natively replace the target node during composition, we can\n * use its position to find its replacement.\n *\n *\n */\nvar root = null;\nvar startText = null;\nvar fallbackText = null;\nfunction initialize(nativeEventTarget) {\n  root = nativeEventTarget;\n  startText = getText();\n  return true;\n}\nfunction reset() {\n  root = null;\n  startText = null;\n  fallbackText = null;\n}\nfunction getData() {\n  if (fallbackText) {\n    return fallbackText;\n  }\n\n  var start;\n  var startValue = startText;\n  var startLength = startValue.length;\n  var end;\n  var endValue = getText();\n  var endLength = endValue.length;\n\n  for (start = 0; start < startLength; start++) {\n    if (startValue[start] !== endValue[start]) {\n      break;\n    }\n  }\n\n  var minEnd = startLength - start;\n\n  for (end = 1; end <= minEnd; end++) {\n    if (startValue[startLength - end] !== endValue[endLength - end]) {\n      break;\n    }\n  }\n\n  var sliceTail = end > 1 ? 1 - end : undefined;\n  fallbackText = endValue.slice(start, sliceTail);\n  return fallbackText;\n}\nfunction getText() {\n  if ('value' in root) {\n    return root.value;\n  }\n\n  return root.textContent;\n}\n\n/**\n * `charCode` represents the actual \"character code\" and is safe to use with\n * `String.fromCharCode`. As such, only keys that correspond to printable\n * characters produce a valid `charCode`, the only exception to this is Enter.\n * The Tab-key is considered non-printable and does not have a `charCode`,\n * presumably because it does not produce a tab-character in browsers.\n *\n * @param {object} nativeEvent Native browser event.\n * @return {number} Normalized `charCode` property.\n */\nfunction getEventCharCode(nativeEvent) {\n  var charCode;\n  var keyCode = nativeEvent.keyCode;\n\n  if ('charCode' in nativeEvent) {\n    charCode = nativeEvent.charCode; // FF does not set `charCode` for the Enter-key, check against `keyCode`.\n\n    if (charCode === 0 && keyCode === 13) {\n      charCode = 13;\n    }\n  } else {\n    // IE8 does not implement `charCode`, but `keyCode` has the correct value.\n    charCode = keyCode;\n  } // IE and Edge (on Windows) and Chrome / Safari (on Windows and Linux)\n  // report Enter as charCode 10 when ctrl is pressed.\n\n\n  if (charCode === 10) {\n    charCode = 13;\n  } // Some non-printable keys are reported in `charCode`/`keyCode`, discard them.\n  // Must not discard the (non-)printable Enter-key.\n\n\n  if (charCode >= 32 || charCode === 13) {\n    return charCode;\n  }\n\n  return 0;\n}\n\nfunction functionThatReturnsTrue() {\n  return true;\n}\n\nfunction functionThatReturnsFalse() {\n  return false;\n} // This is intentionally a factory so that we have different returned constructors.\n// If we had a single constructor, it would be megamorphic and engines would deopt.\n\n\nfunction createSyntheticEvent(Interface) {\n  /**\n   * Synthetic events are dispatched by event plugins, typically in response to a\n   * top-level event delegation handler.\n   *\n   * These systems should generally use pooling to reduce the frequency of garbage\n   * collection. The system should check `isPersistent` to determine whether the\n   * event should be released into the pool after being dispatched. Users that\n   * need a persisted event should invoke `persist`.\n   *\n   * Synthetic events (and subclasses) implement the DOM Level 3 Events API by\n   * normalizing browser quirks. Subclasses do not necessarily have to implement a\n   * DOM interface; custom application-specific events can also subclass this.\n   */\n  function SyntheticBaseEvent(reactName, reactEventType, targetInst, nativeEvent, nativeEventTarget) {\n    this._reactName = reactName;\n    this._targetInst = targetInst;\n    this.type = reactEventType;\n    this.nativeEvent = nativeEvent;\n    this.target = nativeEventTarget;\n    this.currentTarget = null;\n\n    for (var _propName in Interface) {\n      if (!Interface.hasOwnProperty(_propName)) {\n        continue;\n      }\n\n      var normalize = Interface[_propName];\n\n      if (normalize) {\n        this[_propName] = normalize(nativeEvent);\n      } else {\n        this[_propName] = nativeEvent[_propName];\n      }\n    }\n\n    var defaultPrevented = nativeEvent.defaultPrevented != null ? nativeEvent.defaultPrevented : nativeEvent.returnValue === false;\n\n    if (defaultPrevented) {\n      this.isDefaultPrevented = functionThatReturnsTrue;\n    } else {\n      this.isDefaultPrevented = functionThatReturnsFalse;\n    }\n\n    this.isPropagationStopped = functionThatReturnsFalse;\n    return this;\n  }\n\n  assign(SyntheticBaseEvent.prototype, {\n    preventDefault: function () {\n      this.defaultPrevented = true;\n      var event = this.nativeEvent;\n\n      if (!event) {\n        return;\n      }\n\n      if (event.preventDefault) {\n        event.preventDefault(); // $FlowFixMe - flow is not aware of `unknown` in IE\n      } else if (typeof event.returnValue !== 'unknown') {\n        event.returnValue = false;\n      }\n\n      this.isDefaultPrevented = functionThatReturnsTrue;\n    },\n    stopPropagation: function () {\n      var event = this.nativeEvent;\n\n      if (!event) {\n        return;\n      }\n\n      if (event.stopPropagation) {\n        event.stopPropagation(); // $FlowFixMe - flow is not aware of `unknown` in IE\n      } else if (typeof event.cancelBubble !== 'unknown') {\n        // The ChangeEventPlugin registers a \"propertychange\" event for\n        // IE. This event does not support bubbling or cancelling, and\n        // any references to cancelBubble throw \"Member not found\".  A\n        // typeof check of \"unknown\" circumvents this issue (and is also\n        // IE specific).\n        event.cancelBubble = true;\n      }\n\n      this.isPropagationStopped = functionThatReturnsTrue;\n    },\n\n    /**\n     * We release all dispatched `SyntheticEvent`s after each event loop, adding\n     * them back into the pool. This allows a way to hold onto a reference that\n     * won't be added back into the pool.\n     */\n    persist: function () {// Modern event system doesn't use pooling.\n    },\n\n    /**\n     * Checks if this event should be released back into the pool.\n     *\n     * @return {boolean} True if this should not be released, false otherwise.\n     */\n    isPersistent: functionThatReturnsTrue\n  });\n  return SyntheticBaseEvent;\n}\n/**\n * @interface Event\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\n\n\nvar EventInterface = {\n  eventPhase: 0,\n  bubbles: 0,\n  cancelable: 0,\n  timeStamp: function (event) {\n    return event.timeStamp || Date.now();\n  },\n  defaultPrevented: 0,\n  isTrusted: 0\n};\nvar SyntheticEvent = createSyntheticEvent(EventInterface);\n\nvar UIEventInterface = assign({}, EventInterface, {\n  view: 0,\n  detail: 0\n});\n\nvar SyntheticUIEvent = createSyntheticEvent(UIEventInterface);\nvar lastMovementX;\nvar lastMovementY;\nvar lastMouseEvent;\n\nfunction updateMouseMovementPolyfillState(event) {\n  if (event !== lastMouseEvent) {\n    if (lastMouseEvent && event.type === 'mousemove') {\n      lastMovementX = event.screenX - lastMouseEvent.screenX;\n      lastMovementY = event.screenY - lastMouseEvent.screenY;\n    } else {\n      lastMovementX = 0;\n      lastMovementY = 0;\n    }\n\n    lastMouseEvent = event;\n  }\n}\n/**\n * @interface MouseEvent\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\n\n\nvar MouseEventInterface = assign({}, UIEventInterface, {\n  screenX: 0,\n  screenY: 0,\n  clientX: 0,\n  clientY: 0,\n  pageX: 0,\n  pageY: 0,\n  ctrlKey: 0,\n  shiftKey: 0,\n  altKey: 0,\n  metaKey: 0,\n  getModifierState: getEventModifierState,\n  button: 0,\n  buttons: 0,\n  relatedTarget: function (event) {\n    if (event.relatedTarget === undefined) return event.fromElement === event.srcElement ? event.toElement : event.fromElement;\n    return event.relatedTarget;\n  },\n  movementX: function (event) {\n    if ('movementX' in event) {\n      return event.movementX;\n    }\n\n    updateMouseMovementPolyfillState(event);\n    return lastMovementX;\n  },\n  movementY: function (event) {\n    if ('movementY' in event) {\n      return event.movementY;\n    } // Don't need to call updateMouseMovementPolyfillState() here\n    // because it's guaranteed to have already run when movementX\n    // was copied.\n\n\n    return lastMovementY;\n  }\n});\n\nvar SyntheticMouseEvent = createSyntheticEvent(MouseEventInterface);\n/**\n * @interface DragEvent\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\n\nvar DragEventInterface = assign({}, MouseEventInterface, {\n  dataTransfer: 0\n});\n\nvar SyntheticDragEvent = createSyntheticEvent(DragEventInterface);\n/**\n * @interface FocusEvent\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\n\nvar FocusEventInterface = assign({}, UIEventInterface, {\n  relatedTarget: 0\n});\n\nvar SyntheticFocusEvent = createSyntheticEvent(FocusEventInterface);\n/**\n * @interface Event\n * @see http://www.w3.org/TR/css3-animations/#AnimationEvent-interface\n * @see https://developer.mozilla.org/en-US/docs/Web/API/AnimationEvent\n */\n\nvar AnimationEventInterface = assign({}, EventInterface, {\n  animationName: 0,\n  elapsedTime: 0,\n  pseudoElement: 0\n});\n\nvar SyntheticAnimationEvent = createSyntheticEvent(AnimationEventInterface);\n/**\n * @interface Event\n * @see http://www.w3.org/TR/clipboard-apis/\n */\n\nvar ClipboardEventInterface = assign({}, EventInterface, {\n  clipboardData: function (event) {\n    return 'clipboardData' in event ? event.clipboardData : window.clipboardData;\n  }\n});\n\nvar SyntheticClipboardEvent = createSyntheticEvent(ClipboardEventInterface);\n/**\n * @interface Event\n * @see http://www.w3.org/TR/DOM-Level-3-Events/#events-compositionevents\n */\n\nvar CompositionEventInterface = assign({}, EventInterface, {\n  data: 0\n});\n\nvar SyntheticCompositionEvent = createSyntheticEvent(CompositionEventInterface);\n/**\n * @interface Event\n * @see http://www.w3.org/TR/2013/WD-DOM-Level-3-Events-20131105\n *      /#events-inputevents\n */\n// Happens to share the same list for now.\n\nvar SyntheticInputEvent = SyntheticCompositionEvent;\n/**\n * Normalization of deprecated HTML5 `key` values\n * @see https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent#Key_names\n */\n\nvar normalizeKey = {\n  Esc: 'Escape',\n  Spacebar: ' ',\n  Left: 'ArrowLeft',\n  Up: 'ArrowUp',\n  Right: 'ArrowRight',\n  Down: 'ArrowDown',\n  Del: 'Delete',\n  Win: 'OS',\n  Menu: 'ContextMenu',\n  Apps: 'ContextMenu',\n  Scroll: 'ScrollLock',\n  MozPrintableKey: 'Unidentified'\n};\n/**\n * Translation from legacy `keyCode` to HTML5 `key`\n * Only special keys supported, all others depend on keyboard layout or browser\n * @see https://developer.mozilla.org/en-US/docs/Web/API/KeyboardEvent#Key_names\n */\n\nvar translateToKey = {\n  '8': 'Backspace',\n  '9': 'Tab',\n  '12': 'Clear',\n  '13': 'Enter',\n  '16': 'Shift',\n  '17': 'Control',\n  '18': 'Alt',\n  '19': 'Pause',\n  '20': 'CapsLock',\n  '27': 'Escape',\n  '32': ' ',\n  '33': 'PageUp',\n  '34': 'PageDown',\n  '35': 'End',\n  '36': 'Home',\n  '37': 'ArrowLeft',\n  '38': 'ArrowUp',\n  '39': 'ArrowRight',\n  '40': 'ArrowDown',\n  '45': 'Insert',\n  '46': 'Delete',\n  '112': 'F1',\n  '113': 'F2',\n  '114': 'F3',\n  '115': 'F4',\n  '116': 'F5',\n  '117': 'F6',\n  '118': 'F7',\n  '119': 'F8',\n  '120': 'F9',\n  '121': 'F10',\n  '122': 'F11',\n  '123': 'F12',\n  '144': 'NumLock',\n  '145': 'ScrollLock',\n  '224': 'Meta'\n};\n/**\n * @param {object} nativeEvent Native browser event.\n * @return {string} Normalized `key` property.\n */\n\nfunction getEventKey(nativeEvent) {\n  if (nativeEvent.key) {\n    // Normalize inconsistent values reported by browsers due to\n    // implementations of a working draft specification.\n    // FireFox implements `key` but returns `MozPrintableKey` for all\n    // printable characters (normalized to `Unidentified`), ignore it.\n    var key = normalizeKey[nativeEvent.key] || nativeEvent.key;\n\n    if (key !== 'Unidentified') {\n      return key;\n    }\n  } // Browser does not implement `key`, polyfill as much of it as we can.\n\n\n  if (nativeEvent.type === 'keypress') {\n    var charCode = getEventCharCode(nativeEvent); // The enter-key is technically both printable and non-printable and can\n    // thus be captured by `keypress`, no other non-printable key should.\n\n    return charCode === 13 ? 'Enter' : String.fromCharCode(charCode);\n  }\n\n  if (nativeEvent.type === 'keydown' || nativeEvent.type === 'keyup') {\n    // While user keyboard layout determines the actual meaning of each\n    // `keyCode` value, almost all function keys have a universal value.\n    return translateToKey[nativeEvent.keyCode] || 'Unidentified';\n  }\n\n  return '';\n}\n/**\n * Translation from modifier key to the associated property in the event.\n * @see http://www.w3.org/TR/DOM-Level-3-Events/#keys-Modifiers\n */\n\n\nvar modifierKeyToProp = {\n  Alt: 'altKey',\n  Control: 'ctrlKey',\n  Meta: 'metaKey',\n  Shift: 'shiftKey'\n}; // Older browsers (Safari <= 10, iOS Safari <= 10.2) do not support\n// getModifierState. If getModifierState is not supported, we map it to a set of\n// modifier keys exposed by the event. In this case, Lock-keys are not supported.\n\nfunction modifierStateGetter(keyArg) {\n  var syntheticEvent = this;\n  var nativeEvent = syntheticEvent.nativeEvent;\n\n  if (nativeEvent.getModifierState) {\n    return nativeEvent.getModifierState(keyArg);\n  }\n\n  var keyProp = modifierKeyToProp[keyArg];\n  return keyProp ? !!nativeEvent[keyProp] : false;\n}\n\nfunction getEventModifierState(nativeEvent) {\n  return modifierStateGetter;\n}\n/**\n * @interface KeyboardEvent\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\n\n\nvar KeyboardEventInterface = assign({}, UIEventInterface, {\n  key: getEventKey,\n  code: 0,\n  location: 0,\n  ctrlKey: 0,\n  shiftKey: 0,\n  altKey: 0,\n  metaKey: 0,\n  repeat: 0,\n  locale: 0,\n  getModifierState: getEventModifierState,\n  // Legacy Interface\n  charCode: function (event) {\n    // `charCode` is the result of a KeyPress event and represents the value of\n    // the actual printable character.\n    // KeyPress is deprecated, but its replacement is not yet final and not\n    // implemented in any major browser. Only KeyPress has charCode.\n    if (event.type === 'keypress') {\n      return getEventCharCode(event);\n    }\n\n    return 0;\n  },\n  keyCode: function (event) {\n    // `keyCode` is the result of a KeyDown/Up event and represents the value of\n    // physical keyboard key.\n    // The actual meaning of the value depends on the users' keyboard layout\n    // which cannot be detected. Assuming that it is a US keyboard layout\n    // provides a surprisingly accurate mapping for US and European users.\n    // Due to this, it is left to the user to implement at this time.\n    if (event.type === 'keydown' || event.type === 'keyup') {\n      return event.keyCode;\n    }\n\n    return 0;\n  },\n  which: function (event) {\n    // `which` is an alias for either `keyCode` or `charCode` depending on the\n    // type of the event.\n    if (event.type === 'keypress') {\n      return getEventCharCode(event);\n    }\n\n    if (event.type === 'keydown' || event.type === 'keyup') {\n      return event.keyCode;\n    }\n\n    return 0;\n  }\n});\n\nvar SyntheticKeyboardEvent = createSyntheticEvent(KeyboardEventInterface);\n/**\n * @interface PointerEvent\n * @see http://www.w3.org/TR/pointerevents/\n */\n\nvar PointerEventInterface = assign({}, MouseEventInterface, {\n  pointerId: 0,\n  width: 0,\n  height: 0,\n  pressure: 0,\n  tangentialPressure: 0,\n  tiltX: 0,\n  tiltY: 0,\n  twist: 0,\n  pointerType: 0,\n  isPrimary: 0\n});\n\nvar SyntheticPointerEvent = createSyntheticEvent(PointerEventInterface);\n/**\n * @interface TouchEvent\n * @see http://www.w3.org/TR/touch-events/\n */\n\nvar TouchEventInterface = assign({}, UIEventInterface, {\n  touches: 0,\n  targetTouches: 0,\n  changedTouches: 0,\n  altKey: 0,\n  metaKey: 0,\n  ctrlKey: 0,\n  shiftKey: 0,\n  getModifierState: getEventModifierState\n});\n\nvar SyntheticTouchEvent = createSyntheticEvent(TouchEventInterface);\n/**\n * @interface Event\n * @see http://www.w3.org/TR/2009/WD-css3-transitions-20090320/#transition-events-\n * @see https://developer.mozilla.org/en-US/docs/Web/API/TransitionEvent\n */\n\nvar TransitionEventInterface = assign({}, EventInterface, {\n  propertyName: 0,\n  elapsedTime: 0,\n  pseudoElement: 0\n});\n\nvar SyntheticTransitionEvent = createSyntheticEvent(TransitionEventInterface);\n/**\n * @interface WheelEvent\n * @see http://www.w3.org/TR/DOM-Level-3-Events/\n */\n\nvar WheelEventInterface = assign({}, MouseEventInterface, {\n  deltaX: function (event) {\n    return 'deltaX' in event ? event.deltaX : // Fallback to `wheelDeltaX` for Webkit and normalize (right is positive).\n    'wheelDeltaX' in event ? -event.wheelDeltaX : 0;\n  },\n  deltaY: function (event) {\n    return 'deltaY' in event ? event.deltaY : // Fallback to `wheelDeltaY` for Webkit and normalize (down is positive).\n    'wheelDeltaY' in event ? -event.wheelDeltaY : // Fallback to `wheelDelta` for IE<9 and normalize (down is positive).\n    'wheelDelta' in event ? -event.wheelDelta : 0;\n  },\n  deltaZ: 0,\n  // Browsers without \"deltaMode\" is reporting in raw wheel delta where one\n  // notch on the scroll is always +/- 120, roughly equivalent to pixels.\n  // A good approximation of DOM_DELTA_LINE (1) is 5% of viewport size or\n  // ~40 pixels, for DOM_DELTA_SCREEN (2) it is 87.5% of viewport size.\n  deltaMode: 0\n});\n\nvar SyntheticWheelEvent = createSyntheticEvent(WheelEventInterface);\n\nvar END_KEYCODES = [9, 13, 27, 32]; // Tab, Return, Esc, Space\n\nvar START_KEYCODE = 229;\nvar canUseCompositionEvent = canUseDOM && 'CompositionEvent' in window;\nvar documentMode = null;\n\nif (canUseDOM && 'documentMode' in document) {\n  documentMode = document.documentMode;\n} // Webkit offers a very useful `textInput` event that can be used to\n// directly represent `beforeInput`. The IE `textinput` event is not as\n// useful, so we don't use it.\n\n\nvar canUseTextInputEvent = canUseDOM && 'TextEvent' in window && !documentMode; // In IE9+, we have access to composition events, but the data supplied\n// by the native compositionend event may be incorrect. Japanese ideographic\n// spaces, for instance (\\u3000) are not recorded correctly.\n\nvar useFallbackCompositionData = canUseDOM && (!canUseCompositionEvent || documentMode && documentMode > 8 && documentMode <= 11);\nvar SPACEBAR_CODE = 32;\nvar SPACEBAR_CHAR = String.fromCharCode(SPACEBAR_CODE);\n\nfunction registerEvents() {\n  registerTwoPhaseEvent('onBeforeInput', ['compositionend', 'keypress', 'textInput', 'paste']);\n  registerTwoPhaseEvent('onCompositionEnd', ['compositionend', 'focusout', 'keydown', 'keypress', 'keyup', 'mousedown']);\n  registerTwoPhaseEvent('onCompositionStart', ['compositionstart', 'focusout', 'keydown', 'keypress', 'keyup', 'mousedown']);\n  registerTwoPhaseEvent('onCompositionUpdate', ['compositionupdate', 'focusout', 'keydown', 'keypress', 'keyup', 'mousedown']);\n} // Track whether we've ever handled a keypress on the space key.\n\n\nvar hasSpaceKeypress = false;\n/**\n * Return whether a native keypress event is assumed to be a command.\n * This is required because Firefox fires `keypress` events for key commands\n * (cut, copy, select-all, etc.) even though no character is inserted.\n */\n\nfunction isKeypressCommand(nativeEvent) {\n  return (nativeEvent.ctrlKey || nativeEvent.altKey || nativeEvent.metaKey) && // ctrlKey && altKey is equivalent to AltGr, and is not a command.\n  !(nativeEvent.ctrlKey && nativeEvent.altKey);\n}\n/**\n * Translate native top level events into event types.\n */\n\n\nfunction getCompositionEventType(domEventName) {\n  switch (domEventName) {\n    case 'compositionstart':\n      return 'onCompositionStart';\n\n    case 'compositionend':\n      return 'onCompositionEnd';\n\n    case 'compositionupdate':\n      return 'onCompositionUpdate';\n  }\n}\n/**\n * Does our fallback best-guess model think this event signifies that\n * composition has begun?\n */\n\n\nfunction isFallbackCompositionStart(domEventName, nativeEvent) {\n  return domEventName === 'keydown' && nativeEvent.keyCode === START_KEYCODE;\n}\n/**\n * Does our fallback mode think that this event is the end of composition?\n */\n\n\nfunction isFallbackCompositionEnd(domEventName, nativeEvent) {\n  switch (domEventName) {\n    case 'keyup':\n      // Command keys insert or clear IME input.\n      return END_KEYCODES.indexOf(nativeEvent.keyCode) !== -1;\n\n    case 'keydown':\n      // Expect IME keyCode on each keydown. If we get any other\n      // code we must have exited earlier.\n      return nativeEvent.keyCode !== START_KEYCODE;\n\n    case 'keypress':\n    case 'mousedown':\n    case 'focusout':\n      // Events are not possible without cancelling IME.\n      return true;\n\n    default:\n      return false;\n  }\n}\n/**\n * Google Input Tools provides composition data via a CustomEvent,\n * with the `data` property populated in the `detail` object. If this\n * is available on the event object, use it. If not, this is a plain\n * composition event and we have nothing special to extract.\n *\n * @param {object} nativeEvent\n * @return {?string}\n */\n\n\nfunction getDataFromCustomEvent(nativeEvent) {\n  var detail = nativeEvent.detail;\n\n  if (typeof detail === 'object' && 'data' in detail) {\n    return detail.data;\n  }\n\n  return null;\n}\n/**\n * Check if a composition event was triggered by Korean IME.\n * Our fallback mode does not work well with IE's Korean IME,\n * so just use native composition events when Korean IME is used.\n * Although CompositionEvent.locale property is deprecated,\n * it is available in IE, where our fallback mode is enabled.\n *\n * @param {object} nativeEvent\n * @return {boolean}\n */\n\n\nfunction isUsingKoreanIME(nativeEvent) {\n  return nativeEvent.locale === 'ko';\n} // Track the current IME composition status, if any.\n\n\nvar isComposing = false;\n/**\n * @return {?object} A SyntheticCompositionEvent.\n */\n\nfunction extractCompositionEvent(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget) {\n  var eventType;\n  var fallbackData;\n\n  if (canUseCompositionEvent) {\n    eventType = getCompositionEventType(domEventName);\n  } else if (!isComposing) {\n    if (isFallbackCompositionStart(domEventName, nativeEvent)) {\n      eventType = 'onCompositionStart';\n    }\n  } else if (isFallbackCompositionEnd(domEventName, nativeEvent)) {\n    eventType = 'onCompositionEnd';\n  }\n\n  if (!eventType) {\n    return null;\n  }\n\n  if (useFallbackCompositionData && !isUsingKoreanIME(nativeEvent)) {\n    // The current composition is stored statically and must not be\n    // overwritten while composition continues.\n    if (!isComposing && eventType === 'onCompositionStart') {\n      isComposing = initialize(nativeEventTarget);\n    } else if (eventType === 'onCompositionEnd') {\n      if (isComposing) {\n        fallbackData = getData();\n      }\n    }\n  }\n\n  var listeners = accumulateTwoPhaseListeners(targetInst, eventType);\n\n  if (listeners.length > 0) {\n    var event = new SyntheticCompositionEvent(eventType, domEventName, null, nativeEvent, nativeEventTarget);\n    dispatchQueue.push({\n      event: event,\n      listeners: listeners\n    });\n\n    if (fallbackData) {\n      // Inject data generated from fallback path into the synthetic event.\n      // This matches the property of native CompositionEventInterface.\n      event.data = fallbackData;\n    } else {\n      var customData = getDataFromCustomEvent(nativeEvent);\n\n      if (customData !== null) {\n        event.data = customData;\n      }\n    }\n  }\n}\n\nfunction getNativeBeforeInputChars(domEventName, nativeEvent) {\n  switch (domEventName) {\n    case 'compositionend':\n      return getDataFromCustomEvent(nativeEvent);\n\n    case 'keypress':\n      /**\n       * If native `textInput` events are available, our goal is to make\n       * use of them. However, there is a special case: the spacebar key.\n       * In Webkit, preventing default on a spacebar `textInput` event\n       * cancels character insertion, but it *also* causes the browser\n       * to fall back to its default spacebar behavior of scrolling the\n       * page.\n       *\n       * Tracking at:\n       * https://code.google.com/p/chromium/issues/detail?id=355103\n       *\n       * To avoid this issue, use the keypress event as if no `textInput`\n       * event is available.\n       */\n      var which = nativeEvent.which;\n\n      if (which !== SPACEBAR_CODE) {\n        return null;\n      }\n\n      hasSpaceKeypress = true;\n      return SPACEBAR_CHAR;\n\n    case 'textInput':\n      // Record the characters to be added to the DOM.\n      var chars = nativeEvent.data; // If it's a spacebar character, assume that we have already handled\n      // it at the keypress level and bail immediately. Android Chrome\n      // doesn't give us keycodes, so we need to ignore it.\n\n      if (chars === SPACEBAR_CHAR && hasSpaceKeypress) {\n        return null;\n      }\n\n      return chars;\n\n    default:\n      // For other native event types, do nothing.\n      return null;\n  }\n}\n/**\n * For browsers that do not provide the `textInput` event, extract the\n * appropriate string to use for SyntheticInputEvent.\n */\n\n\nfunction getFallbackBeforeInputChars(domEventName, nativeEvent) {\n  // If we are currently composing (IME) and using a fallback to do so,\n  // try to extract the composed characters from the fallback object.\n  // If composition event is available, we extract a string only at\n  // compositionevent, otherwise extract it at fallback events.\n  if (isComposing) {\n    if (domEventName === 'compositionend' || !canUseCompositionEvent && isFallbackCompositionEnd(domEventName, nativeEvent)) {\n      var chars = getData();\n      reset();\n      isComposing = false;\n      return chars;\n    }\n\n    return null;\n  }\n\n  switch (domEventName) {\n    case 'paste':\n      // If a paste event occurs after a keypress, throw out the input\n      // chars. Paste events should not lead to BeforeInput events.\n      return null;\n\n    case 'keypress':\n      /**\n       * As of v27, Firefox may fire keypress events even when no character\n       * will be inserted. A few possibilities:\n       *\n       * - `which` is `0`. Arrow keys, Esc key, etc.\n       *\n       * - `which` is the pressed key code, but no char is available.\n       *   Ex: 'AltGr + d` in Polish. There is no modified character for\n       *   this key combination and no character is inserted into the\n       *   document, but FF fires the keypress for char code `100` anyway.\n       *   No `input` event will occur.\n       *\n       * - `which` is the pressed key code, but a command combination is\n       *   being used. Ex: `Cmd+C`. No character is inserted, and no\n       *   `input` event will occur.\n       */\n      if (!isKeypressCommand(nativeEvent)) {\n        // IE fires the `keypress` event when a user types an emoji via\n        // Touch keyboard of Windows.  In such a case, the `char` property\n        // holds an emoji character like `\\uD83D\\uDE0A`.  Because its length\n        // is 2, the property `which` does not represent an emoji correctly.\n        // In such a case, we directly return the `char` property instead of\n        // using `which`.\n        if (nativeEvent.char && nativeEvent.char.length > 1) {\n          return nativeEvent.char;\n        } else if (nativeEvent.which) {\n          return String.fromCharCode(nativeEvent.which);\n        }\n      }\n\n      return null;\n\n    case 'compositionend':\n      return useFallbackCompositionData && !isUsingKoreanIME(nativeEvent) ? null : nativeEvent.data;\n\n    default:\n      return null;\n  }\n}\n/**\n * Extract a SyntheticInputEvent for `beforeInput`, based on either native\n * `textInput` or fallback behavior.\n *\n * @return {?object} A SyntheticInputEvent.\n */\n\n\nfunction extractBeforeInputEvent(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget) {\n  var chars;\n\n  if (canUseTextInputEvent) {\n    chars = getNativeBeforeInputChars(domEventName, nativeEvent);\n  } else {\n    chars = getFallbackBeforeInputChars(domEventName, nativeEvent);\n  } // If no characters are being inserted, no BeforeInput event should\n  // be fired.\n\n\n  if (!chars) {\n    return null;\n  }\n\n  var listeners = accumulateTwoPhaseListeners(targetInst, 'onBeforeInput');\n\n  if (listeners.length > 0) {\n    var event = new SyntheticInputEvent('onBeforeInput', 'beforeinput', null, nativeEvent, nativeEventTarget);\n    dispatchQueue.push({\n      event: event,\n      listeners: listeners\n    });\n    event.data = chars;\n  }\n}\n/**\n * Create an `onBeforeInput` event to match\n * http://www.w3.org/TR/2013/WD-DOM-Level-3-Events-20131105/#events-inputevents.\n *\n * This event plugin is based on the native `textInput` event\n * available in Chrome, Safari, Opera, and IE. This event fires after\n * `onKeyPress` and `onCompositionEnd`, but before `onInput`.\n *\n * `beforeInput` is spec'd but not implemented in any browsers, and\n * the `input` event does not provide any useful information about what has\n * actually been added, contrary to the spec. Thus, `textInput` is the best\n * available event to identify the characters that have actually been inserted\n * into the target node.\n *\n * This plugin is also responsible for emitting `composition` events, thus\n * allowing us to share composition fallback code for both `beforeInput` and\n * `composition` event types.\n */\n\n\nfunction extractEvents(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget, eventSystemFlags, targetContainer) {\n  extractCompositionEvent(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget);\n  extractBeforeInputEvent(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget);\n}\n\n/**\n * @see http://www.whatwg.org/specs/web-apps/current-work/multipage/the-input-element.html#input-type-attr-summary\n */\nvar supportedInputTypes = {\n  color: true,\n  date: true,\n  datetime: true,\n  'datetime-local': true,\n  email: true,\n  month: true,\n  number: true,\n  password: true,\n  range: true,\n  search: true,\n  tel: true,\n  text: true,\n  time: true,\n  url: true,\n  week: true\n};\n\nfunction isTextInputElement(elem) {\n  var nodeName = elem && elem.nodeName && elem.nodeName.toLowerCase();\n\n  if (nodeName === 'input') {\n    return !!supportedInputTypes[elem.type];\n  }\n\n  if (nodeName === 'textarea') {\n    return true;\n  }\n\n  return false;\n}\n\n/**\n * Checks if an event is supported in the current execution environment.\n *\n * NOTE: This will not work correctly for non-generic events such as `change`,\n * `reset`, `load`, `error`, and `select`.\n *\n * Borrows from Modernizr.\n *\n * @param {string} eventNameSuffix Event name, e.g. \"click\".\n * @return {boolean} True if the event is supported.\n * @internal\n * @license Modernizr 3.0.0pre (Custom Build) | MIT\n */\n\nfunction isEventSupported(eventNameSuffix) {\n  if (!canUseDOM) {\n    return false;\n  }\n\n  var eventName = 'on' + eventNameSuffix;\n  var isSupported = (eventName in document);\n\n  if (!isSupported) {\n    var element = document.createElement('div');\n    element.setAttribute(eventName, 'return;');\n    isSupported = typeof element[eventName] === 'function';\n  }\n\n  return isSupported;\n}\n\nfunction registerEvents$1() {\n  registerTwoPhaseEvent('onChange', ['change', 'click', 'focusin', 'focusout', 'input', 'keydown', 'keyup', 'selectionchange']);\n}\n\nfunction createAndAccumulateChangeEvent(dispatchQueue, inst, nativeEvent, target) {\n  // Flag this event loop as needing state restore.\n  enqueueStateRestore(target);\n  var listeners = accumulateTwoPhaseListeners(inst, 'onChange');\n\n  if (listeners.length > 0) {\n    var event = new SyntheticEvent('onChange', 'change', null, nativeEvent, target);\n    dispatchQueue.push({\n      event: event,\n      listeners: listeners\n    });\n  }\n}\n/**\n * For IE shims\n */\n\n\nvar activeElement = null;\nvar activeElementInst = null;\n/**\n * SECTION: handle `change` event\n */\n\nfunction shouldUseChangeEvent(elem) {\n  var nodeName = elem.nodeName && elem.nodeName.toLowerCase();\n  return nodeName === 'select' || nodeName === 'input' && elem.type === 'file';\n}\n\nfunction manualDispatchChangeEvent(nativeEvent) {\n  var dispatchQueue = [];\n  createAndAccumulateChangeEvent(dispatchQueue, activeElementInst, nativeEvent, getEventTarget(nativeEvent)); // If change and propertychange bubbled, we'd just bind to it like all the\n  // other events and have it go through ReactBrowserEventEmitter. Since it\n  // doesn't, we manually listen for the events and so we have to enqueue and\n  // process the abstract event manually.\n  //\n  // Batching is necessary here in order to ensure that all event handlers run\n  // before the next rerender (including event handlers attached to ancestor\n  // elements instead of directly on the input). Without this, controlled\n  // components don't work properly in conjunction with event bubbling because\n  // the component is rerendered and the value reverted before all the event\n  // handlers can run. See https://github.com/facebook/react/issues/708.\n\n  batchedUpdates(runEventInBatch, dispatchQueue);\n}\n\nfunction runEventInBatch(dispatchQueue) {\n  processDispatchQueue(dispatchQueue, 0);\n}\n\nfunction getInstIfValueChanged(targetInst) {\n  var targetNode = getNodeFromInstance(targetInst);\n\n  if (updateValueIfChanged(targetNode)) {\n    return targetInst;\n  }\n}\n\nfunction getTargetInstForChangeEvent(domEventName, targetInst) {\n  if (domEventName === 'change') {\n    return targetInst;\n  }\n}\n/**\n * SECTION: handle `input` event\n */\n\n\nvar isInputEventSupported = false;\n\nif (canUseDOM) {\n  // IE9 claims to support the input event but fails to trigger it when\n  // deleting text, so we ignore its input events.\n  isInputEventSupported = isEventSupported('input') && (!document.documentMode || document.documentMode > 9);\n}\n/**\n * (For IE <=9) Starts tracking propertychange events on the passed-in element\n * and override the value property so that we can distinguish user events from\n * value changes in JS.\n */\n\n\nfunction startWatchingForValueChange(target, targetInst) {\n  activeElement = target;\n  activeElementInst = targetInst;\n  activeElement.attachEvent('onpropertychange', handlePropertyChange);\n}\n/**\n * (For IE <=9) Removes the event listeners from the currently-tracked element,\n * if any exists.\n */\n\n\nfunction stopWatchingForValueChange() {\n  if (!activeElement) {\n    return;\n  }\n\n  activeElement.detachEvent('onpropertychange', handlePropertyChange);\n  activeElement = null;\n  activeElementInst = null;\n}\n/**\n * (For IE <=9) Handles a propertychange event, sending a `change` event if\n * the value of the active element has changed.\n */\n\n\nfunction handlePropertyChange(nativeEvent) {\n  if (nativeEvent.propertyName !== 'value') {\n    return;\n  }\n\n  if (getInstIfValueChanged(activeElementInst)) {\n    manualDispatchChangeEvent(nativeEvent);\n  }\n}\n\nfunction handleEventsForInputEventPolyfill(domEventName, target, targetInst) {\n  if (domEventName === 'focusin') {\n    // In IE9, propertychange fires for most input events but is buggy and\n    // doesn't fire when text is deleted, but conveniently, selectionchange\n    // appears to fire in all of the remaining cases so we catch those and\n    // forward the event if the value has changed\n    // In either case, we don't want to call the event handler if the value\n    // is changed from JS so we redefine a setter for `.value` that updates\n    // our activeElementValue variable, allowing us to ignore those changes\n    //\n    // stopWatching() should be a noop here but we call it just in case we\n    // missed a blur event somehow.\n    stopWatchingForValueChange();\n    startWatchingForValueChange(target, targetInst);\n  } else if (domEventName === 'focusout') {\n    stopWatchingForValueChange();\n  }\n} // For IE8 and IE9.\n\n\nfunction getTargetInstForInputEventPolyfill(domEventName, targetInst) {\n  if (domEventName === 'selectionchange' || domEventName === 'keyup' || domEventName === 'keydown') {\n    // On the selectionchange event, the target is just document which isn't\n    // helpful for us so just check activeElement instead.\n    //\n    // 99% of the time, keydown and keyup aren't necessary. IE8 fails to fire\n    // propertychange on the first input event after setting `value` from a\n    // script and fires only keydown, keypress, keyup. Catching keyup usually\n    // gets it and catching keydown lets us fire an event for the first\n    // keystroke if user does a key repeat (it'll be a little delayed: right\n    // before the second keystroke). Other input methods (e.g., paste) seem to\n    // fire selectionchange normally.\n    return getInstIfValueChanged(activeElementInst);\n  }\n}\n/**\n * SECTION: handle `click` event\n */\n\n\nfunction shouldUseClickEvent(elem) {\n  // Use the `click` event to detect changes to checkbox and radio inputs.\n  // This approach works across all browsers, whereas `change` does not fire\n  // until `blur` in IE8.\n  var nodeName = elem.nodeName;\n  return nodeName && nodeName.toLowerCase() === 'input' && (elem.type === 'checkbox' || elem.type === 'radio');\n}\n\nfunction getTargetInstForClickEvent(domEventName, targetInst) {\n  if (domEventName === 'click') {\n    return getInstIfValueChanged(targetInst);\n  }\n}\n\nfunction getTargetInstForInputOrChangeEvent(domEventName, targetInst) {\n  if (domEventName === 'input' || domEventName === 'change') {\n    return getInstIfValueChanged(targetInst);\n  }\n}\n\nfunction handleControlledInputBlur(node) {\n  var state = node._wrapperState;\n\n  if (!state || !state.controlled || node.type !== 'number') {\n    return;\n  }\n\n  {\n    // If controlled, assign the value attribute to the current value on blur\n    setDefaultValue(node, 'number', node.value);\n  }\n}\n/**\n * This plugin creates an `onChange` event that normalizes change events\n * across form elements. This event fires at a time when it's possible to\n * change the element's value without seeing a flicker.\n *\n * Supported elements are:\n * - input (see `isTextInputElement`)\n * - textarea\n * - select\n */\n\n\nfunction extractEvents$1(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget, eventSystemFlags, targetContainer) {\n  var targetNode = targetInst ? getNodeFromInstance(targetInst) : window;\n  var getTargetInstFunc, handleEventFunc;\n\n  if (shouldUseChangeEvent(targetNode)) {\n    getTargetInstFunc = getTargetInstForChangeEvent;\n  } else if (isTextInputElement(targetNode)) {\n    if (isInputEventSupported) {\n      getTargetInstFunc = getTargetInstForInputOrChangeEvent;\n    } else {\n      getTargetInstFunc = getTargetInstForInputEventPolyfill;\n      handleEventFunc = handleEventsForInputEventPolyfill;\n    }\n  } else if (shouldUseClickEvent(targetNode)) {\n    getTargetInstFunc = getTargetInstForClickEvent;\n  }\n\n  if (getTargetInstFunc) {\n    var inst = getTargetInstFunc(domEventName, targetInst);\n\n    if (inst) {\n      createAndAccumulateChangeEvent(dispatchQueue, inst, nativeEvent, nativeEventTarget);\n      return;\n    }\n  }\n\n  if (handleEventFunc) {\n    handleEventFunc(domEventName, targetNode, targetInst);\n  } // When blurring, set the value attribute for number inputs\n\n\n  if (domEventName === 'focusout') {\n    handleControlledInputBlur(targetNode);\n  }\n}\n\nfunction registerEvents$2() {\n  registerDirectEvent('onMouseEnter', ['mouseout', 'mouseover']);\n  registerDirectEvent('onMouseLeave', ['mouseout', 'mouseover']);\n  registerDirectEvent('onPointerEnter', ['pointerout', 'pointerover']);\n  registerDirectEvent('onPointerLeave', ['pointerout', 'pointerover']);\n}\n/**\n * For almost every interaction we care about, there will be both a top-level\n * `mouseover` and `mouseout` event that occurs. Only use `mouseout` so that\n * we do not extract duplicate events. However, moving the mouse into the\n * browser from outside will not fire a `mouseout` event. In this case, we use\n * the `mouseover` top-level event.\n */\n\n\nfunction extractEvents$2(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget, eventSystemFlags, targetContainer) {\n  var isOverEvent = domEventName === 'mouseover' || domEventName === 'pointerover';\n  var isOutEvent = domEventName === 'mouseout' || domEventName === 'pointerout';\n\n  if (isOverEvent && !isReplayingEvent(nativeEvent)) {\n    // If this is an over event with a target, we might have already dispatched\n    // the event in the out event of the other target. If this is replayed,\n    // then it's because we couldn't dispatch against this target previously\n    // so we have to do it now instead.\n    var related = nativeEvent.relatedTarget || nativeEvent.fromElement;\n\n    if (related) {\n      // If the related node is managed by React, we can assume that we have\n      // already dispatched the corresponding events during its mouseout.\n      if (getClosestInstanceFromNode(related) || isContainerMarkedAsRoot(related)) {\n        return;\n      }\n    }\n  }\n\n  if (!isOutEvent && !isOverEvent) {\n    // Must not be a mouse or pointer in or out - ignoring.\n    return;\n  }\n\n  var win; // TODO: why is this nullable in the types but we read from it?\n\n  if (nativeEventTarget.window === nativeEventTarget) {\n    // `nativeEventTarget` is probably a window object.\n    win = nativeEventTarget;\n  } else {\n    // TODO: Figure out why `ownerDocument` is sometimes undefined in IE8.\n    var doc = nativeEventTarget.ownerDocument;\n\n    if (doc) {\n      win = doc.defaultView || doc.parentWindow;\n    } else {\n      win = window;\n    }\n  }\n\n  var from;\n  var to;\n\n  if (isOutEvent) {\n    var _related = nativeEvent.relatedTarget || nativeEvent.toElement;\n\n    from = targetInst;\n    to = _related ? getClosestInstanceFromNode(_related) : null;\n\n    if (to !== null) {\n      var nearestMounted = getNearestMountedFiber(to);\n\n      if (to !== nearestMounted || to.tag !== HostComponent && to.tag !== HostText) {\n        to = null;\n      }\n    }\n  } else {\n    // Moving to a node from outside the window.\n    from = null;\n    to = targetInst;\n  }\n\n  if (from === to) {\n    // Nothing pertains to our managed components.\n    return;\n  }\n\n  var SyntheticEventCtor = SyntheticMouseEvent;\n  var leaveEventType = 'onMouseLeave';\n  var enterEventType = 'onMouseEnter';\n  var eventTypePrefix = 'mouse';\n\n  if (domEventName === 'pointerout' || domEventName === 'pointerover') {\n    SyntheticEventCtor = SyntheticPointerEvent;\n    leaveEventType = 'onPointerLeave';\n    enterEventType = 'onPointerEnter';\n    eventTypePrefix = 'pointer';\n  }\n\n  var fromNode = from == null ? win : getNodeFromInstance(from);\n  var toNode = to == null ? win : getNodeFromInstance(to);\n  var leave = new SyntheticEventCtor(leaveEventType, eventTypePrefix + 'leave', from, nativeEvent, nativeEventTarget);\n  leave.target = fromNode;\n  leave.relatedTarget = toNode;\n  var enter = null; // We should only process this nativeEvent if we are processing\n  // the first ancestor. Next time, we will ignore the event.\n\n  var nativeTargetInst = getClosestInstanceFromNode(nativeEventTarget);\n\n  if (nativeTargetInst === targetInst) {\n    var enterEvent = new SyntheticEventCtor(enterEventType, eventTypePrefix + 'enter', to, nativeEvent, nativeEventTarget);\n    enterEvent.target = toNode;\n    enterEvent.relatedTarget = fromNode;\n    enter = enterEvent;\n  }\n\n  accumulateEnterLeaveTwoPhaseListeners(dispatchQueue, leave, enter, from, to);\n}\n\n/**\n * inlined Object.is polyfill to avoid requiring consumers ship their own\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is\n */\nfunction is(x, y) {\n  return x === y && (x !== 0 || 1 / x === 1 / y) || x !== x && y !== y // eslint-disable-line no-self-compare\n  ;\n}\n\nvar objectIs = typeof Object.is === 'function' ? Object.is : is;\n\n/**\n * Performs equality by iterating through keys on an object and returning false\n * when any key has values which are not strictly equal between the arguments.\n * Returns true when the values of all keys are strictly equal.\n */\n\nfunction shallowEqual(objA, objB) {\n  if (objectIs(objA, objB)) {\n    return true;\n  }\n\n  if (typeof objA !== 'object' || objA === null || typeof objB !== 'object' || objB === null) {\n    return false;\n  }\n\n  var keysA = Object.keys(objA);\n  var keysB = Object.keys(objB);\n\n  if (keysA.length !== keysB.length) {\n    return false;\n  } // Test for A's keys different from B.\n\n\n  for (var i = 0; i < keysA.length; i++) {\n    var currentKey = keysA[i];\n\n    if (!hasOwnProperty.call(objB, currentKey) || !objectIs(objA[currentKey], objB[currentKey])) {\n      return false;\n    }\n  }\n\n  return true;\n}\n\n/**\n * Given any node return the first leaf node without children.\n *\n * @param {DOMElement|DOMTextNode} node\n * @return {DOMElement|DOMTextNode}\n */\n\nfunction getLeafNode(node) {\n  while (node && node.firstChild) {\n    node = node.firstChild;\n  }\n\n  return node;\n}\n/**\n * Get the next sibling within a container. This will walk up the\n * DOM if a node's siblings have been exhausted.\n *\n * @param {DOMElement|DOMTextNode} node\n * @return {?DOMElement|DOMTextNode}\n */\n\n\nfunction getSiblingNode(node) {\n  while (node) {\n    if (node.nextSibling) {\n      return node.nextSibling;\n    }\n\n    node = node.parentNode;\n  }\n}\n/**\n * Get object describing the nodes which contain characters at offset.\n *\n * @param {DOMElement|DOMTextNode} root\n * @param {number} offset\n * @return {?object}\n */\n\n\nfunction getNodeForCharacterOffset(root, offset) {\n  var node = getLeafNode(root);\n  var nodeStart = 0;\n  var nodeEnd = 0;\n\n  while (node) {\n    if (node.nodeType === TEXT_NODE) {\n      nodeEnd = nodeStart + node.textContent.length;\n\n      if (nodeStart <= offset && nodeEnd >= offset) {\n        return {\n          node: node,\n          offset: offset - nodeStart\n        };\n      }\n\n      nodeStart = nodeEnd;\n    }\n\n    node = getLeafNode(getSiblingNode(node));\n  }\n}\n\n/**\n * @param {DOMElement} outerNode\n * @return {?object}\n */\n\nfunction getOffsets(outerNode) {\n  var ownerDocument = outerNode.ownerDocument;\n  var win = ownerDocument && ownerDocument.defaultView || window;\n  var selection = win.getSelection && win.getSelection();\n\n  if (!selection || selection.rangeCount === 0) {\n    return null;\n  }\n\n  var anchorNode = selection.anchorNode,\n      anchorOffset = selection.anchorOffset,\n      focusNode = selection.focusNode,\n      focusOffset = selection.focusOffset; // In Firefox, anchorNode and focusNode can be \"anonymous divs\", e.g. the\n  // up/down buttons on an <input type=\"number\">. Anonymous divs do not seem to\n  // expose properties, triggering a \"Permission denied error\" if any of its\n  // properties are accessed. The only seemingly possible way to avoid erroring\n  // is to access a property that typically works for non-anonymous divs and\n  // catch any error that may otherwise arise. See\n  // https://bugzilla.mozilla.org/show_bug.cgi?id=208427\n\n  try {\n    /* eslint-disable no-unused-expressions */\n    anchorNode.nodeType;\n    focusNode.nodeType;\n    /* eslint-enable no-unused-expressions */\n  } catch (e) {\n    return null;\n  }\n\n  return getModernOffsetsFromPoints(outerNode, anchorNode, anchorOffset, focusNode, focusOffset);\n}\n/**\n * Returns {start, end} where `start` is the character/codepoint index of\n * (anchorNode, anchorOffset) within the textContent of `outerNode`, and\n * `end` is the index of (focusNode, focusOffset).\n *\n * Returns null if you pass in garbage input but we should probably just crash.\n *\n * Exported only for testing.\n */\n\nfunction getModernOffsetsFromPoints(outerNode, anchorNode, anchorOffset, focusNode, focusOffset) {\n  var length = 0;\n  var start = -1;\n  var end = -1;\n  var indexWithinAnchor = 0;\n  var indexWithinFocus = 0;\n  var node = outerNode;\n  var parentNode = null;\n\n  outer: while (true) {\n    var next = null;\n\n    while (true) {\n      if (node === anchorNode && (anchorOffset === 0 || node.nodeType === TEXT_NODE)) {\n        start = length + anchorOffset;\n      }\n\n      if (node === focusNode && (focusOffset === 0 || node.nodeType === TEXT_NODE)) {\n        end = length + focusOffset;\n      }\n\n      if (node.nodeType === TEXT_NODE) {\n        length += node.nodeValue.length;\n      }\n\n      if ((next = node.firstChild) === null) {\n        break;\n      } // Moving from `node` to its first child `next`.\n\n\n      parentNode = node;\n      node = next;\n    }\n\n    while (true) {\n      if (node === outerNode) {\n        // If `outerNode` has children, this is always the second time visiting\n        // it. If it has no children, this is still the first loop, and the only\n        // valid selection is anchorNode and focusNode both equal to this node\n        // and both offsets 0, in which case we will have handled above.\n        break outer;\n      }\n\n      if (parentNode === anchorNode && ++indexWithinAnchor === anchorOffset) {\n        start = length;\n      }\n\n      if (parentNode === focusNode && ++indexWithinFocus === focusOffset) {\n        end = length;\n      }\n\n      if ((next = node.nextSibling) !== null) {\n        break;\n      }\n\n      node = parentNode;\n      parentNode = node.parentNode;\n    } // Moving from `node` to its next sibling `next`.\n\n\n    node = next;\n  }\n\n  if (start === -1 || end === -1) {\n    // This should never happen. (Would happen if the anchor/focus nodes aren't\n    // actually inside the passed-in node.)\n    return null;\n  }\n\n  return {\n    start: start,\n    end: end\n  };\n}\n/**\n * In modern non-IE browsers, we can support both forward and backward\n * selections.\n *\n * Note: IE10+ supports the Selection object, but it does not support\n * the `extend` method, which means that even in modern IE, it's not possible\n * to programmatically create a backward selection. Thus, for all IE\n * versions, we use the old IE API to create our selections.\n *\n * @param {DOMElement|DOMTextNode} node\n * @param {object} offsets\n */\n\nfunction setOffsets(node, offsets) {\n  var doc = node.ownerDocument || document;\n  var win = doc && doc.defaultView || window; // Edge fails with \"Object expected\" in some scenarios.\n  // (For instance: TinyMCE editor used in a list component that supports pasting to add more,\n  // fails when pasting 100+ items)\n\n  if (!win.getSelection) {\n    return;\n  }\n\n  var selection = win.getSelection();\n  var length = node.textContent.length;\n  var start = Math.min(offsets.start, length);\n  var end = offsets.end === undefined ? start : Math.min(offsets.end, length); // IE 11 uses modern selection, but doesn't support the extend method.\n  // Flip backward selections, so we can set with a single range.\n\n  if (!selection.extend && start > end) {\n    var temp = end;\n    end = start;\n    start = temp;\n  }\n\n  var startMarker = getNodeForCharacterOffset(node, start);\n  var endMarker = getNodeForCharacterOffset(node, end);\n\n  if (startMarker && endMarker) {\n    if (selection.rangeCount === 1 && selection.anchorNode === startMarker.node && selection.anchorOffset === startMarker.offset && selection.focusNode === endMarker.node && selection.focusOffset === endMarker.offset) {\n      return;\n    }\n\n    var range = doc.createRange();\n    range.setStart(startMarker.node, startMarker.offset);\n    selection.removeAllRanges();\n\n    if (start > end) {\n      selection.addRange(range);\n      selection.extend(endMarker.node, endMarker.offset);\n    } else {\n      range.setEnd(endMarker.node, endMarker.offset);\n      selection.addRange(range);\n    }\n  }\n}\n\nfunction isTextNode(node) {\n  return node && node.nodeType === TEXT_NODE;\n}\n\nfunction containsNode(outerNode, innerNode) {\n  if (!outerNode || !innerNode) {\n    return false;\n  } else if (outerNode === innerNode) {\n    return true;\n  } else if (isTextNode(outerNode)) {\n    return false;\n  } else if (isTextNode(innerNode)) {\n    return containsNode(outerNode, innerNode.parentNode);\n  } else if ('contains' in outerNode) {\n    return outerNode.contains(innerNode);\n  } else if (outerNode.compareDocumentPosition) {\n    return !!(outerNode.compareDocumentPosition(innerNode) & 16);\n  } else {\n    return false;\n  }\n}\n\nfunction isInDocument(node) {\n  return node && node.ownerDocument && containsNode(node.ownerDocument.documentElement, node);\n}\n\nfunction isSameOriginFrame(iframe) {\n  try {\n    // Accessing the contentDocument of a HTMLIframeElement can cause the browser\n    // to throw, e.g. if it has a cross-origin src attribute.\n    // Safari will show an error in the console when the access results in \"Blocked a frame with origin\". e.g:\n    // iframe.contentDocument.defaultView;\n    // A safety way is to access one of the cross origin properties: Window or Location\n    // Which might result in \"SecurityError\" DOM Exception and it is compatible to Safari.\n    // https://html.spec.whatwg.org/multipage/browsers.html#integration-with-idl\n    return typeof iframe.contentWindow.location.href === 'string';\n  } catch (err) {\n    return false;\n  }\n}\n\nfunction getActiveElementDeep() {\n  var win = window;\n  var element = getActiveElement();\n\n  while (element instanceof win.HTMLIFrameElement) {\n    if (isSameOriginFrame(element)) {\n      win = element.contentWindow;\n    } else {\n      return element;\n    }\n\n    element = getActiveElement(win.document);\n  }\n\n  return element;\n}\n/**\n * @ReactInputSelection: React input selection module. Based on Selection.js,\n * but modified to be suitable for react and has a couple of bug fixes (doesn't\n * assume buttons have range selections allowed).\n * Input selection module for React.\n */\n\n/**\n * @hasSelectionCapabilities: we get the element types that support selection\n * from https://html.spec.whatwg.org/#do-not-apply, looking at `selectionStart`\n * and `selectionEnd` rows.\n */\n\n\nfunction hasSelectionCapabilities(elem) {\n  var nodeName = elem && elem.nodeName && elem.nodeName.toLowerCase();\n  return nodeName && (nodeName === 'input' && (elem.type === 'text' || elem.type === 'search' || elem.type === 'tel' || elem.type === 'url' || elem.type === 'password') || nodeName === 'textarea' || elem.contentEditable === 'true');\n}\nfunction getSelectionInformation() {\n  var focusedElem = getActiveElementDeep();\n  return {\n    focusedElem: focusedElem,\n    selectionRange: hasSelectionCapabilities(focusedElem) ? getSelection(focusedElem) : null\n  };\n}\n/**\n * @restoreSelection: If any selection information was potentially lost,\n * restore it. This is useful when performing operations that could remove dom\n * nodes and place them back in, resulting in focus being lost.\n */\n\nfunction restoreSelection(priorSelectionInformation) {\n  var curFocusedElem = getActiveElementDeep();\n  var priorFocusedElem = priorSelectionInformation.focusedElem;\n  var priorSelectionRange = priorSelectionInformation.selectionRange;\n\n  if (curFocusedElem !== priorFocusedElem && isInDocument(priorFocusedElem)) {\n    if (priorSelectionRange !== null && hasSelectionCapabilities(priorFocusedElem)) {\n      setSelection(priorFocusedElem, priorSelectionRange);\n    } // Focusing a node can change the scroll position, which is undesirable\n\n\n    var ancestors = [];\n    var ancestor = priorFocusedElem;\n\n    while (ancestor = ancestor.parentNode) {\n      if (ancestor.nodeType === ELEMENT_NODE) {\n        ancestors.push({\n          element: ancestor,\n          left: ancestor.scrollLeft,\n          top: ancestor.scrollTop\n        });\n      }\n    }\n\n    if (typeof priorFocusedElem.focus === 'function') {\n      priorFocusedElem.focus();\n    }\n\n    for (var i = 0; i < ancestors.length; i++) {\n      var info = ancestors[i];\n      info.element.scrollLeft = info.left;\n      info.element.scrollTop = info.top;\n    }\n  }\n}\n/**\n * @getSelection: Gets the selection bounds of a focused textarea, input or\n * contentEditable node.\n * -@input: Look up selection bounds of this input\n * -@return {start: selectionStart, end: selectionEnd}\n */\n\nfunction getSelection(input) {\n  var selection;\n\n  if ('selectionStart' in input) {\n    // Modern browser with input or textarea.\n    selection = {\n      start: input.selectionStart,\n      end: input.selectionEnd\n    };\n  } else {\n    // Content editable or old IE textarea.\n    selection = getOffsets(input);\n  }\n\n  return selection || {\n    start: 0,\n    end: 0\n  };\n}\n/**\n * @setSelection: Sets the selection bounds of a textarea or input and focuses\n * the input.\n * -@input     Set selection bounds of this input or textarea\n * -@offsets   Object of same form that is returned from get*\n */\n\nfunction setSelection(input, offsets) {\n  var start = offsets.start;\n  var end = offsets.end;\n\n  if (end === undefined) {\n    end = start;\n  }\n\n  if ('selectionStart' in input) {\n    input.selectionStart = start;\n    input.selectionEnd = Math.min(end, input.value.length);\n  } else {\n    setOffsets(input, offsets);\n  }\n}\n\nvar skipSelectionChangeEvent = canUseDOM && 'documentMode' in document && document.documentMode <= 11;\n\nfunction registerEvents$3() {\n  registerTwoPhaseEvent('onSelect', ['focusout', 'contextmenu', 'dragend', 'focusin', 'keydown', 'keyup', 'mousedown', 'mouseup', 'selectionchange']);\n}\n\nvar activeElement$1 = null;\nvar activeElementInst$1 = null;\nvar lastSelection = null;\nvar mouseDown = false;\n/**\n * Get an object which is a unique representation of the current selection.\n *\n * The return value will not be consistent across nodes or browsers, but\n * two identical selections on the same node will return identical objects.\n */\n\nfunction getSelection$1(node) {\n  if ('selectionStart' in node && hasSelectionCapabilities(node)) {\n    return {\n      start: node.selectionStart,\n      end: node.selectionEnd\n    };\n  } else {\n    var win = node.ownerDocument && node.ownerDocument.defaultView || window;\n    var selection = win.getSelection();\n    return {\n      anchorNode: selection.anchorNode,\n      anchorOffset: selection.anchorOffset,\n      focusNode: selection.focusNode,\n      focusOffset: selection.focusOffset\n    };\n  }\n}\n/**\n * Get document associated with the event target.\n */\n\n\nfunction getEventTargetDocument(eventTarget) {\n  return eventTarget.window === eventTarget ? eventTarget.document : eventTarget.nodeType === DOCUMENT_NODE ? eventTarget : eventTarget.ownerDocument;\n}\n/**\n * Poll selection to see whether it's changed.\n *\n * @param {object} nativeEvent\n * @param {object} nativeEventTarget\n * @return {?SyntheticEvent}\n */\n\n\nfunction constructSelectEvent(dispatchQueue, nativeEvent, nativeEventTarget) {\n  // Ensure we have the right element, and that the user is not dragging a\n  // selection (this matches native `select` event behavior). In HTML5, select\n  // fires only on input and textarea thus if there's no focused element we\n  // won't dispatch.\n  var doc = getEventTargetDocument(nativeEventTarget);\n\n  if (mouseDown || activeElement$1 == null || activeElement$1 !== getActiveElement(doc)) {\n    return;\n  } // Only fire when selection has actually changed.\n\n\n  var currentSelection = getSelection$1(activeElement$1);\n\n  if (!lastSelection || !shallowEqual(lastSelection, currentSelection)) {\n    lastSelection = currentSelection;\n    var listeners = accumulateTwoPhaseListeners(activeElementInst$1, 'onSelect');\n\n    if (listeners.length > 0) {\n      var event = new SyntheticEvent('onSelect', 'select', null, nativeEvent, nativeEventTarget);\n      dispatchQueue.push({\n        event: event,\n        listeners: listeners\n      });\n      event.target = activeElement$1;\n    }\n  }\n}\n/**\n * This plugin creates an `onSelect` event that normalizes select events\n * across form elements.\n *\n * Supported elements are:\n * - input (see `isTextInputElement`)\n * - textarea\n * - contentEditable\n *\n * This differs from native browser implementations in the following ways:\n * - Fires on contentEditable fields as well as inputs.\n * - Fires for collapsed selection.\n * - Fires after user input.\n */\n\n\nfunction extractEvents$3(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget, eventSystemFlags, targetContainer) {\n  var targetNode = targetInst ? getNodeFromInstance(targetInst) : window;\n\n  switch (domEventName) {\n    // Track the input node that has focus.\n    case 'focusin':\n      if (isTextInputElement(targetNode) || targetNode.contentEditable === 'true') {\n        activeElement$1 = targetNode;\n        activeElementInst$1 = targetInst;\n        lastSelection = null;\n      }\n\n      break;\n\n    case 'focusout':\n      activeElement$1 = null;\n      activeElementInst$1 = null;\n      lastSelection = null;\n      break;\n    // Don't fire the event while the user is dragging. This matches the\n    // semantics of the native select event.\n\n    case 'mousedown':\n      mouseDown = true;\n      break;\n\n    case 'contextmenu':\n    case 'mouseup':\n    case 'dragend':\n      mouseDown = false;\n      constructSelectEvent(dispatchQueue, nativeEvent, nativeEventTarget);\n      break;\n    // Chrome and IE fire non-standard event when selection is changed (and\n    // sometimes when it hasn't). IE's event fires out of order with respect\n    // to key and input events on deletion, so we discard it.\n    //\n    // Firefox doesn't support selectionchange, so check selection status\n    // after each key entry. The selection changes after keydown and before\n    // keyup, but we check on keydown as well in the case of holding down a\n    // key, when multiple keydown events are fired but only one keyup is.\n    // This is also our approach for IE handling, for the reason above.\n\n    case 'selectionchange':\n      if (skipSelectionChangeEvent) {\n        break;\n      }\n\n    // falls through\n\n    case 'keydown':\n    case 'keyup':\n      constructSelectEvent(dispatchQueue, nativeEvent, nativeEventTarget);\n  }\n}\n\n/**\n * Generate a mapping of standard vendor prefixes using the defined style property and event name.\n *\n * @param {string} styleProp\n * @param {string} eventName\n * @returns {object}\n */\n\nfunction makePrefixMap(styleProp, eventName) {\n  var prefixes = {};\n  prefixes[styleProp.toLowerCase()] = eventName.toLowerCase();\n  prefixes['Webkit' + styleProp] = 'webkit' + eventName;\n  prefixes['Moz' + styleProp] = 'moz' + eventName;\n  return prefixes;\n}\n/**\n * A list of event names to a configurable list of vendor prefixes.\n */\n\n\nvar vendorPrefixes = {\n  animationend: makePrefixMap('Animation', 'AnimationEnd'),\n  animationiteration: makePrefixMap('Animation', 'AnimationIteration'),\n  animationstart: makePrefixMap('Animation', 'AnimationStart'),\n  transitionend: makePrefixMap('Transition', 'TransitionEnd')\n};\n/**\n * Event names that have already been detected and prefixed (if applicable).\n */\n\nvar prefixedEventNames = {};\n/**\n * Element to check for prefixes on.\n */\n\nvar style = {};\n/**\n * Bootstrap if a DOM exists.\n */\n\nif (canUseDOM) {\n  style = document.createElement('div').style; // On some platforms, in particular some releases of Android 4.x,\n  // the un-prefixed \"animation\" and \"transition\" properties are defined on the\n  // style object but the events that fire will still be prefixed, so we need\n  // to check if the un-prefixed events are usable, and if not remove them from the map.\n\n  if (!('AnimationEvent' in window)) {\n    delete vendorPrefixes.animationend.animation;\n    delete vendorPrefixes.animationiteration.animation;\n    delete vendorPrefixes.animationstart.animation;\n  } // Same as above\n\n\n  if (!('TransitionEvent' in window)) {\n    delete vendorPrefixes.transitionend.transition;\n  }\n}\n/**\n * Attempts to determine the correct vendor prefixed event name.\n *\n * @param {string} eventName\n * @returns {string}\n */\n\n\nfunction getVendorPrefixedEventName(eventName) {\n  if (prefixedEventNames[eventName]) {\n    return prefixedEventNames[eventName];\n  } else if (!vendorPrefixes[eventName]) {\n    return eventName;\n  }\n\n  var prefixMap = vendorPrefixes[eventName];\n\n  for (var styleProp in prefixMap) {\n    if (prefixMap.hasOwnProperty(styleProp) && styleProp in style) {\n      return prefixedEventNames[eventName] = prefixMap[styleProp];\n    }\n  }\n\n  return eventName;\n}\n\nvar ANIMATION_END = getVendorPrefixedEventName('animationend');\nvar ANIMATION_ITERATION = getVendorPrefixedEventName('animationiteration');\nvar ANIMATION_START = getVendorPrefixedEventName('animationstart');\nvar TRANSITION_END = getVendorPrefixedEventName('transitionend');\n\nvar topLevelEventsToReactNames = new Map(); // NOTE: Capitalization is important in this list!\n//\n// E.g. it needs \"pointerDown\", not \"pointerdown\".\n// This is because we derive both React name (\"onPointerDown\")\n// and DOM name (\"pointerdown\") from the same list.\n//\n// Exceptions that don't match this convention are listed separately.\n//\n// prettier-ignore\n\nvar simpleEventPluginEvents = ['abort', 'auxClick', 'cancel', 'canPlay', 'canPlayThrough', 'click', 'close', 'contextMenu', 'copy', 'cut', 'drag', 'dragEnd', 'dragEnter', 'dragExit', 'dragLeave', 'dragOver', 'dragStart', 'drop', 'durationChange', 'emptied', 'encrypted', 'ended', 'error', 'gotPointerCapture', 'input', 'invalid', 'keyDown', 'keyPress', 'keyUp', 'load', 'loadedData', 'loadedMetadata', 'loadStart', 'lostPointerCapture', 'mouseDown', 'mouseMove', 'mouseOut', 'mouseOver', 'mouseUp', 'paste', 'pause', 'play', 'playing', 'pointerCancel', 'pointerDown', 'pointerMove', 'pointerOut', 'pointerOver', 'pointerUp', 'progress', 'rateChange', 'reset', 'resize', 'seeked', 'seeking', 'stalled', 'submit', 'suspend', 'timeUpdate', 'touchCancel', 'touchEnd', 'touchStart', 'volumeChange', 'scroll', 'toggle', 'touchMove', 'waiting', 'wheel'];\n\nfunction registerSimpleEvent(domEventName, reactName) {\n  topLevelEventsToReactNames.set(domEventName, reactName);\n  registerTwoPhaseEvent(reactName, [domEventName]);\n}\n\nfunction registerSimpleEvents() {\n  for (var i = 0; i < simpleEventPluginEvents.length; i++) {\n    var eventName = simpleEventPluginEvents[i];\n    var domEventName = eventName.toLowerCase();\n    var capitalizedEvent = eventName[0].toUpperCase() + eventName.slice(1);\n    registerSimpleEvent(domEventName, 'on' + capitalizedEvent);\n  } // Special cases where event names don't match.\n\n\n  registerSimpleEvent(ANIMATION_END, 'onAnimationEnd');\n  registerSimpleEvent(ANIMATION_ITERATION, 'onAnimationIteration');\n  registerSimpleEvent(ANIMATION_START, 'onAnimationStart');\n  registerSimpleEvent('dblclick', 'onDoubleClick');\n  registerSimpleEvent('focusin', 'onFocus');\n  registerSimpleEvent('focusout', 'onBlur');\n  registerSimpleEvent(TRANSITION_END, 'onTransitionEnd');\n}\n\nfunction extractEvents$4(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget, eventSystemFlags, targetContainer) {\n  var reactName = topLevelEventsToReactNames.get(domEventName);\n\n  if (reactName === undefined) {\n    return;\n  }\n\n  var SyntheticEventCtor = SyntheticEvent;\n  var reactEventType = domEventName;\n\n  switch (domEventName) {\n    case 'keypress':\n      // Firefox creates a keypress event for function keys too. This removes\n      // the unwanted keypress events. Enter is however both printable and\n      // non-printable. One would expect Tab to be as well (but it isn't).\n      if (getEventCharCode(nativeEvent) === 0) {\n        return;\n      }\n\n    /* falls through */\n\n    case 'keydown':\n    case 'keyup':\n      SyntheticEventCtor = SyntheticKeyboardEvent;\n      break;\n\n    case 'focusin':\n      reactEventType = 'focus';\n      SyntheticEventCtor = SyntheticFocusEvent;\n      break;\n\n    case 'focusout':\n      reactEventType = 'blur';\n      SyntheticEventCtor = SyntheticFocusEvent;\n      break;\n\n    case 'beforeblur':\n    case 'afterblur':\n      SyntheticEventCtor = SyntheticFocusEvent;\n      break;\n\n    case 'click':\n      // Firefox creates a click event on right mouse clicks. This removes the\n      // unwanted click events.\n      if (nativeEvent.button === 2) {\n        return;\n      }\n\n    /* falls through */\n\n    case 'auxclick':\n    case 'dblclick':\n    case 'mousedown':\n    case 'mousemove':\n    case 'mouseup': // TODO: Disabled elements should not respond to mouse events\n\n    /* falls through */\n\n    case 'mouseout':\n    case 'mouseover':\n    case 'contextmenu':\n      SyntheticEventCtor = SyntheticMouseEvent;\n      break;\n\n    case 'drag':\n    case 'dragend':\n    case 'dragenter':\n    case 'dragexit':\n    case 'dragleave':\n    case 'dragover':\n    case 'dragstart':\n    case 'drop':\n      SyntheticEventCtor = SyntheticDragEvent;\n      break;\n\n    case 'touchcancel':\n    case 'touchend':\n    case 'touchmove':\n    case 'touchstart':\n      SyntheticEventCtor = SyntheticTouchEvent;\n      break;\n\n    case ANIMATION_END:\n    case ANIMATION_ITERATION:\n    case ANIMATION_START:\n      SyntheticEventCtor = SyntheticAnimationEvent;\n      break;\n\n    case TRANSITION_END:\n      SyntheticEventCtor = SyntheticTransitionEvent;\n      break;\n\n    case 'scroll':\n      SyntheticEventCtor = SyntheticUIEvent;\n      break;\n\n    case 'wheel':\n      SyntheticEventCtor = SyntheticWheelEvent;\n      break;\n\n    case 'copy':\n    case 'cut':\n    case 'paste':\n      SyntheticEventCtor = SyntheticClipboardEvent;\n      break;\n\n    case 'gotpointercapture':\n    case 'lostpointercapture':\n    case 'pointercancel':\n    case 'pointerdown':\n    case 'pointermove':\n    case 'pointerout':\n    case 'pointerover':\n    case 'pointerup':\n      SyntheticEventCtor = SyntheticPointerEvent;\n      break;\n  }\n\n  var inCapturePhase = (eventSystemFlags & IS_CAPTURE_PHASE) !== 0;\n\n  {\n    // Some events don't bubble in the browser.\n    // In the past, React has always bubbled them, but this can be surprising.\n    // We're going to try aligning closer to the browser behavior by not bubbling\n    // them in React either. We'll start by not bubbling onScroll, and then expand.\n    var accumulateTargetOnly = !inCapturePhase && // TODO: ideally, we'd eventually add all events from\n    // nonDelegatedEvents list in DOMPluginEventSystem.\n    // Then we can remove this special list.\n    // This is a breaking change that can wait until React 18.\n    domEventName === 'scroll';\n\n    var _listeners = accumulateSinglePhaseListeners(targetInst, reactName, nativeEvent.type, inCapturePhase, accumulateTargetOnly);\n\n    if (_listeners.length > 0) {\n      // Intentionally create event lazily.\n      var _event = new SyntheticEventCtor(reactName, reactEventType, null, nativeEvent, nativeEventTarget);\n\n      dispatchQueue.push({\n        event: _event,\n        listeners: _listeners\n      });\n    }\n  }\n}\n\n// TODO: remove top-level side effect.\nregisterSimpleEvents();\nregisterEvents$2();\nregisterEvents$1();\nregisterEvents$3();\nregisterEvents();\n\nfunction extractEvents$5(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget, eventSystemFlags, targetContainer) {\n  // TODO: we should remove the concept of a \"SimpleEventPlugin\".\n  // This is the basic functionality of the event system. All\n  // the other plugins are essentially polyfills. So the plugin\n  // should probably be inlined somewhere and have its logic\n  // be core the to event system. This would potentially allow\n  // us to ship builds of React without the polyfilled plugins below.\n  extractEvents$4(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget, eventSystemFlags);\n  var shouldProcessPolyfillPlugins = (eventSystemFlags & SHOULD_NOT_PROCESS_POLYFILL_EVENT_PLUGINS) === 0; // We don't process these events unless we are in the\n  // event's native \"bubble\" phase, which means that we're\n  // not in the capture phase. That's because we emulate\n  // the capture phase here still. This is a trade-off,\n  // because in an ideal world we would not emulate and use\n  // the phases properly, like we do with the SimpleEvent\n  // plugin. However, the plugins below either expect\n  // emulation (EnterLeave) or use state localized to that\n  // plugin (BeforeInput, Change, Select). The state in\n  // these modules complicates things, as you'll essentially\n  // get the case where the capture phase event might change\n  // state, only for the following bubble event to come in\n  // later and not trigger anything as the state now\n  // invalidates the heuristics of the event plugin. We\n  // could alter all these plugins to work in such ways, but\n  // that might cause other unknown side-effects that we\n  // can't foresee right now.\n\n  if (shouldProcessPolyfillPlugins) {\n    extractEvents$2(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget);\n    extractEvents$1(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget);\n    extractEvents$3(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget);\n    extractEvents(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget);\n  }\n} // List of events that need to be individually attached to media elements.\n\n\nvar mediaEventTypes = ['abort', 'canplay', 'canplaythrough', 'durationchange', 'emptied', 'encrypted', 'ended', 'error', 'loadeddata', 'loadedmetadata', 'loadstart', 'pause', 'play', 'playing', 'progress', 'ratechange', 'resize', 'seeked', 'seeking', 'stalled', 'suspend', 'timeupdate', 'volumechange', 'waiting']; // We should not delegate these events to the container, but rather\n// set them on the actual target element itself. This is primarily\n// because these events do not consistently bubble in the DOM.\n\nvar nonDelegatedEvents = new Set(['cancel', 'close', 'invalid', 'load', 'scroll', 'toggle'].concat(mediaEventTypes));\n\nfunction executeDispatch(event, listener, currentTarget) {\n  var type = event.type || 'unknown-event';\n  event.currentTarget = currentTarget;\n  invokeGuardedCallbackAndCatchFirstError(type, listener, undefined, event);\n  event.currentTarget = null;\n}\n\nfunction processDispatchQueueItemsInOrder(event, dispatchListeners, inCapturePhase) {\n  var previousInstance;\n\n  if (inCapturePhase) {\n    for (var i = dispatchListeners.length - 1; i >= 0; i--) {\n      var _dispatchListeners$i = dispatchListeners[i],\n          instance = _dispatchListeners$i.instance,\n          currentTarget = _dispatchListeners$i.currentTarget,\n          listener = _dispatchListeners$i.listener;\n\n      if (instance !== previousInstance && event.isPropagationStopped()) {\n        return;\n      }\n\n      executeDispatch(event, listener, currentTarget);\n      previousInstance = instance;\n    }\n  } else {\n    for (var _i = 0; _i < dispatchListeners.length; _i++) {\n      var _dispatchListeners$_i = dispatchListeners[_i],\n          _instance = _dispatchListeners$_i.instance,\n          _currentTarget = _dispatchListeners$_i.currentTarget,\n          _listener = _dispatchListeners$_i.listener;\n\n      if (_instance !== previousInstance && event.isPropagationStopped()) {\n        return;\n      }\n\n      executeDispatch(event, _listener, _currentTarget);\n      previousInstance = _instance;\n    }\n  }\n}\n\nfunction processDispatchQueue(dispatchQueue, eventSystemFlags) {\n  var inCapturePhase = (eventSystemFlags & IS_CAPTURE_PHASE) !== 0;\n\n  for (var i = 0; i < dispatchQueue.length; i++) {\n    var _dispatchQueue$i = dispatchQueue[i],\n        event = _dispatchQueue$i.event,\n        listeners = _dispatchQueue$i.listeners;\n    processDispatchQueueItemsInOrder(event, listeners, inCapturePhase); //  event system doesn't use pooling.\n  } // This would be a good time to rethrow if any of the event handlers threw.\n\n\n  rethrowCaughtError();\n}\n\nfunction dispatchEventsForPlugins(domEventName, eventSystemFlags, nativeEvent, targetInst, targetContainer) {\n  var nativeEventTarget = getEventTarget(nativeEvent);\n  var dispatchQueue = [];\n  extractEvents$5(dispatchQueue, domEventName, targetInst, nativeEvent, nativeEventTarget, eventSystemFlags);\n  processDispatchQueue(dispatchQueue, eventSystemFlags);\n}\n\nfunction listenToNonDelegatedEvent(domEventName, targetElement) {\n  {\n    if (!nonDelegatedEvents.has(domEventName)) {\n      error('Did not expect a listenToNonDelegatedEvent() call for \"%s\". ' + 'This is a bug in React. Please file an issue.', domEventName);\n    }\n  }\n\n  var isCapturePhaseListener = false;\n  var listenerSet = getEventListenerSet(targetElement);\n  var listenerSetKey = getListenerSetKey(domEventName, isCapturePhaseListener);\n\n  if (!listenerSet.has(listenerSetKey)) {\n    addTrappedEventListener(targetElement, domEventName, IS_NON_DELEGATED, isCapturePhaseListener);\n    listenerSet.add(listenerSetKey);\n  }\n}\nfunction listenToNativeEvent(domEventName, isCapturePhaseListener, target) {\n  {\n    if (nonDelegatedEvents.has(domEventName) && !isCapturePhaseListener) {\n      error('Did not expect a listenToNativeEvent() call for \"%s\" in the bubble phase. ' + 'This is a bug in React. Please file an issue.', domEventName);\n    }\n  }\n\n  var eventSystemFlags = 0;\n\n  if (isCapturePhaseListener) {\n    eventSystemFlags |= IS_CAPTURE_PHASE;\n  }\n\n  addTrappedEventListener(target, domEventName, eventSystemFlags, isCapturePhaseListener);\n} // This is only used by createEventHandle when the\nvar listeningMarker = '_reactListening' + Math.random().toString(36).slice(2);\nfunction listenToAllSupportedEvents(rootContainerElement) {\n  if (!rootContainerElement[listeningMarker]) {\n    rootContainerElement[listeningMarker] = true;\n    allNativeEvents.forEach(function (domEventName) {\n      // We handle selectionchange separately because it\n      // doesn't bubble and needs to be on the document.\n      if (domEventName !== 'selectionchange') {\n        if (!nonDelegatedEvents.has(domEventName)) {\n          listenToNativeEvent(domEventName, false, rootContainerElement);\n        }\n\n        listenToNativeEvent(domEventName, true, rootContainerElement);\n      }\n    });\n    var ownerDocument = rootContainerElement.nodeType === DOCUMENT_NODE ? rootContainerElement : rootContainerElement.ownerDocument;\n\n    if (ownerDocument !== null) {\n      // The selectionchange event also needs deduplication\n      // but it is attached to the document.\n      if (!ownerDocument[listeningMarker]) {\n        ownerDocument[listeningMarker] = true;\n        listenToNativeEvent('selectionchange', false, ownerDocument);\n      }\n    }\n  }\n}\n\nfunction addTrappedEventListener(targetContainer, domEventName, eventSystemFlags, isCapturePhaseListener, isDeferredListenerForLegacyFBSupport) {\n  var listener = createEventListenerWrapperWithPriority(targetContainer, domEventName, eventSystemFlags); // If passive option is not supported, then the event will be\n  // active and not passive.\n\n  var isPassiveListener = undefined;\n\n  if (passiveBrowserEventsSupported) {\n    // Browsers introduced an intervention, making these events\n    // passive by default on document. React doesn't bind them\n    // to document anymore, but changing this now would undo\n    // the performance wins from the change. So we emulate\n    // the existing behavior manually on the roots now.\n    // https://github.com/facebook/react/issues/19651\n    if (domEventName === 'touchstart' || domEventName === 'touchmove' || domEventName === 'wheel') {\n      isPassiveListener = true;\n    }\n  }\n\n  targetContainer =  targetContainer;\n  var unsubscribeListener; // When legacyFBSupport is enabled, it's for when we\n\n\n  if (isCapturePhaseListener) {\n    if (isPassiveListener !== undefined) {\n      unsubscribeListener = addEventCaptureListenerWithPassiveFlag(targetContainer, domEventName, listener, isPassiveListener);\n    } else {\n      unsubscribeListener = addEventCaptureListener(targetContainer, domEventName, listener);\n    }\n  } else {\n    if (isPassiveListener !== undefined) {\n      unsubscribeListener = addEventBubbleListenerWithPassiveFlag(targetContainer, domEventName, listener, isPassiveListener);\n    } else {\n      unsubscribeListener = addEventBubbleListener(targetContainer, domEventName, listener);\n    }\n  }\n}\n\nfunction isMatchingRootContainer(grandContainer, targetContainer) {\n  return grandContainer === targetContainer || grandContainer.nodeType === COMMENT_NODE && grandContainer.parentNode === targetContainer;\n}\n\nfunction dispatchEventForPluginEventSystem(domEventName, eventSystemFlags, nativeEvent, targetInst, targetContainer) {\n  var ancestorInst = targetInst;\n\n  if ((eventSystemFlags & IS_EVENT_HANDLE_NON_MANAGED_NODE) === 0 && (eventSystemFlags & IS_NON_DELEGATED) === 0) {\n    var targetContainerNode = targetContainer; // If we are using the legacy FB support flag, we\n\n    if (targetInst !== null) {\n      // The below logic attempts to work out if we need to change\n      // the target fiber to a different ancestor. We had similar logic\n      // in the legacy event system, except the big difference between\n      // systems is that the modern event system now has an event listener\n      // attached to each React Root and React Portal Root. Together,\n      // the DOM nodes representing these roots are the \"rootContainer\".\n      // To figure out which ancestor instance we should use, we traverse\n      // up the fiber tree from the target instance and attempt to find\n      // root boundaries that match that of our current \"rootContainer\".\n      // If we find that \"rootContainer\", we find the parent fiber\n      // sub-tree for that root and make that our ancestor instance.\n      var node = targetInst;\n\n      mainLoop: while (true) {\n        if (node === null) {\n          return;\n        }\n\n        var nodeTag = node.tag;\n\n        if (nodeTag === HostRoot || nodeTag === HostPortal) {\n          var container = node.stateNode.containerInfo;\n\n          if (isMatchingRootContainer(container, targetContainerNode)) {\n            break;\n          }\n\n          if (nodeTag === HostPortal) {\n            // The target is a portal, but it's not the rootContainer we're looking for.\n            // Normally portals handle their own events all the way down to the root.\n            // So we should be able to stop now. However, we don't know if this portal\n            // was part of *our* root.\n            var grandNode = node.return;\n\n            while (grandNode !== null) {\n              var grandTag = grandNode.tag;\n\n              if (grandTag === HostRoot || grandTag === HostPortal) {\n                var grandContainer = grandNode.stateNode.containerInfo;\n\n                if (isMatchingRootContainer(grandContainer, targetContainerNode)) {\n                  // This is the rootContainer we're looking for and we found it as\n                  // a parent of the Portal. That means we can ignore it because the\n                  // Portal will bubble through to us.\n                  return;\n                }\n              }\n\n              grandNode = grandNode.return;\n            }\n          } // Now we need to find it's corresponding host fiber in the other\n          // tree. To do this we can use getClosestInstanceFromNode, but we\n          // need to validate that the fiber is a host instance, otherwise\n          // we need to traverse up through the DOM till we find the correct\n          // node that is from the other tree.\n\n\n          while (container !== null) {\n            var parentNode = getClosestInstanceFromNode(container);\n\n            if (parentNode === null) {\n              return;\n            }\n\n            var parentTag = parentNode.tag;\n\n            if (parentTag === HostComponent || parentTag === HostText) {\n              node = ancestorInst = parentNode;\n              continue mainLoop;\n            }\n\n            container = container.parentNode;\n          }\n        }\n\n        node = node.return;\n      }\n    }\n  }\n\n  batchedUpdates(function () {\n    return dispatchEventsForPlugins(domEventName, eventSystemFlags, nativeEvent, ancestorInst);\n  });\n}\n\nfunction createDispatchListener(instance, listener, currentTarget) {\n  return {\n    instance: instance,\n    listener: listener,\n    currentTarget: currentTarget\n  };\n}\n\nfunction accumulateSinglePhaseListeners(targetFiber, reactName, nativeEventType, inCapturePhase, accumulateTargetOnly, nativeEvent) {\n  var captureName = reactName !== null ? reactName + 'Capture' : null;\n  var reactEventName = inCapturePhase ? captureName : reactName;\n  var listeners = [];\n  var instance = targetFiber;\n  var lastHostComponent = null; // Accumulate all instances and listeners via the target -> root path.\n\n  while (instance !== null) {\n    var _instance2 = instance,\n        stateNode = _instance2.stateNode,\n        tag = _instance2.tag; // Handle listeners that are on HostComponents (i.e. <div>)\n\n    if (tag === HostComponent && stateNode !== null) {\n      lastHostComponent = stateNode; // createEventHandle listeners\n\n\n      if (reactEventName !== null) {\n        var listener = getListener(instance, reactEventName);\n\n        if (listener != null) {\n          listeners.push(createDispatchListener(instance, listener, lastHostComponent));\n        }\n      }\n    } // If we are only accumulating events for the target, then we don't\n    // continue to propagate through the React fiber tree to find other\n    // listeners.\n\n\n    if (accumulateTargetOnly) {\n      break;\n    } // If we are processing the onBeforeBlur event, then we need to take\n\n    instance = instance.return;\n  }\n\n  return listeners;\n} // We should only use this function for:\n// - BeforeInputEventPlugin\n// - ChangeEventPlugin\n// - SelectEventPlugin\n// This is because we only process these plugins\n// in the bubble phase, so we need to accumulate two\n// phase event listeners (via emulation).\n\nfunction accumulateTwoPhaseListeners(targetFiber, reactName) {\n  var captureName = reactName + 'Capture';\n  var listeners = [];\n  var instance = targetFiber; // Accumulate all instances and listeners via the target -> root path.\n\n  while (instance !== null) {\n    var _instance3 = instance,\n        stateNode = _instance3.stateNode,\n        tag = _instance3.tag; // Handle listeners that are on HostComponents (i.e. <div>)\n\n    if (tag === HostComponent && stateNode !== null) {\n      var currentTarget = stateNode;\n      var captureListener = getListener(instance, captureName);\n\n      if (captureListener != null) {\n        listeners.unshift(createDispatchListener(instance, captureListener, currentTarget));\n      }\n\n      var bubbleListener = getListener(instance, reactName);\n\n      if (bubbleListener != null) {\n        listeners.push(createDispatchListener(instance, bubbleListener, currentTarget));\n      }\n    }\n\n    instance = instance.return;\n  }\n\n  return listeners;\n}\n\nfunction getParent(inst) {\n  if (inst === null) {\n    return null;\n  }\n\n  do {\n    inst = inst.return; // TODO: If this is a HostRoot we might want to bail out.\n    // That is depending on if we want nested subtrees (layers) to bubble\n    // events to their parent. We could also go through parentNode on the\n    // host node but that wouldn't work for React Native and doesn't let us\n    // do the portal feature.\n  } while (inst && inst.tag !== HostComponent);\n\n  if (inst) {\n    return inst;\n  }\n\n  return null;\n}\n/**\n * Return the lowest common ancestor of A and B, or null if they are in\n * different trees.\n */\n\n\nfunction getLowestCommonAncestor(instA, instB) {\n  var nodeA = instA;\n  var nodeB = instB;\n  var depthA = 0;\n\n  for (var tempA = nodeA; tempA; tempA = getParent(tempA)) {\n    depthA++;\n  }\n\n  var depthB = 0;\n\n  for (var tempB = nodeB; tempB; tempB = getParent(tempB)) {\n    depthB++;\n  } // If A is deeper, crawl up.\n\n\n  while (depthA - depthB > 0) {\n    nodeA = getParent(nodeA);\n    depthA--;\n  } // If B is deeper, crawl up.\n\n\n  while (depthB - depthA > 0) {\n    nodeB = getParent(nodeB);\n    depthB--;\n  } // Walk in lockstep until we find a match.\n\n\n  var depth = depthA;\n\n  while (depth--) {\n    if (nodeA === nodeB || nodeB !== null && nodeA === nodeB.alternate) {\n      return nodeA;\n    }\n\n    nodeA = getParent(nodeA);\n    nodeB = getParent(nodeB);\n  }\n\n  return null;\n}\n\nfunction accumulateEnterLeaveListenersForEvent(dispatchQueue, event, target, common, inCapturePhase) {\n  var registrationName = event._reactName;\n  var listeners = [];\n  var instance = target;\n\n  while (instance !== null) {\n    if (instance === common) {\n      break;\n    }\n\n    var _instance4 = instance,\n        alternate = _instance4.alternate,\n        stateNode = _instance4.stateNode,\n        tag = _instance4.tag;\n\n    if (alternate !== null && alternate === common) {\n      break;\n    }\n\n    if (tag === HostComponent && stateNode !== null) {\n      var currentTarget = stateNode;\n\n      if (inCapturePhase) {\n        var captureListener = getListener(instance, registrationName);\n\n        if (captureListener != null) {\n          listeners.unshift(createDispatchListener(instance, captureListener, currentTarget));\n        }\n      } else if (!inCapturePhase) {\n        var bubbleListener = getListener(instance, registrationName);\n\n        if (bubbleListener != null) {\n          listeners.push(createDispatchListener(instance, bubbleListener, currentTarget));\n        }\n      }\n    }\n\n    instance = instance.return;\n  }\n\n  if (listeners.length !== 0) {\n    dispatchQueue.push({\n      event: event,\n      listeners: listeners\n    });\n  }\n} // We should only use this function for:\n// - EnterLeaveEventPlugin\n// This is because we only process this plugin\n// in the bubble phase, so we need to accumulate two\n// phase event listeners.\n\n\nfunction accumulateEnterLeaveTwoPhaseListeners(dispatchQueue, leaveEvent, enterEvent, from, to) {\n  var common = from && to ? getLowestCommonAncestor(from, to) : null;\n\n  if (from !== null) {\n    accumulateEnterLeaveListenersForEvent(dispatchQueue, leaveEvent, from, common, false);\n  }\n\n  if (to !== null && enterEvent !== null) {\n    accumulateEnterLeaveListenersForEvent(dispatchQueue, enterEvent, to, common, true);\n  }\n}\nfunction getListenerSetKey(domEventName, capture) {\n  return domEventName + \"__\" + (capture ? 'capture' : 'bubble');\n}\n\nvar didWarnInvalidHydration = false;\nvar DANGEROUSLY_SET_INNER_HTML = 'dangerouslySetInnerHTML';\nvar SUPPRESS_CONTENT_EDITABLE_WARNING = 'suppressContentEditableWarning';\nvar SUPPRESS_HYDRATION_WARNING = 'suppressHydrationWarning';\nvar AUTOFOCUS = 'autoFocus';\nvar CHILDREN = 'children';\nvar STYLE = 'style';\nvar HTML$1 = '__html';\nvar warnedUnknownTags;\nvar validatePropertiesInDevelopment;\nvar warnForPropDifference;\nvar warnForExtraAttributes;\nvar warnForInvalidEventListener;\nvar canDiffStyleForHydrationWarning;\nvar normalizeHTML;\n\n{\n  warnedUnknownTags = {\n    // There are working polyfills for <dialog>. Let people use it.\n    dialog: true,\n    // Electron ships a custom <webview> tag to display external web content in\n    // an isolated frame and process.\n    // This tag is not present in non Electron environments such as JSDom which\n    // is often used for testing purposes.\n    // @see https://electronjs.org/docs/api/webview-tag\n    webview: true\n  };\n\n  validatePropertiesInDevelopment = function (type, props) {\n    validateProperties(type, props);\n    validateProperties$1(type, props);\n    validateProperties$2(type, props, {\n      registrationNameDependencies: registrationNameDependencies,\n      possibleRegistrationNames: possibleRegistrationNames\n    });\n  }; // IE 11 parses & normalizes the style attribute as opposed to other\n  // browsers. It adds spaces and sorts the properties in some\n  // non-alphabetical order. Handling that would require sorting CSS\n  // properties in the client & server versions or applying\n  // `expectedStyle` to a temporary DOM node to read its `style` attribute\n  // normalized. Since it only affects IE, we're skipping style warnings\n  // in that browser completely in favor of doing all that work.\n  // See https://github.com/facebook/react/issues/11807\n\n\n  canDiffStyleForHydrationWarning = canUseDOM && !document.documentMode;\n\n  warnForPropDifference = function (propName, serverValue, clientValue) {\n    if (didWarnInvalidHydration) {\n      return;\n    }\n\n    var normalizedClientValue = normalizeMarkupForTextOrAttribute(clientValue);\n    var normalizedServerValue = normalizeMarkupForTextOrAttribute(serverValue);\n\n    if (normalizedServerValue === normalizedClientValue) {\n      return;\n    }\n\n    didWarnInvalidHydration = true;\n\n    error('Prop `%s` did not match. Server: %s Client: %s', propName, JSON.stringify(normalizedServerValue), JSON.stringify(normalizedClientValue));\n  };\n\n  warnForExtraAttributes = function (attributeNames) {\n    if (didWarnInvalidHydration) {\n      return;\n    }\n\n    didWarnInvalidHydration = true;\n    var names = [];\n    attributeNames.forEach(function (name) {\n      names.push(name);\n    });\n\n    error('Extra attributes from the server: %s', names);\n  };\n\n  warnForInvalidEventListener = function (registrationName, listener) {\n    if (listener === false) {\n      error('Expected `%s` listener to be a function, instead got `false`.\\n\\n' + 'If you used to conditionally omit it with %s={condition && value}, ' + 'pass %s={condition ? value : undefined} instead.', registrationName, registrationName, registrationName);\n    } else {\n      error('Expected `%s` listener to be a function, instead got a value of `%s` type.', registrationName, typeof listener);\n    }\n  }; // Parse the HTML and read it back to normalize the HTML string so that it\n  // can be used for comparison.\n\n\n  normalizeHTML = function (parent, html) {\n    // We could have created a separate document here to avoid\n    // re-initializing custom elements if they exist. But this breaks\n    // how <noscript> is being handled. So we use the same document.\n    // See the discussion in https://github.com/facebook/react/pull/11157.\n    var testElement = parent.namespaceURI === HTML_NAMESPACE ? parent.ownerDocument.createElement(parent.tagName) : parent.ownerDocument.createElementNS(parent.namespaceURI, parent.tagName);\n    testElement.innerHTML = html;\n    return testElement.innerHTML;\n  };\n} // HTML parsing normalizes CR and CRLF to LF.\n// It also can turn \\u0000 into \\uFFFD inside attributes.\n// https://www.w3.org/TR/html5/single-page.html#preprocessing-the-input-stream\n// If we have a mismatch, it might be caused by that.\n// We will still patch up in this case but not fire the warning.\n\n\nvar NORMALIZE_NEWLINES_REGEX = /\\r\\n?/g;\nvar NORMALIZE_NULL_AND_REPLACEMENT_REGEX = /\\u0000|\\uFFFD/g;\n\nfunction normalizeMarkupForTextOrAttribute(markup) {\n  {\n    checkHtmlStringCoercion(markup);\n  }\n\n  var markupString = typeof markup === 'string' ? markup : '' + markup;\n  return markupString.replace(NORMALIZE_NEWLINES_REGEX, '\\n').replace(NORMALIZE_NULL_AND_REPLACEMENT_REGEX, '');\n}\n\nfunction checkForUnmatchedText(serverText, clientText, isConcurrentMode, shouldWarnDev) {\n  var normalizedClientText = normalizeMarkupForTextOrAttribute(clientText);\n  var normalizedServerText = normalizeMarkupForTextOrAttribute(serverText);\n\n  if (normalizedServerText === normalizedClientText) {\n    return;\n  }\n\n  if (shouldWarnDev) {\n    {\n      if (!didWarnInvalidHydration) {\n        didWarnInvalidHydration = true;\n\n        error('Text content did not match. Server: \"%s\" Client: \"%s\"', normalizedServerText, normalizedClientText);\n      }\n    }\n  }\n\n  if (isConcurrentMode && enableClientRenderFallbackOnTextMismatch) {\n    // In concurrent roots, we throw when there's a text mismatch and revert to\n    // client rendering, up to the nearest Suspense boundary.\n    throw new Error('Text content does not match server-rendered HTML.');\n  }\n}\n\nfunction getOwnerDocumentFromRootContainer(rootContainerElement) {\n  return rootContainerElement.nodeType === DOCUMENT_NODE ? rootContainerElement : rootContainerElement.ownerDocument;\n}\n\nfunction noop() {}\n\nfunction trapClickOnNonInteractiveElement(node) {\n  // Mobile Safari does not fire properly bubble click events on\n  // non-interactive elements, which means delegated click listeners do not\n  // fire. The workaround for this bug involves attaching an empty click\n  // listener on the target node.\n  // https://www.quirksmode.org/blog/archives/2010/09/click_event_del.html\n  // Just set it using the onclick property so that we don't have to manage any\n  // bookkeeping for it. Not sure if we need to clear it when the listener is\n  // removed.\n  // TODO: Only do this for the relevant Safaris maybe?\n  node.onclick = noop;\n}\n\nfunction setInitialDOMProperties(tag, domElement, rootContainerElement, nextProps, isCustomComponentTag) {\n  for (var propKey in nextProps) {\n    if (!nextProps.hasOwnProperty(propKey)) {\n      continue;\n    }\n\n    var nextProp = nextProps[propKey];\n\n    if (propKey === STYLE) {\n      {\n        if (nextProp) {\n          // Freeze the next style object so that we can assume it won't be\n          // mutated. We have already warned for this in the past.\n          Object.freeze(nextProp);\n        }\n      } // Relies on `updateStylesByID` not mutating `styleUpdates`.\n\n\n      setValueForStyles(domElement, nextProp);\n    } else if (propKey === DANGEROUSLY_SET_INNER_HTML) {\n      var nextHtml = nextProp ? nextProp[HTML$1] : undefined;\n\n      if (nextHtml != null) {\n        setInnerHTML(domElement, nextHtml);\n      }\n    } else if (propKey === CHILDREN) {\n      if (typeof nextProp === 'string') {\n        // Avoid setting initial textContent when the text is empty. In IE11 setting\n        // textContent on a <textarea> will cause the placeholder to not\n        // show within the <textarea> until it has been focused and blurred again.\n        // https://github.com/facebook/react/issues/6731#issuecomment-254874553\n        var canSetTextContent = tag !== 'textarea' || nextProp !== '';\n\n        if (canSetTextContent) {\n          setTextContent(domElement, nextProp);\n        }\n      } else if (typeof nextProp === 'number') {\n        setTextContent(domElement, '' + nextProp);\n      }\n    } else if (propKey === SUPPRESS_CONTENT_EDITABLE_WARNING || propKey === SUPPRESS_HYDRATION_WARNING) ; else if (propKey === AUTOFOCUS) ; else if (registrationNameDependencies.hasOwnProperty(propKey)) {\n      if (nextProp != null) {\n        if ( typeof nextProp !== 'function') {\n          warnForInvalidEventListener(propKey, nextProp);\n        }\n\n        if (propKey === 'onScroll') {\n          listenToNonDelegatedEvent('scroll', domElement);\n        }\n      }\n    } else if (nextProp != null) {\n      setValueForProperty(domElement, propKey, nextProp, isCustomComponentTag);\n    }\n  }\n}\n\nfunction updateDOMProperties(domElement, updatePayload, wasCustomComponentTag, isCustomComponentTag) {\n  // TODO: Handle wasCustomComponentTag\n  for (var i = 0; i < updatePayload.length; i += 2) {\n    var propKey = updatePayload[i];\n    var propValue = updatePayload[i + 1];\n\n    if (propKey === STYLE) {\n      setValueForStyles(domElement, propValue);\n    } else if (propKey === DANGEROUSLY_SET_INNER_HTML) {\n      setInnerHTML(domElement, propValue);\n    } else if (propKey === CHILDREN) {\n      setTextContent(domElement, propValue);\n    } else {\n      setValueForProperty(domElement, propKey, propValue, isCustomComponentTag);\n    }\n  }\n}\n\nfunction createElement(type, props, rootContainerElement, parentNamespace) {\n  var isCustomComponentTag; // We create tags in the namespace of their parent container, except HTML\n  // tags get no namespace.\n\n  var ownerDocument = getOwnerDocumentFromRootContainer(rootContainerElement);\n  var domElement;\n  var namespaceURI = parentNamespace;\n\n  if (namespaceURI === HTML_NAMESPACE) {\n    namespaceURI = getIntrinsicNamespace(type);\n  }\n\n  if (namespaceURI === HTML_NAMESPACE) {\n    {\n      isCustomComponentTag = isCustomComponent(type, props); // Should this check be gated by parent namespace? Not sure we want to\n      // allow <SVG> or <mATH>.\n\n      if (!isCustomComponentTag && type !== type.toLowerCase()) {\n        error('<%s /> is using incorrect casing. ' + 'Use PascalCase for React components, ' + 'or lowercase for HTML elements.', type);\n      }\n    }\n\n    if (type === 'script') {\n      // Create the script via .innerHTML so its \"parser-inserted\" flag is\n      // set to true and it does not execute\n      var div = ownerDocument.createElement('div');\n\n      div.innerHTML = '<script><' + '/script>'; // eslint-disable-line\n      // This is guaranteed to yield a script element.\n\n      var firstChild = div.firstChild;\n      domElement = div.removeChild(firstChild);\n    } else if (typeof props.is === 'string') {\n      // $FlowIssue `createElement` should be updated for Web Components\n      domElement = ownerDocument.createElement(type, {\n        is: props.is\n      });\n    } else {\n      // Separate else branch instead of using `props.is || undefined` above because of a Firefox bug.\n      // See discussion in https://github.com/facebook/react/pull/6896\n      // and discussion in https://bugzilla.mozilla.org/show_bug.cgi?id=1276240\n      domElement = ownerDocument.createElement(type); // Normally attributes are assigned in `setInitialDOMProperties`, however the `multiple` and `size`\n      // attributes on `select`s needs to be added before `option`s are inserted.\n      // This prevents:\n      // - a bug where the `select` does not scroll to the correct option because singular\n      //  `select` elements automatically pick the first item #13222\n      // - a bug where the `select` set the first item as selected despite the `size` attribute #14239\n      // See https://github.com/facebook/react/issues/13222\n      // and https://github.com/facebook/react/issues/14239\n\n      if (type === 'select') {\n        var node = domElement;\n\n        if (props.multiple) {\n          node.multiple = true;\n        } else if (props.size) {\n          // Setting a size greater than 1 causes a select to behave like `multiple=true`, where\n          // it is possible that no option is selected.\n          //\n          // This is only necessary when a select in \"single selection mode\".\n          node.size = props.size;\n        }\n      }\n    }\n  } else {\n    domElement = ownerDocument.createElementNS(namespaceURI, type);\n  }\n\n  {\n    if (namespaceURI === HTML_NAMESPACE) {\n      if (!isCustomComponentTag && Object.prototype.toString.call(domElement) === '[object HTMLUnknownElement]' && !hasOwnProperty.call(warnedUnknownTags, type)) {\n        warnedUnknownTags[type] = true;\n\n        error('The tag <%s> is unrecognized in this browser. ' + 'If you meant to render a React component, start its name with ' + 'an uppercase letter.', type);\n      }\n    }\n  }\n\n  return domElement;\n}\nfunction createTextNode(text, rootContainerElement) {\n  return getOwnerDocumentFromRootContainer(rootContainerElement).createTextNode(text);\n}\nfunction setInitialProperties(domElement, tag, rawProps, rootContainerElement) {\n  var isCustomComponentTag = isCustomComponent(tag, rawProps);\n\n  {\n    validatePropertiesInDevelopment(tag, rawProps);\n  } // TODO: Make sure that we check isMounted before firing any of these events.\n\n\n  var props;\n\n  switch (tag) {\n    case 'dialog':\n      listenToNonDelegatedEvent('cancel', domElement);\n      listenToNonDelegatedEvent('close', domElement);\n      props = rawProps;\n      break;\n\n    case 'iframe':\n    case 'object':\n    case 'embed':\n      // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the load event.\n      listenToNonDelegatedEvent('load', domElement);\n      props = rawProps;\n      break;\n\n    case 'video':\n    case 'audio':\n      // We listen to these events in case to ensure emulated bubble\n      // listeners still fire for all the media events.\n      for (var i = 0; i < mediaEventTypes.length; i++) {\n        listenToNonDelegatedEvent(mediaEventTypes[i], domElement);\n      }\n\n      props = rawProps;\n      break;\n\n    case 'source':\n      // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the error event.\n      listenToNonDelegatedEvent('error', domElement);\n      props = rawProps;\n      break;\n\n    case 'img':\n    case 'image':\n    case 'link':\n      // We listen to these events in case to ensure emulated bubble\n      // listeners still fire for error and load events.\n      listenToNonDelegatedEvent('error', domElement);\n      listenToNonDelegatedEvent('load', domElement);\n      props = rawProps;\n      break;\n\n    case 'details':\n      // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the toggle event.\n      listenToNonDelegatedEvent('toggle', domElement);\n      props = rawProps;\n      break;\n\n    case 'input':\n      initWrapperState(domElement, rawProps);\n      props = getHostProps(domElement, rawProps); // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the invalid event.\n\n      listenToNonDelegatedEvent('invalid', domElement);\n      break;\n\n    case 'option':\n      validateProps(domElement, rawProps);\n      props = rawProps;\n      break;\n\n    case 'select':\n      initWrapperState$1(domElement, rawProps);\n      props = getHostProps$1(domElement, rawProps); // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the invalid event.\n\n      listenToNonDelegatedEvent('invalid', domElement);\n      break;\n\n    case 'textarea':\n      initWrapperState$2(domElement, rawProps);\n      props = getHostProps$2(domElement, rawProps); // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the invalid event.\n\n      listenToNonDelegatedEvent('invalid', domElement);\n      break;\n\n    default:\n      props = rawProps;\n  }\n\n  assertValidProps(tag, props);\n  setInitialDOMProperties(tag, domElement, rootContainerElement, props, isCustomComponentTag);\n\n  switch (tag) {\n    case 'input':\n      // TODO: Make sure we check if this is still unmounted or do any clean\n      // up necessary since we never stop tracking anymore.\n      track(domElement);\n      postMountWrapper(domElement, rawProps, false);\n      break;\n\n    case 'textarea':\n      // TODO: Make sure we check if this is still unmounted or do any clean\n      // up necessary since we never stop tracking anymore.\n      track(domElement);\n      postMountWrapper$3(domElement);\n      break;\n\n    case 'option':\n      postMountWrapper$1(domElement, rawProps);\n      break;\n\n    case 'select':\n      postMountWrapper$2(domElement, rawProps);\n      break;\n\n    default:\n      if (typeof props.onClick === 'function') {\n        // TODO: This cast may not be sound for SVG, MathML or custom elements.\n        trapClickOnNonInteractiveElement(domElement);\n      }\n\n      break;\n  }\n} // Calculate the diff between the two objects.\n\nfunction diffProperties(domElement, tag, lastRawProps, nextRawProps, rootContainerElement) {\n  {\n    validatePropertiesInDevelopment(tag, nextRawProps);\n  }\n\n  var updatePayload = null;\n  var lastProps;\n  var nextProps;\n\n  switch (tag) {\n    case 'input':\n      lastProps = getHostProps(domElement, lastRawProps);\n      nextProps = getHostProps(domElement, nextRawProps);\n      updatePayload = [];\n      break;\n\n    case 'select':\n      lastProps = getHostProps$1(domElement, lastRawProps);\n      nextProps = getHostProps$1(domElement, nextRawProps);\n      updatePayload = [];\n      break;\n\n    case 'textarea':\n      lastProps = getHostProps$2(domElement, lastRawProps);\n      nextProps = getHostProps$2(domElement, nextRawProps);\n      updatePayload = [];\n      break;\n\n    default:\n      lastProps = lastRawProps;\n      nextProps = nextRawProps;\n\n      if (typeof lastProps.onClick !== 'function' && typeof nextProps.onClick === 'function') {\n        // TODO: This cast may not be sound for SVG, MathML or custom elements.\n        trapClickOnNonInteractiveElement(domElement);\n      }\n\n      break;\n  }\n\n  assertValidProps(tag, nextProps);\n  var propKey;\n  var styleName;\n  var styleUpdates = null;\n\n  for (propKey in lastProps) {\n    if (nextProps.hasOwnProperty(propKey) || !lastProps.hasOwnProperty(propKey) || lastProps[propKey] == null) {\n      continue;\n    }\n\n    if (propKey === STYLE) {\n      var lastStyle = lastProps[propKey];\n\n      for (styleName in lastStyle) {\n        if (lastStyle.hasOwnProperty(styleName)) {\n          if (!styleUpdates) {\n            styleUpdates = {};\n          }\n\n          styleUpdates[styleName] = '';\n        }\n      }\n    } else if (propKey === DANGEROUSLY_SET_INNER_HTML || propKey === CHILDREN) ; else if (propKey === SUPPRESS_CONTENT_EDITABLE_WARNING || propKey === SUPPRESS_HYDRATION_WARNING) ; else if (propKey === AUTOFOCUS) ; else if (registrationNameDependencies.hasOwnProperty(propKey)) {\n      // This is a special case. If any listener updates we need to ensure\n      // that the \"current\" fiber pointer gets updated so we need a commit\n      // to update this element.\n      if (!updatePayload) {\n        updatePayload = [];\n      }\n    } else {\n      // For all other deleted properties we add it to the queue. We use\n      // the allowed property list in the commit phase instead.\n      (updatePayload = updatePayload || []).push(propKey, null);\n    }\n  }\n\n  for (propKey in nextProps) {\n    var nextProp = nextProps[propKey];\n    var lastProp = lastProps != null ? lastProps[propKey] : undefined;\n\n    if (!nextProps.hasOwnProperty(propKey) || nextProp === lastProp || nextProp == null && lastProp == null) {\n      continue;\n    }\n\n    if (propKey === STYLE) {\n      {\n        if (nextProp) {\n          // Freeze the next style object so that we can assume it won't be\n          // mutated. We have already warned for this in the past.\n          Object.freeze(nextProp);\n        }\n      }\n\n      if (lastProp) {\n        // Unset styles on `lastProp` but not on `nextProp`.\n        for (styleName in lastProp) {\n          if (lastProp.hasOwnProperty(styleName) && (!nextProp || !nextProp.hasOwnProperty(styleName))) {\n            if (!styleUpdates) {\n              styleUpdates = {};\n            }\n\n            styleUpdates[styleName] = '';\n          }\n        } // Update styles that changed since `lastProp`.\n\n\n        for (styleName in nextProp) {\n          if (nextProp.hasOwnProperty(styleName) && lastProp[styleName] !== nextProp[styleName]) {\n            if (!styleUpdates) {\n              styleUpdates = {};\n            }\n\n            styleUpdates[styleName] = nextProp[styleName];\n          }\n        }\n      } else {\n        // Relies on `updateStylesByID` not mutating `styleUpdates`.\n        if (!styleUpdates) {\n          if (!updatePayload) {\n            updatePayload = [];\n          }\n\n          updatePayload.push(propKey, styleUpdates);\n        }\n\n        styleUpdates = nextProp;\n      }\n    } else if (propKey === DANGEROUSLY_SET_INNER_HTML) {\n      var nextHtml = nextProp ? nextProp[HTML$1] : undefined;\n      var lastHtml = lastProp ? lastProp[HTML$1] : undefined;\n\n      if (nextHtml != null) {\n        if (lastHtml !== nextHtml) {\n          (updatePayload = updatePayload || []).push(propKey, nextHtml);\n        }\n      }\n    } else if (propKey === CHILDREN) {\n      if (typeof nextProp === 'string' || typeof nextProp === 'number') {\n        (updatePayload = updatePayload || []).push(propKey, '' + nextProp);\n      }\n    } else if (propKey === SUPPRESS_CONTENT_EDITABLE_WARNING || propKey === SUPPRESS_HYDRATION_WARNING) ; else if (registrationNameDependencies.hasOwnProperty(propKey)) {\n      if (nextProp != null) {\n        // We eagerly listen to this even though we haven't committed yet.\n        if ( typeof nextProp !== 'function') {\n          warnForInvalidEventListener(propKey, nextProp);\n        }\n\n        if (propKey === 'onScroll') {\n          listenToNonDelegatedEvent('scroll', domElement);\n        }\n      }\n\n      if (!updatePayload && lastProp !== nextProp) {\n        // This is a special case. If any listener updates we need to ensure\n        // that the \"current\" props pointer gets updated so we need a commit\n        // to update this element.\n        updatePayload = [];\n      }\n    } else {\n      // For any other property we always add it to the queue and then we\n      // filter it out using the allowed property list during the commit.\n      (updatePayload = updatePayload || []).push(propKey, nextProp);\n    }\n  }\n\n  if (styleUpdates) {\n    {\n      validateShorthandPropertyCollisionInDev(styleUpdates, nextProps[STYLE]);\n    }\n\n    (updatePayload = updatePayload || []).push(STYLE, styleUpdates);\n  }\n\n  return updatePayload;\n} // Apply the diff.\n\nfunction updateProperties(domElement, updatePayload, tag, lastRawProps, nextRawProps) {\n  // Update checked *before* name.\n  // In the middle of an update, it is possible to have multiple checked.\n  // When a checked radio tries to change name, browser makes another radio's checked false.\n  if (tag === 'input' && nextRawProps.type === 'radio' && nextRawProps.name != null) {\n    updateChecked(domElement, nextRawProps);\n  }\n\n  var wasCustomComponentTag = isCustomComponent(tag, lastRawProps);\n  var isCustomComponentTag = isCustomComponent(tag, nextRawProps); // Apply the diff.\n\n  updateDOMProperties(domElement, updatePayload, wasCustomComponentTag, isCustomComponentTag); // TODO: Ensure that an update gets scheduled if any of the special props\n  // changed.\n\n  switch (tag) {\n    case 'input':\n      // Update the wrapper around inputs *after* updating props. This has to\n      // happen after `updateDOMProperties`. Otherwise HTML5 input validations\n      // raise warnings and prevent the new value from being assigned.\n      updateWrapper(domElement, nextRawProps);\n      break;\n\n    case 'textarea':\n      updateWrapper$1(domElement, nextRawProps);\n      break;\n\n    case 'select':\n      // <select> value update needs to occur after <option> children\n      // reconciliation\n      postUpdateWrapper(domElement, nextRawProps);\n      break;\n  }\n}\n\nfunction getPossibleStandardName(propName) {\n  {\n    var lowerCasedName = propName.toLowerCase();\n\n    if (!possibleStandardNames.hasOwnProperty(lowerCasedName)) {\n      return null;\n    }\n\n    return possibleStandardNames[lowerCasedName] || null;\n  }\n}\n\nfunction diffHydratedProperties(domElement, tag, rawProps, parentNamespace, rootContainerElement, isConcurrentMode, shouldWarnDev) {\n  var isCustomComponentTag;\n  var extraAttributeNames;\n\n  {\n    isCustomComponentTag = isCustomComponent(tag, rawProps);\n    validatePropertiesInDevelopment(tag, rawProps);\n  } // TODO: Make sure that we check isMounted before firing any of these events.\n\n\n  switch (tag) {\n    case 'dialog':\n      listenToNonDelegatedEvent('cancel', domElement);\n      listenToNonDelegatedEvent('close', domElement);\n      break;\n\n    case 'iframe':\n    case 'object':\n    case 'embed':\n      // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the load event.\n      listenToNonDelegatedEvent('load', domElement);\n      break;\n\n    case 'video':\n    case 'audio':\n      // We listen to these events in case to ensure emulated bubble\n      // listeners still fire for all the media events.\n      for (var i = 0; i < mediaEventTypes.length; i++) {\n        listenToNonDelegatedEvent(mediaEventTypes[i], domElement);\n      }\n\n      break;\n\n    case 'source':\n      // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the error event.\n      listenToNonDelegatedEvent('error', domElement);\n      break;\n\n    case 'img':\n    case 'image':\n    case 'link':\n      // We listen to these events in case to ensure emulated bubble\n      // listeners still fire for error and load events.\n      listenToNonDelegatedEvent('error', domElement);\n      listenToNonDelegatedEvent('load', domElement);\n      break;\n\n    case 'details':\n      // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the toggle event.\n      listenToNonDelegatedEvent('toggle', domElement);\n      break;\n\n    case 'input':\n      initWrapperState(domElement, rawProps); // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the invalid event.\n\n      listenToNonDelegatedEvent('invalid', domElement);\n      break;\n\n    case 'option':\n      validateProps(domElement, rawProps);\n      break;\n\n    case 'select':\n      initWrapperState$1(domElement, rawProps); // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the invalid event.\n\n      listenToNonDelegatedEvent('invalid', domElement);\n      break;\n\n    case 'textarea':\n      initWrapperState$2(domElement, rawProps); // We listen to this event in case to ensure emulated bubble\n      // listeners still fire for the invalid event.\n\n      listenToNonDelegatedEvent('invalid', domElement);\n      break;\n  }\n\n  assertValidProps(tag, rawProps);\n\n  {\n    extraAttributeNames = new Set();\n    var attributes = domElement.attributes;\n\n    for (var _i = 0; _i < attributes.length; _i++) {\n      var name = attributes[_i].name.toLowerCase();\n\n      switch (name) {\n        // Controlled attributes are not validated\n        // TODO: Only ignore them on controlled tags.\n        case 'value':\n          break;\n\n        case 'checked':\n          break;\n\n        case 'selected':\n          break;\n\n        default:\n          // Intentionally use the original name.\n          // See discussion in https://github.com/facebook/react/pull/10676.\n          extraAttributeNames.add(attributes[_i].name);\n      }\n    }\n  }\n\n  var updatePayload = null;\n\n  for (var propKey in rawProps) {\n    if (!rawProps.hasOwnProperty(propKey)) {\n      continue;\n    }\n\n    var nextProp = rawProps[propKey];\n\n    if (propKey === CHILDREN) {\n      // For text content children we compare against textContent. This\n      // might match additional HTML that is hidden when we read it using\n      // textContent. E.g. \"foo\" will match \"f<span>oo</span>\" but that still\n      // satisfies our requirement. Our requirement is not to produce perfect\n      // HTML and attributes. Ideally we should preserve structure but it's\n      // ok not to if the visible content is still enough to indicate what\n      // even listeners these nodes might be wired up to.\n      // TODO: Warn if there is more than a single textNode as a child.\n      // TODO: Should we use domElement.firstChild.nodeValue to compare?\n      if (typeof nextProp === 'string') {\n        if (domElement.textContent !== nextProp) {\n          if (rawProps[SUPPRESS_HYDRATION_WARNING] !== true) {\n            checkForUnmatchedText(domElement.textContent, nextProp, isConcurrentMode, shouldWarnDev);\n          }\n\n          updatePayload = [CHILDREN, nextProp];\n        }\n      } else if (typeof nextProp === 'number') {\n        if (domElement.textContent !== '' + nextProp) {\n          if (rawProps[SUPPRESS_HYDRATION_WARNING] !== true) {\n            checkForUnmatchedText(domElement.textContent, nextProp, isConcurrentMode, shouldWarnDev);\n          }\n\n          updatePayload = [CHILDREN, '' + nextProp];\n        }\n      }\n    } else if (registrationNameDependencies.hasOwnProperty(propKey)) {\n      if (nextProp != null) {\n        if ( typeof nextProp !== 'function') {\n          warnForInvalidEventListener(propKey, nextProp);\n        }\n\n        if (propKey === 'onScroll') {\n          listenToNonDelegatedEvent('scroll', domElement);\n        }\n      }\n    } else if (shouldWarnDev && true && // Convince Flow we've calculated it (it's DEV-only in this method.)\n    typeof isCustomComponentTag === 'boolean') {\n      // Validate that the properties correspond to their expected values.\n      var serverValue = void 0;\n      var propertyInfo = isCustomComponentTag && enableCustomElementPropertySupport ? null : getPropertyInfo(propKey);\n\n      if (rawProps[SUPPRESS_HYDRATION_WARNING] === true) ; else if (propKey === SUPPRESS_CONTENT_EDITABLE_WARNING || propKey === SUPPRESS_HYDRATION_WARNING || // Controlled attributes are not validated\n      // TODO: Only ignore them on controlled tags.\n      propKey === 'value' || propKey === 'checked' || propKey === 'selected') ; else if (propKey === DANGEROUSLY_SET_INNER_HTML) {\n        var serverHTML = domElement.innerHTML;\n        var nextHtml = nextProp ? nextProp[HTML$1] : undefined;\n\n        if (nextHtml != null) {\n          var expectedHTML = normalizeHTML(domElement, nextHtml);\n\n          if (expectedHTML !== serverHTML) {\n            warnForPropDifference(propKey, serverHTML, expectedHTML);\n          }\n        }\n      } else if (propKey === STYLE) {\n        // $FlowFixMe - Should be inferred as not undefined.\n        extraAttributeNames.delete(propKey);\n\n        if (canDiffStyleForHydrationWarning) {\n          var expectedStyle = createDangerousStringForStyles(nextProp);\n          serverValue = domElement.getAttribute('style');\n\n          if (expectedStyle !== serverValue) {\n            warnForPropDifference(propKey, serverValue, expectedStyle);\n          }\n        }\n      } else if (isCustomComponentTag && !enableCustomElementPropertySupport) {\n        // $FlowFixMe - Should be inferred as not undefined.\n        extraAttributeNames.delete(propKey.toLowerCase());\n        serverValue = getValueForAttribute(domElement, propKey, nextProp);\n\n        if (nextProp !== serverValue) {\n          warnForPropDifference(propKey, serverValue, nextProp);\n        }\n      } else if (!shouldIgnoreAttribute(propKey, propertyInfo, isCustomComponentTag) && !shouldRemoveAttribute(propKey, nextProp, propertyInfo, isCustomComponentTag)) {\n        var isMismatchDueToBadCasing = false;\n\n        if (propertyInfo !== null) {\n          // $FlowFixMe - Should be inferred as not undefined.\n          extraAttributeNames.delete(propertyInfo.attributeName);\n          serverValue = getValueForProperty(domElement, propKey, nextProp, propertyInfo);\n        } else {\n          var ownNamespace = parentNamespace;\n\n          if (ownNamespace === HTML_NAMESPACE) {\n            ownNamespace = getIntrinsicNamespace(tag);\n          }\n\n          if (ownNamespace === HTML_NAMESPACE) {\n            // $FlowFixMe - Should be inferred as not undefined.\n            extraAttributeNames.delete(propKey.toLowerCase());\n          } else {\n            var standardName = getPossibleStandardName(propKey);\n\n            if (standardName !== null && standardName !== propKey) {\n              // If an SVG prop is supplied with bad casing, it will\n              // be successfully parsed from HTML, but will produce a mismatch\n              // (and would be incorrectly rendered on the client).\n              // However, we already warn about bad casing elsewhere.\n              // So we'll skip the misleading extra mismatch warning in this case.\n              isMismatchDueToBadCasing = true; // $FlowFixMe - Should be inferred as not undefined.\n\n              extraAttributeNames.delete(standardName);\n            } // $FlowFixMe - Should be inferred as not undefined.\n\n\n            extraAttributeNames.delete(propKey);\n          }\n\n          serverValue = getValueForAttribute(domElement, propKey, nextProp);\n        }\n\n        var dontWarnCustomElement = enableCustomElementPropertySupport  ;\n\n        if (!dontWarnCustomElement && nextProp !== serverValue && !isMismatchDueToBadCasing) {\n          warnForPropDifference(propKey, serverValue, nextProp);\n        }\n      }\n    }\n  }\n\n  {\n    if (shouldWarnDev) {\n      if ( // $FlowFixMe - Should be inferred as not undefined.\n      extraAttributeNames.size > 0 && rawProps[SUPPRESS_HYDRATION_WARNING] !== true) {\n        // $FlowFixMe - Should be inferred as not undefined.\n        warnForExtraAttributes(extraAttributeNames);\n      }\n    }\n  }\n\n  switch (tag) {\n    case 'input':\n      // TODO: Make sure we check if this is still unmounted or do any clean\n      // up necessary since we never stop tracking anymore.\n      track(domElement);\n      postMountWrapper(domElement, rawProps, true);\n      break;\n\n    case 'textarea':\n      // TODO: Make sure we check if this is still unmounted or do any clean\n      // up necessary since we never stop tracking anymore.\n      track(domElement);\n      postMountWrapper$3(domElement);\n      break;\n\n    case 'select':\n    case 'option':\n      // For input and textarea we current always set the value property at\n      // post mount to force it to diverge from attributes. However, for\n      // option and select we don't quite do the same thing and select\n      // is not resilient to the DOM state changing so we don't do that here.\n      // TODO: Consider not doing this for input and textarea.\n      break;\n\n    default:\n      if (typeof rawProps.onClick === 'function') {\n        // TODO: This cast may not be sound for SVG, MathML or custom elements.\n        trapClickOnNonInteractiveElement(domElement);\n      }\n\n      break;\n  }\n\n  return updatePayload;\n}\nfunction diffHydratedText(textNode, text, isConcurrentMode) {\n  var isDifferent = textNode.nodeValue !== text;\n  return isDifferent;\n}\nfunction warnForDeletedHydratableElement(parentNode, child) {\n  {\n    if (didWarnInvalidHydration) {\n      return;\n    }\n\n    didWarnInvalidHydration = true;\n\n    error('Did not expect server HTML to contain a <%s> in <%s>.', child.nodeName.toLowerCase(), parentNode.nodeName.toLowerCase());\n  }\n}\nfunction warnForDeletedHydratableText(parentNode, child) {\n  {\n    if (didWarnInvalidHydration) {\n      return;\n    }\n\n    didWarnInvalidHydration = true;\n\n    error('Did not expect server HTML to contain the text node \"%s\" in <%s>.', child.nodeValue, parentNode.nodeName.toLowerCase());\n  }\n}\nfunction warnForInsertedHydratedElement(parentNode, tag, props) {\n  {\n    if (didWarnInvalidHydration) {\n      return;\n    }\n\n    didWarnInvalidHydration = true;\n\n    error('Expected server HTML to contain a matching <%s> in <%s>.', tag, parentNode.nodeName.toLowerCase());\n  }\n}\nfunction warnForInsertedHydratedText(parentNode, text) {\n  {\n    if (text === '') {\n      // We expect to insert empty text nodes since they're not represented in\n      // the HTML.\n      // TODO: Remove this special case if we can just avoid inserting empty\n      // text nodes.\n      return;\n    }\n\n    if (didWarnInvalidHydration) {\n      return;\n    }\n\n    didWarnInvalidHydration = true;\n\n    error('Expected server HTML to contain a matching text node for \"%s\" in <%s>.', text, parentNode.nodeName.toLowerCase());\n  }\n}\nfunction restoreControlledState$3(domElement, tag, props) {\n  switch (tag) {\n    case 'input':\n      restoreControlledState(domElement, props);\n      return;\n\n    case 'textarea':\n      restoreControlledState$2(domElement, props);\n      return;\n\n    case 'select':\n      restoreControlledState$1(domElement, props);\n      return;\n  }\n}\n\nvar validateDOMNesting = function () {};\n\nvar updatedAncestorInfo = function () {};\n\n{\n  // This validation code was written based on the HTML5 parsing spec:\n  // https://html.spec.whatwg.org/multipage/syntax.html#has-an-element-in-scope\n  //\n  // Note: this does not catch all invalid nesting, nor does it try to (as it's\n  // not clear what practical benefit doing so provides); instead, we warn only\n  // for cases where the parser will give a parse tree differing from what React\n  // intended. For example, <b><div></div></b> is invalid but we don't warn\n  // because it still parses correctly; we do warn for other cases like nested\n  // <p> tags where the beginning of the second element implicitly closes the\n  // first, causing a confusing mess.\n  // https://html.spec.whatwg.org/multipage/syntax.html#special\n  var specialTags = ['address', 'applet', 'area', 'article', 'aside', 'base', 'basefont', 'bgsound', 'blockquote', 'body', 'br', 'button', 'caption', 'center', 'col', 'colgroup', 'dd', 'details', 'dir', 'div', 'dl', 'dt', 'embed', 'fieldset', 'figcaption', 'figure', 'footer', 'form', 'frame', 'frameset', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'head', 'header', 'hgroup', 'hr', 'html', 'iframe', 'img', 'input', 'isindex', 'li', 'link', 'listing', 'main', 'marquee', 'menu', 'menuitem', 'meta', 'nav', 'noembed', 'noframes', 'noscript', 'object', 'ol', 'p', 'param', 'plaintext', 'pre', 'script', 'section', 'select', 'source', 'style', 'summary', 'table', 'tbody', 'td', 'template', 'textarea', 'tfoot', 'th', 'thead', 'title', 'tr', 'track', 'ul', 'wbr', 'xmp']; // https://html.spec.whatwg.org/multipage/syntax.html#has-an-element-in-scope\n\n  var inScopeTags = ['applet', 'caption', 'html', 'table', 'td', 'th', 'marquee', 'object', 'template', // https://html.spec.whatwg.org/multipage/syntax.html#html-integration-point\n  // TODO: Distinguish by namespace here -- for <title>, including it here\n  // errs on the side of fewer warnings\n  'foreignObject', 'desc', 'title']; // https://html.spec.whatwg.org/multipage/syntax.html#has-an-element-in-button-scope\n\n  var buttonScopeTags = inScopeTags.concat(['button']); // https://html.spec.whatwg.org/multipage/syntax.html#generate-implied-end-tags\n\n  var impliedEndTags = ['dd', 'dt', 'li', 'option', 'optgroup', 'p', 'rp', 'rt'];\n  var emptyAncestorInfo = {\n    current: null,\n    formTag: null,\n    aTagInScope: null,\n    buttonTagInScope: null,\n    nobrTagInScope: null,\n    pTagInButtonScope: null,\n    listItemTagAutoclosing: null,\n    dlItemTagAutoclosing: null\n  };\n\n  updatedAncestorInfo = function (oldInfo, tag) {\n    var ancestorInfo = assign({}, oldInfo || emptyAncestorInfo);\n\n    var info = {\n      tag: tag\n    };\n\n    if (inScopeTags.indexOf(tag) !== -1) {\n      ancestorInfo.aTagInScope = null;\n      ancestorInfo.buttonTagInScope = null;\n      ancestorInfo.nobrTagInScope = null;\n    }\n\n    if (buttonScopeTags.indexOf(tag) !== -1) {\n      ancestorInfo.pTagInButtonScope = null;\n    } // See rules for 'li', 'dd', 'dt' start tags in\n    // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-inbody\n\n\n    if (specialTags.indexOf(tag) !== -1 && tag !== 'address' && tag !== 'div' && tag !== 'p') {\n      ancestorInfo.listItemTagAutoclosing = null;\n      ancestorInfo.dlItemTagAutoclosing = null;\n    }\n\n    ancestorInfo.current = info;\n\n    if (tag === 'form') {\n      ancestorInfo.formTag = info;\n    }\n\n    if (tag === 'a') {\n      ancestorInfo.aTagInScope = info;\n    }\n\n    if (tag === 'button') {\n      ancestorInfo.buttonTagInScope = info;\n    }\n\n    if (tag === 'nobr') {\n      ancestorInfo.nobrTagInScope = info;\n    }\n\n    if (tag === 'p') {\n      ancestorInfo.pTagInButtonScope = info;\n    }\n\n    if (tag === 'li') {\n      ancestorInfo.listItemTagAutoclosing = info;\n    }\n\n    if (tag === 'dd' || tag === 'dt') {\n      ancestorInfo.dlItemTagAutoclosing = info;\n    }\n\n    return ancestorInfo;\n  };\n  /**\n   * Returns whether\n   */\n\n\n  var isTagValidWithParent = function (tag, parentTag) {\n    // First, let's check if we're in an unusual parsing mode...\n    switch (parentTag) {\n      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-inselect\n      case 'select':\n        return tag === 'option' || tag === 'optgroup' || tag === '#text';\n\n      case 'optgroup':\n        return tag === 'option' || tag === '#text';\n      // Strictly speaking, seeing an <option> doesn't mean we're in a <select>\n      // but\n\n      case 'option':\n        return tag === '#text';\n      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-intd\n      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-incaption\n      // No special behavior since these rules fall back to \"in body\" mode for\n      // all except special table nodes which cause bad parsing behavior anyway.\n      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-intr\n\n      case 'tr':\n        return tag === 'th' || tag === 'td' || tag === 'style' || tag === 'script' || tag === 'template';\n      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-intbody\n\n      case 'tbody':\n      case 'thead':\n      case 'tfoot':\n        return tag === 'tr' || tag === 'style' || tag === 'script' || tag === 'template';\n      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-incolgroup\n\n      case 'colgroup':\n        return tag === 'col' || tag === 'template';\n      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-intable\n\n      case 'table':\n        return tag === 'caption' || tag === 'colgroup' || tag === 'tbody' || tag === 'tfoot' || tag === 'thead' || tag === 'style' || tag === 'script' || tag === 'template';\n      // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-inhead\n\n      case 'head':\n        return tag === 'base' || tag === 'basefont' || tag === 'bgsound' || tag === 'link' || tag === 'meta' || tag === 'title' || tag === 'noscript' || tag === 'noframes' || tag === 'style' || tag === 'script' || tag === 'template';\n      // https://html.spec.whatwg.org/multipage/semantics.html#the-html-element\n\n      case 'html':\n        return tag === 'head' || tag === 'body' || tag === 'frameset';\n\n      case 'frameset':\n        return tag === 'frame';\n\n      case '#document':\n        return tag === 'html';\n    } // Probably in the \"in body\" parsing mode, so we outlaw only tag combos\n    // where the parsing rules cause implicit opens or closes to be added.\n    // https://html.spec.whatwg.org/multipage/syntax.html#parsing-main-inbody\n\n\n    switch (tag) {\n      case 'h1':\n      case 'h2':\n      case 'h3':\n      case 'h4':\n      case 'h5':\n      case 'h6':\n        return parentTag !== 'h1' && parentTag !== 'h2' && parentTag !== 'h3' && parentTag !== 'h4' && parentTag !== 'h5' && parentTag !== 'h6';\n\n      case 'rp':\n      case 'rt':\n        return impliedEndTags.indexOf(parentTag) === -1;\n\n      case 'body':\n      case 'caption':\n      case 'col':\n      case 'colgroup':\n      case 'frameset':\n      case 'frame':\n      case 'head':\n      case 'html':\n      case 'tbody':\n      case 'td':\n      case 'tfoot':\n      case 'th':\n      case 'thead':\n      case 'tr':\n        // These tags are only valid with a few parents that have special child\n        // parsing rules -- if we're down here, then none of those matched and\n        // so we allow it only if we don't know what the parent is, as all other\n        // cases are invalid.\n        return parentTag == null;\n    }\n\n    return true;\n  };\n  /**\n   * Returns whether\n   */\n\n\n  var findInvalidAncestorForTag = function (tag, ancestorInfo) {\n    switch (tag) {\n      case 'address':\n      case 'article':\n      case 'aside':\n      case 'blockquote':\n      case 'center':\n      case 'details':\n      case 'dialog':\n      case 'dir':\n      case 'div':\n      case 'dl':\n      case 'fieldset':\n      case 'figcaption':\n      case 'figure':\n      case 'footer':\n      case 'header':\n      case 'hgroup':\n      case 'main':\n      case 'menu':\n      case 'nav':\n      case 'ol':\n      case 'p':\n      case 'section':\n      case 'summary':\n      case 'ul':\n      case 'pre':\n      case 'listing':\n      case 'table':\n      case 'hr':\n      case 'xmp':\n      case 'h1':\n      case 'h2':\n      case 'h3':\n      case 'h4':\n      case 'h5':\n      case 'h6':\n        return ancestorInfo.pTagInButtonScope;\n\n      case 'form':\n        return ancestorInfo.formTag || ancestorInfo.pTagInButtonScope;\n\n      case 'li':\n        return ancestorInfo.listItemTagAutoclosing;\n\n      case 'dd':\n      case 'dt':\n        return ancestorInfo.dlItemTagAutoclosing;\n\n      case 'button':\n        return ancestorInfo.buttonTagInScope;\n\n      case 'a':\n        // Spec says something about storing a list of markers, but it sounds\n        // equivalent to this check.\n        return ancestorInfo.aTagInScope;\n\n      case 'nobr':\n        return ancestorInfo.nobrTagInScope;\n    }\n\n    return null;\n  };\n\n  var didWarn$1 = {};\n\n  validateDOMNesting = function (childTag, childText, ancestorInfo) {\n    ancestorInfo = ancestorInfo || emptyAncestorInfo;\n    var parentInfo = ancestorInfo.current;\n    var parentTag = parentInfo && parentInfo.tag;\n\n    if (childText != null) {\n      if (childTag != null) {\n        error('validateDOMNesting: when childText is passed, childTag should be null');\n      }\n\n      childTag = '#text';\n    }\n\n    var invalidParent = isTagValidWithParent(childTag, parentTag) ? null : parentInfo;\n    var invalidAncestor = invalidParent ? null : findInvalidAncestorForTag(childTag, ancestorInfo);\n    var invalidParentOrAncestor = invalidParent || invalidAncestor;\n\n    if (!invalidParentOrAncestor) {\n      return;\n    }\n\n    var ancestorTag = invalidParentOrAncestor.tag;\n    var warnKey = !!invalidParent + '|' + childTag + '|' + ancestorTag;\n\n    if (didWarn$1[warnKey]) {\n      return;\n    }\n\n    didWarn$1[warnKey] = true;\n    var tagDisplayName = childTag;\n    var whitespaceInfo = '';\n\n    if (childTag === '#text') {\n      if (/\\S/.test(childText)) {\n        tagDisplayName = 'Text nodes';\n      } else {\n        tagDisplayName = 'Whitespace text nodes';\n        whitespaceInfo = \" Make sure you don't have any extra whitespace between tags on \" + 'each line of your source code.';\n      }\n    } else {\n      tagDisplayName = '<' + childTag + '>';\n    }\n\n    if (invalidParent) {\n      var info = '';\n\n      if (ancestorTag === 'table' && childTag === 'tr') {\n        info += ' Add a <tbody>, <thead> or <tfoot> to your code to match the DOM tree generated by ' + 'the browser.';\n      }\n\n      error('validateDOMNesting(...): %s cannot appear as a child of <%s>.%s%s', tagDisplayName, ancestorTag, whitespaceInfo, info);\n    } else {\n      error('validateDOMNesting(...): %s cannot appear as a descendant of ' + '<%s>.', tagDisplayName, ancestorTag);\n    }\n  };\n}\n\nvar SUPPRESS_HYDRATION_WARNING$1 = 'suppressHydrationWarning';\nvar SUSPENSE_START_DATA = '$';\nvar SUSPENSE_END_DATA = '/$';\nvar SUSPENSE_PENDING_START_DATA = '$?';\nvar SUSPENSE_FALLBACK_START_DATA = '$!';\nvar STYLE$1 = 'style';\nvar eventsEnabled = null;\nvar selectionInformation = null;\nfunction getRootHostContext(rootContainerInstance) {\n  var type;\n  var namespace;\n  var nodeType = rootContainerInstance.nodeType;\n\n  switch (nodeType) {\n    case DOCUMENT_NODE:\n    case DOCUMENT_FRAGMENT_NODE:\n      {\n        type = nodeType === DOCUMENT_NODE ? '#document' : '#fragment';\n        var root = rootContainerInstance.documentElement;\n        namespace = root ? root.namespaceURI : getChildNamespace(null, '');\n        break;\n      }\n\n    default:\n      {\n        var container = nodeType === COMMENT_NODE ? rootContainerInstance.parentNode : rootContainerInstance;\n        var ownNamespace = container.namespaceURI || null;\n        type = container.tagName;\n        namespace = getChildNamespace(ownNamespace, type);\n        break;\n      }\n  }\n\n  {\n    var validatedTag = type.toLowerCase();\n    var ancestorInfo = updatedAncestorInfo(null, validatedTag);\n    return {\n      namespace: namespace,\n      ancestorInfo: ancestorInfo\n    };\n  }\n}\nfunction getChildHostContext(parentHostContext, type, rootContainerInstance) {\n  {\n    var parentHostContextDev = parentHostContext;\n    var namespace = getChildNamespace(parentHostContextDev.namespace, type);\n    var ancestorInfo = updatedAncestorInfo(parentHostContextDev.ancestorInfo, type);\n    return {\n      namespace: namespace,\n      ancestorInfo: ancestorInfo\n    };\n  }\n}\nfunction getPublicInstance(instance) {\n  return instance;\n}\nfunction prepareForCommit(containerInfo) {\n  eventsEnabled = isEnabled();\n  selectionInformation = getSelectionInformation();\n  var activeInstance = null;\n\n  setEnabled(false);\n  return activeInstance;\n}\nfunction resetAfterCommit(containerInfo) {\n  restoreSelection(selectionInformation);\n  setEnabled(eventsEnabled);\n  eventsEnabled = null;\n  selectionInformation = null;\n}\nfunction createInstance(type, props, rootContainerInstance, hostContext, internalInstanceHandle) {\n  var parentNamespace;\n\n  {\n    // TODO: take namespace into account when validating.\n    var hostContextDev = hostContext;\n    validateDOMNesting(type, null, hostContextDev.ancestorInfo);\n\n    if (typeof props.children === 'string' || typeof props.children === 'number') {\n      var string = '' + props.children;\n      var ownAncestorInfo = updatedAncestorInfo(hostContextDev.ancestorInfo, type);\n      validateDOMNesting(null, string, ownAncestorInfo);\n    }\n\n    parentNamespace = hostContextDev.namespace;\n  }\n\n  var domElement = createElement(type, props, rootContainerInstance, parentNamespace);\n  precacheFiberNode(internalInstanceHandle, domElement);\n  updateFiberProps(domElement, props);\n  return domElement;\n}\nfunction appendInitialChild(parentInstance, child) {\n  parentInstance.appendChild(child);\n}\nfunction finalizeInitialChildren(domElement, type, props, rootContainerInstance, hostContext) {\n  setInitialProperties(domElement, type, props, rootContainerInstance);\n\n  switch (type) {\n    case 'button':\n    case 'input':\n    case 'select':\n    case 'textarea':\n      return !!props.autoFocus;\n\n    case 'img':\n      return true;\n\n    default:\n      return false;\n  }\n}\nfunction prepareUpdate(domElement, type, oldProps, newProps, rootContainerInstance, hostContext) {\n  {\n    var hostContextDev = hostContext;\n\n    if (typeof newProps.children !== typeof oldProps.children && (typeof newProps.children === 'string' || typeof newProps.children === 'number')) {\n      var string = '' + newProps.children;\n      var ownAncestorInfo = updatedAncestorInfo(hostContextDev.ancestorInfo, type);\n      validateDOMNesting(null, string, ownAncestorInfo);\n    }\n  }\n\n  return diffProperties(domElement, type, oldProps, newProps);\n}\nfunction shouldSetTextContent(type, props) {\n  return type === 'textarea' || type === 'noscript' || typeof props.children === 'string' || typeof props.children === 'number' || typeof props.dangerouslySetInnerHTML === 'object' && props.dangerouslySetInnerHTML !== null && props.dangerouslySetInnerHTML.__html != null;\n}\nfunction createTextInstance(text, rootContainerInstance, hostContext, internalInstanceHandle) {\n  {\n    var hostContextDev = hostContext;\n    validateDOMNesting(null, text, hostContextDev.ancestorInfo);\n  }\n\n  var textNode = createTextNode(text, rootContainerInstance);\n  precacheFiberNode(internalInstanceHandle, textNode);\n  return textNode;\n}\nfunction getCurrentEventPriority() {\n  var currentEvent = window.event;\n\n  if (currentEvent === undefined) {\n    return DefaultEventPriority;\n  }\n\n  return getEventPriority(currentEvent.type);\n}\n// if a component just imports ReactDOM (e.g. for findDOMNode).\n// Some environments might not have setTimeout or clearTimeout.\n\nvar scheduleTimeout = typeof setTimeout === 'function' ? setTimeout : undefined;\nvar cancelTimeout = typeof clearTimeout === 'function' ? clearTimeout : undefined;\nvar noTimeout = -1;\nvar localPromise = typeof Promise === 'function' ? Promise : undefined; // -------------------\nvar scheduleMicrotask = typeof queueMicrotask === 'function' ? queueMicrotask : typeof localPromise !== 'undefined' ? function (callback) {\n  return localPromise.resolve(null).then(callback).catch(handleErrorInNextTick);\n} : scheduleTimeout; // TODO: Determine the best fallback here.\n\nfunction handleErrorInNextTick(error) {\n  setTimeout(function () {\n    throw error;\n  });\n} // -------------------\nfunction commitMount(domElement, type, newProps, internalInstanceHandle) {\n  // Despite the naming that might imply otherwise, this method only\n  // fires if there is an `Update` effect scheduled during mounting.\n  // This happens if `finalizeInitialChildren` returns `true` (which it\n  // does to implement the `autoFocus` attribute on the client). But\n  // there are also other cases when this might happen (such as patching\n  // up text content during hydration mismatch). So we'll check this again.\n  switch (type) {\n    case 'button':\n    case 'input':\n    case 'select':\n    case 'textarea':\n      if (newProps.autoFocus) {\n        domElement.focus();\n      }\n\n      return;\n\n    case 'img':\n      {\n        if (newProps.src) {\n          domElement.src = newProps.src;\n        }\n\n        return;\n      }\n  }\n}\nfunction commitUpdate(domElement, updatePayload, type, oldProps, newProps, internalInstanceHandle) {\n  // Apply the diff to the DOM node.\n  updateProperties(domElement, updatePayload, type, oldProps, newProps); // Update the props handle so that we know which props are the ones with\n  // with current event handlers.\n\n  updateFiberProps(domElement, newProps);\n}\nfunction resetTextContent(domElement) {\n  setTextContent(domElement, '');\n}\nfunction commitTextUpdate(textInstance, oldText, newText) {\n  textInstance.nodeValue = newText;\n}\nfunction appendChild(parentInstance, child) {\n  parentInstance.appendChild(child);\n}\nfunction appendChildToContainer(container, child) {\n  var parentNode;\n\n  if (container.nodeType === COMMENT_NODE) {\n    parentNode = container.parentNode;\n    parentNode.insertBefore(child, container);\n  } else {\n    parentNode = container;\n    parentNode.appendChild(child);\n  } // This container might be used for a portal.\n  // If something inside a portal is clicked, that click should bubble\n  // through the React tree. However, on Mobile Safari the click would\n  // never bubble through the *DOM* tree unless an ancestor with onclick\n  // event exists. So we wouldn't see it and dispatch it.\n  // This is why we ensure that non React root containers have inline onclick\n  // defined.\n  // https://github.com/facebook/react/issues/11918\n\n\n  var reactRootContainer = container._reactRootContainer;\n\n  if ((reactRootContainer === null || reactRootContainer === undefined) && parentNode.onclick === null) {\n    // TODO: This cast may not be sound for SVG, MathML or custom elements.\n    trapClickOnNonInteractiveElement(parentNode);\n  }\n}\nfunction insertBefore(parentInstance, child, beforeChild) {\n  parentInstance.insertBefore(child, beforeChild);\n}\nfunction insertInContainerBefore(container, child, beforeChild) {\n  if (container.nodeType === COMMENT_NODE) {\n    container.parentNode.insertBefore(child, beforeChild);\n  } else {\n    container.insertBefore(child, beforeChild);\n  }\n}\n\nfunction removeChild(parentInstance, child) {\n  parentInstance.removeChild(child);\n}\nfunction removeChildFromContainer(container, child) {\n  if (container.nodeType === COMMENT_NODE) {\n    container.parentNode.removeChild(child);\n  } else {\n    container.removeChild(child);\n  }\n}\nfunction clearSuspenseBoundary(parentInstance, suspenseInstance) {\n  var node = suspenseInstance; // Delete all nodes within this suspense boundary.\n  // There might be nested nodes so we need to keep track of how\n  // deep we are and only break out when we're back on top.\n\n  var depth = 0;\n\n  do {\n    var nextNode = node.nextSibling;\n    parentInstance.removeChild(node);\n\n    if (nextNode && nextNode.nodeType === COMMENT_NODE) {\n      var data = nextNode.data;\n\n      if (data === SUSPENSE_END_DATA) {\n        if (depth === 0) {\n          parentInstance.removeChild(nextNode); // Retry if any event replaying was blocked on this.\n\n          retryIfBlockedOn(suspenseInstance);\n          return;\n        } else {\n          depth--;\n        }\n      } else if (data === SUSPENSE_START_DATA || data === SUSPENSE_PENDING_START_DATA || data === SUSPENSE_FALLBACK_START_DATA) {\n        depth++;\n      }\n    }\n\n    node = nextNode;\n  } while (node); // TODO: Warn, we didn't find the end comment boundary.\n  // Retry if any event replaying was blocked on this.\n\n\n  retryIfBlockedOn(suspenseInstance);\n}\nfunction clearSuspenseBoundaryFromContainer(container, suspenseInstance) {\n  if (container.nodeType === COMMENT_NODE) {\n    clearSuspenseBoundary(container.parentNode, suspenseInstance);\n  } else if (container.nodeType === ELEMENT_NODE) {\n    clearSuspenseBoundary(container, suspenseInstance);\n  } // Retry if any event replaying was blocked on this.\n\n\n  retryIfBlockedOn(container);\n}\nfunction hideInstance(instance) {\n  // TODO: Does this work for all element types? What about MathML? Should we\n  // pass host context to this method?\n  instance = instance;\n  var style = instance.style;\n\n  if (typeof style.setProperty === 'function') {\n    style.setProperty('display', 'none', 'important');\n  } else {\n    style.display = 'none';\n  }\n}\nfunction hideTextInstance(textInstance) {\n  textInstance.nodeValue = '';\n}\nfunction unhideInstance(instance, props) {\n  instance = instance;\n  var styleProp = props[STYLE$1];\n  var display = styleProp !== undefined && styleProp !== null && styleProp.hasOwnProperty('display') ? styleProp.display : null;\n  instance.style.display = dangerousStyleValue('display', display);\n}\nfunction unhideTextInstance(textInstance, text) {\n  textInstance.nodeValue = text;\n}\nfunction clearContainer(container) {\n  if (container.nodeType === ELEMENT_NODE) {\n    container.textContent = '';\n  } else if (container.nodeType === DOCUMENT_NODE) {\n    if (container.documentElement) {\n      container.removeChild(container.documentElement);\n    }\n  }\n} // -------------------\nfunction canHydrateInstance(instance, type, props) {\n  if (instance.nodeType !== ELEMENT_NODE || type.toLowerCase() !== instance.nodeName.toLowerCase()) {\n    return null;\n  } // This has now been refined to an element node.\n\n\n  return instance;\n}\nfunction canHydrateTextInstance(instance, text) {\n  if (text === '' || instance.nodeType !== TEXT_NODE) {\n    // Empty strings are not parsed by HTML so there won't be a correct match here.\n    return null;\n  } // This has now been refined to a text node.\n\n\n  return instance;\n}\nfunction canHydrateSuspenseInstance(instance) {\n  if (instance.nodeType !== COMMENT_NODE) {\n    // Empty strings are not parsed by HTML so there won't be a correct match here.\n    return null;\n  } // This has now been refined to a suspense node.\n\n\n  return instance;\n}\nfunction isSuspenseInstancePending(instance) {\n  return instance.data === SUSPENSE_PENDING_START_DATA;\n}\nfunction isSuspenseInstanceFallback(instance) {\n  return instance.data === SUSPENSE_FALLBACK_START_DATA;\n}\nfunction getSuspenseInstanceFallbackErrorDetails(instance) {\n  var dataset = instance.nextSibling && instance.nextSibling.dataset;\n  var digest, message, stack;\n\n  if (dataset) {\n    digest = dataset.dgst;\n\n    {\n      message = dataset.msg;\n      stack = dataset.stck;\n    }\n  }\n\n  {\n    return {\n      message: message,\n      digest: digest,\n      stack: stack\n    };\n  } // let value = {message: undefined, hash: undefined};\n  // const nextSibling = instance.nextSibling;\n  // if (nextSibling) {\n  //   const dataset = ((nextSibling: any): HTMLTemplateElement).dataset;\n  //   value.message = dataset.msg;\n  //   value.hash = dataset.hash;\n  //   if (true) {\n  //     value.stack = dataset.stack;\n  //   }\n  // }\n  // return value;\n\n}\nfunction registerSuspenseInstanceRetry(instance, callback) {\n  instance._reactRetry = callback;\n}\n\nfunction getNextHydratable(node) {\n  // Skip non-hydratable nodes.\n  for (; node != null; node = node.nextSibling) {\n    var nodeType = node.nodeType;\n\n    if (nodeType === ELEMENT_NODE || nodeType === TEXT_NODE) {\n      break;\n    }\n\n    if (nodeType === COMMENT_NODE) {\n      var nodeData = node.data;\n\n      if (nodeData === SUSPENSE_START_DATA || nodeData === SUSPENSE_FALLBACK_START_DATA || nodeData === SUSPENSE_PENDING_START_DATA) {\n        break;\n      }\n\n      if (nodeData === SUSPENSE_END_DATA) {\n        return null;\n      }\n    }\n  }\n\n  return node;\n}\n\nfunction getNextHydratableSibling(instance) {\n  return getNextHydratable(instance.nextSibling);\n}\nfunction getFirstHydratableChild(parentInstance) {\n  return getNextHydratable(parentInstance.firstChild);\n}\nfunction getFirstHydratableChildWithinContainer(parentContainer) {\n  return getNextHydratable(parentContainer.firstChild);\n}\nfunction getFirstHydratableChildWithinSuspenseInstance(parentInstance) {\n  return getNextHydratable(parentInstance.nextSibling);\n}\nfunction hydrateInstance(instance, type, props, rootContainerInstance, hostContext, internalInstanceHandle, shouldWarnDev) {\n  precacheFiberNode(internalInstanceHandle, instance); // TODO: Possibly defer this until the commit phase where all the events\n  // get attached.\n\n  updateFiberProps(instance, props);\n  var parentNamespace;\n\n  {\n    var hostContextDev = hostContext;\n    parentNamespace = hostContextDev.namespace;\n  } // TODO: Temporary hack to check if we're in a concurrent root. We can delete\n  // when the legacy root API is removed.\n\n\n  var isConcurrentMode = (internalInstanceHandle.mode & ConcurrentMode) !== NoMode;\n  return diffHydratedProperties(instance, type, props, parentNamespace, rootContainerInstance, isConcurrentMode, shouldWarnDev);\n}\nfunction hydrateTextInstance(textInstance, text, internalInstanceHandle, shouldWarnDev) {\n  precacheFiberNode(internalInstanceHandle, textInstance); // TODO: Temporary hack to check if we're in a concurrent root. We can delete\n  // when the legacy root API is removed.\n\n  var isConcurrentMode = (internalInstanceHandle.mode & ConcurrentMode) !== NoMode;\n  return diffHydratedText(textInstance, text);\n}\nfunction hydrateSuspenseInstance(suspenseInstance, internalInstanceHandle) {\n  precacheFiberNode(internalInstanceHandle, suspenseInstance);\n}\nfunction getNextHydratableInstanceAfterSuspenseInstance(suspenseInstance) {\n  var node = suspenseInstance.nextSibling; // Skip past all nodes within this suspense boundary.\n  // There might be nested nodes so we need to keep track of how\n  // deep we are and only break out when we're back on top.\n\n  var depth = 0;\n\n  while (node) {\n    if (node.nodeType === COMMENT_NODE) {\n      var data = node.data;\n\n      if (data === SUSPENSE_END_DATA) {\n        if (depth === 0) {\n          return getNextHydratableSibling(node);\n        } else {\n          depth--;\n        }\n      } else if (data === SUSPENSE_START_DATA || data === SUSPENSE_FALLBACK_START_DATA || data === SUSPENSE_PENDING_START_DATA) {\n        depth++;\n      }\n    }\n\n    node = node.nextSibling;\n  } // TODO: Warn, we didn't find the end comment boundary.\n\n\n  return null;\n} // Returns the SuspenseInstance if this node is a direct child of a\n// SuspenseInstance. I.e. if its previous sibling is a Comment with\n// SUSPENSE_x_START_DATA. Otherwise, null.\n\nfunction getParentSuspenseInstance(targetInstance) {\n  var node = targetInstance.previousSibling; // Skip past all nodes within this suspense boundary.\n  // There might be nested nodes so we need to keep track of how\n  // deep we are and only break out when we're back on top.\n\n  var depth = 0;\n\n  while (node) {\n    if (node.nodeType === COMMENT_NODE) {\n      var data = node.data;\n\n      if (data === SUSPENSE_START_DATA || data === SUSPENSE_FALLBACK_START_DATA || data === SUSPENSE_PENDING_START_DATA) {\n        if (depth === 0) {\n          return node;\n        } else {\n          depth--;\n        }\n      } else if (data === SUSPENSE_END_DATA) {\n        depth++;\n      }\n    }\n\n    node = node.previousSibling;\n  }\n\n  return null;\n}\nfunction commitHydratedContainer(container) {\n  // Retry if any event replaying was blocked on this.\n  retryIfBlockedOn(container);\n}\nfunction commitHydratedSuspenseInstance(suspenseInstance) {\n  // Retry if any event replaying was blocked on this.\n  retryIfBlockedOn(suspenseInstance);\n}\nfunction shouldDeleteUnhydratedTailInstances(parentType) {\n  return parentType !== 'head' && parentType !== 'body';\n}\nfunction didNotMatchHydratedContainerTextInstance(parentContainer, textInstance, text, isConcurrentMode) {\n  var shouldWarnDev = true;\n  checkForUnmatchedText(textInstance.nodeValue, text, isConcurrentMode, shouldWarnDev);\n}\nfunction didNotMatchHydratedTextInstance(parentType, parentProps, parentInstance, textInstance, text, isConcurrentMode) {\n  if (parentProps[SUPPRESS_HYDRATION_WARNING$1] !== true) {\n    var shouldWarnDev = true;\n    checkForUnmatchedText(textInstance.nodeValue, text, isConcurrentMode, shouldWarnDev);\n  }\n}\nfunction didNotHydrateInstanceWithinContainer(parentContainer, instance) {\n  {\n    if (instance.nodeType === ELEMENT_NODE) {\n      warnForDeletedHydratableElement(parentContainer, instance);\n    } else if (instance.nodeType === COMMENT_NODE) ; else {\n      warnForDeletedHydratableText(parentContainer, instance);\n    }\n  }\n}\nfunction didNotHydrateInstanceWithinSuspenseInstance(parentInstance, instance) {\n  {\n    // $FlowFixMe: Only Element or Document can be parent nodes.\n    var parentNode = parentInstance.parentNode;\n\n    if (parentNode !== null) {\n      if (instance.nodeType === ELEMENT_NODE) {\n        warnForDeletedHydratableElement(parentNode, instance);\n      } else if (instance.nodeType === COMMENT_NODE) ; else {\n        warnForDeletedHydratableText(parentNode, instance);\n      }\n    }\n  }\n}\nfunction didNotHydrateInstance(parentType, parentProps, parentInstance, instance, isConcurrentMode) {\n  {\n    if (isConcurrentMode || parentProps[SUPPRESS_HYDRATION_WARNING$1] !== true) {\n      if (instance.nodeType === ELEMENT_NODE) {\n        warnForDeletedHydratableElement(parentInstance, instance);\n      } else if (instance.nodeType === COMMENT_NODE) ; else {\n        warnForDeletedHydratableText(parentInstance, instance);\n      }\n    }\n  }\n}\nfunction didNotFindHydratableInstanceWithinContainer(parentContainer, type, props) {\n  {\n    warnForInsertedHydratedElement(parentContainer, type);\n  }\n}\nfunction didNotFindHydratableTextInstanceWithinContainer(parentContainer, text) {\n  {\n    warnForInsertedHydratedText(parentContainer, text);\n  }\n}\nfunction didNotFindHydratableInstanceWithinSuspenseInstance(parentInstance, type, props) {\n  {\n    // $FlowFixMe: Only Element or Document can be parent nodes.\n    var parentNode = parentInstance.parentNode;\n    if (parentNode !== null) warnForInsertedHydratedElement(parentNode, type);\n  }\n}\nfunction didNotFindHydratableTextInstanceWithinSuspenseInstance(parentInstance, text) {\n  {\n    // $FlowFixMe: Only Element or Document can be parent nodes.\n    var parentNode = parentInstance.parentNode;\n    if (parentNode !== null) warnForInsertedHydratedText(parentNode, text);\n  }\n}\nfunction didNotFindHydratableInstance(parentType, parentProps, parentInstance, type, props, isConcurrentMode) {\n  {\n    if (isConcurrentMode || parentProps[SUPPRESS_HYDRATION_WARNING$1] !== true) {\n      warnForInsertedHydratedElement(parentInstance, type);\n    }\n  }\n}\nfunction didNotFindHydratableTextInstance(parentType, parentProps, parentInstance, text, isConcurrentMode) {\n  {\n    if (isConcurrentMode || parentProps[SUPPRESS_HYDRATION_WARNING$1] !== true) {\n      warnForInsertedHydratedText(parentInstance, text);\n    }\n  }\n}\nfunction errorHydratingContainer(parentContainer) {\n  {\n    // TODO: This gets logged by onRecoverableError, too, so we should be\n    // able to remove it.\n    error('An error occurred during hydration. The server HTML was replaced with client content in <%s>.', parentContainer.nodeName.toLowerCase());\n  }\n}\nfunction preparePortalMount(portalInstance) {\n  listenToAllSupportedEvents(portalInstance);\n}\n\nvar randomKey = Math.random().toString(36).slice(2);\nvar internalInstanceKey = '__reactFiber$' + randomKey;\nvar internalPropsKey = '__reactProps$' + randomKey;\nvar internalContainerInstanceKey = '__reactContainer$' + randomKey;\nvar internalEventHandlersKey = '__reactEvents$' + randomKey;\nvar internalEventHandlerListenersKey = '__reactListeners$' + randomKey;\nvar internalEventHandlesSetKey = '__reactHandles$' + randomKey;\nfunction detachDeletedInstance(node) {\n  // TODO: This function is only called on host components. I don't think all of\n  // these fields are relevant.\n  delete node[internalInstanceKey];\n  delete node[internalPropsKey];\n  delete node[internalEventHandlersKey];\n  delete node[internalEventHandlerListenersKey];\n  delete node[internalEventHandlesSetKey];\n}\nfunction precacheFiberNode(hostInst, node) {\n  node[internalInstanceKey] = hostInst;\n}\nfunction markContainerAsRoot(hostRoot, node) {\n  node[internalContainerInstanceKey] = hostRoot;\n}\nfunction unmarkContainerAsRoot(node) {\n  node[internalContainerInstanceKey] = null;\n}\nfunction isContainerMarkedAsRoot(node) {\n  return !!node[internalContainerInstanceKey];\n} // Given a DOM node, return the closest HostComponent or HostText fiber ancestor.\n// If the target node is part of a hydrated or not yet rendered subtree, then\n// this may also return a SuspenseComponent or HostRoot to indicate that.\n// Conceptually the HostRoot fiber is a child of the Container node. So if you\n// pass the Container node as the targetNode, you will not actually get the\n// HostRoot back. To get to the HostRoot, you need to pass a child of it.\n// The same thing applies to Suspense boundaries.\n\nfunction getClosestInstanceFromNode(targetNode) {\n  var targetInst = targetNode[internalInstanceKey];\n\n  if (targetInst) {\n    // Don't return HostRoot or SuspenseComponent here.\n    return targetInst;\n  } // If the direct event target isn't a React owned DOM node, we need to look\n  // to see if one of its parents is a React owned DOM node.\n\n\n  var parentNode = targetNode.parentNode;\n\n  while (parentNode) {\n    // We'll check if this is a container root that could include\n    // React nodes in the future. We need to check this first because\n    // if we're a child of a dehydrated container, we need to first\n    // find that inner container before moving on to finding the parent\n    // instance. Note that we don't check this field on  the targetNode\n    // itself because the fibers are conceptually between the container\n    // node and the first child. It isn't surrounding the container node.\n    // If it's not a container, we check if it's an instance.\n    targetInst = parentNode[internalContainerInstanceKey] || parentNode[internalInstanceKey];\n\n    if (targetInst) {\n      // Since this wasn't the direct target of the event, we might have\n      // stepped past dehydrated DOM nodes to get here. However they could\n      // also have been non-React nodes. We need to answer which one.\n      // If we the instance doesn't have any children, then there can't be\n      // a nested suspense boundary within it. So we can use this as a fast\n      // bailout. Most of the time, when people add non-React children to\n      // the tree, it is using a ref to a child-less DOM node.\n      // Normally we'd only need to check one of the fibers because if it\n      // has ever gone from having children to deleting them or vice versa\n      // it would have deleted the dehydrated boundary nested inside already.\n      // However, since the HostRoot starts out with an alternate it might\n      // have one on the alternate so we need to check in case this was a\n      // root.\n      var alternate = targetInst.alternate;\n\n      if (targetInst.child !== null || alternate !== null && alternate.child !== null) {\n        // Next we need to figure out if the node that skipped past is\n        // nested within a dehydrated boundary and if so, which one.\n        var suspenseInstance = getParentSuspenseInstance(targetNode);\n\n        while (suspenseInstance !== null) {\n          // We found a suspense instance. That means that we haven't\n          // hydrated it yet. Even though we leave the comments in the\n          // DOM after hydrating, and there are boundaries in the DOM\n          // that could already be hydrated, we wouldn't have found them\n          // through this pass since if the target is hydrated it would\n          // have had an internalInstanceKey on it.\n          // Let's get the fiber associated with the SuspenseComponent\n          // as the deepest instance.\n          var targetSuspenseInst = suspenseInstance[internalInstanceKey];\n\n          if (targetSuspenseInst) {\n            return targetSuspenseInst;\n          } // If we don't find a Fiber on the comment, it might be because\n          // we haven't gotten to hydrate it yet. There might still be a\n          // parent boundary that hasn't above this one so we need to find\n          // the outer most that is known.\n\n\n          suspenseInstance = getParentSuspenseInstance(suspenseInstance); // If we don't find one, then that should mean that the parent\n          // host component also hasn't hydrated yet. We can return it\n          // below since it will bail out on the isMounted check later.\n        }\n      }\n\n      return targetInst;\n    }\n\n    targetNode = parentNode;\n    parentNode = targetNode.parentNode;\n  }\n\n  return null;\n}\n/**\n * Given a DOM node, return the ReactDOMComponent or ReactDOMTextComponent\n * instance, or null if the node was not rendered by this React.\n */\n\nfunction getInstanceFromNode(node) {\n  var inst = node[internalInstanceKey] || node[internalContainerInstanceKey];\n\n  if (inst) {\n    if (inst.tag === HostComponent || inst.tag === HostText || inst.tag === SuspenseComponent || inst.tag === HostRoot) {\n      return inst;\n    } else {\n      return null;\n    }\n  }\n\n  return null;\n}\n/**\n * Given a ReactDOMComponent or ReactDOMTextComponent, return the corresponding\n * DOM node.\n */\n\nfunction getNodeFromInstance(inst) {\n  if (inst.tag === HostComponent || inst.tag === HostText) {\n    // In Fiber this, is just the state node right now. We assume it will be\n    // a host component or host text.\n    return inst.stateNode;\n  } // Without this first invariant, passing a non-DOM-component triggers the next\n  // invariant for a missing parent, which is super confusing.\n\n\n  throw new Error('getNodeFromInstance: Invalid argument.');\n}\nfunction getFiberCurrentPropsFromNode(node) {\n  return node[internalPropsKey] || null;\n}\nfunction updateFiberProps(node, props) {\n  node[internalPropsKey] = props;\n}\nfunction getEventListenerSet(node) {\n  var elementListenerSet = node[internalEventHandlersKey];\n\n  if (elementListenerSet === undefined) {\n    elementListenerSet = node[internalEventHandlersKey] = new Set();\n  }\n\n  return elementListenerSet;\n}\n\nvar loggedTypeFailures = {};\nvar ReactDebugCurrentFrame$1 = ReactSharedInternals.ReactDebugCurrentFrame;\n\nfunction setCurrentlyValidatingElement(element) {\n  {\n    if (element) {\n      var owner = element._owner;\n      var stack = describeUnknownElementTypeFrameInDEV(element.type, element._source, owner ? owner.type : null);\n      ReactDebugCurrentFrame$1.setExtraStackFrame(stack);\n    } else {\n      ReactDebugCurrentFrame$1.setExtraStackFrame(null);\n    }\n  }\n}\n\nfunction checkPropTypes(typeSpecs, values, location, componentName, element) {\n  {\n    // $FlowFixMe This is okay but Flow doesn't know it.\n    var has = Function.call.bind(hasOwnProperty);\n\n    for (var typeSpecName in typeSpecs) {\n      if (has(typeSpecs, typeSpecName)) {\n        var error$1 = void 0; // Prop type validation may throw. In case they do, we don't want to\n        // fail the render phase where it didn't fail before. So we log it.\n        // After these have been cleaned up, we'll let them throw.\n\n        try {\n          // This is intentionally an invariant that gets caught. It's the same\n          // behavior as without this statement except with a better message.\n          if (typeof typeSpecs[typeSpecName] !== 'function') {\n            // eslint-disable-next-line react-internal/prod-error-codes\n            var err = Error((componentName || 'React class') + ': ' + location + ' type `' + typeSpecName + '` is invalid; ' + 'it must be a function, usually from the `prop-types` package, but received `' + typeof typeSpecs[typeSpecName] + '`.' + 'This often happens because of typos such as `PropTypes.function` instead of `PropTypes.func`.');\n            err.name = 'Invariant Violation';\n            throw err;\n          }\n\n          error$1 = typeSpecs[typeSpecName](values, typeSpecName, componentName, location, null, 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED');\n        } catch (ex) {\n          error$1 = ex;\n        }\n\n        if (error$1 && !(error$1 instanceof Error)) {\n          setCurrentlyValidatingElement(element);\n\n          error('%s: type specification of %s' + ' `%s` is invalid; the type checker ' + 'function must return `null` or an `Error` but returned a %s. ' + 'You may have forgotten to pass an argument to the type checker ' + 'creator (arrayOf, instanceOf, objectOf, oneOf, oneOfType, and ' + 'shape all require an argument).', componentName || 'React class', location, typeSpecName, typeof error$1);\n\n          setCurrentlyValidatingElement(null);\n        }\n\n        if (error$1 instanceof Error && !(error$1.message in loggedTypeFailures)) {\n          // Only monitor this failure once because there tends to be a lot of the\n          // same error.\n          loggedTypeFailures[error$1.message] = true;\n          setCurrentlyValidatingElement(element);\n\n          error('Failed %s type: %s', location, error$1.message);\n\n          setCurrentlyValidatingElement(null);\n        }\n      }\n    }\n  }\n}\n\nvar valueStack = [];\nvar fiberStack;\n\n{\n  fiberStack = [];\n}\n\nvar index = -1;\n\nfunction createCursor(defaultValue) {\n  return {\n    current: defaultValue\n  };\n}\n\nfunction pop(cursor, fiber) {\n  if (index < 0) {\n    {\n      error('Unexpected pop.');\n    }\n\n    return;\n  }\n\n  {\n    if (fiber !== fiberStack[index]) {\n      error('Unexpected Fiber popped.');\n    }\n  }\n\n  cursor.current = valueStack[index];\n  valueStack[index] = null;\n\n  {\n    fiberStack[index] = null;\n  }\n\n  index--;\n}\n\nfunction push(cursor, value, fiber) {\n  index++;\n  valueStack[index] = cursor.current;\n\n  {\n    fiberStack[index] = fiber;\n  }\n\n  cursor.current = value;\n}\n\nvar warnedAboutMissingGetChildContext;\n\n{\n  warnedAboutMissingGetChildContext = {};\n}\n\nvar emptyContextObject = {};\n\n{\n  Object.freeze(emptyContextObject);\n} // A cursor to the current merged context object on the stack.\n\n\nvar contextStackCursor = createCursor(emptyContextObject); // A cursor to a boolean indicating whether the context has changed.\n\nvar didPerformWorkStackCursor = createCursor(false); // Keep track of the previous context object that was on the stack.\n// We use this to get access to the parent context after we have already\n// pushed the next context provider, and now need to merge their contexts.\n\nvar previousContext = emptyContextObject;\n\nfunction getUnmaskedContext(workInProgress, Component, didPushOwnContextIfProvider) {\n  {\n    if (didPushOwnContextIfProvider && isContextProvider(Component)) {\n      // If the fiber is a context provider itself, when we read its context\n      // we may have already pushed its own child context on the stack. A context\n      // provider should not \"see\" its own child context. Therefore we read the\n      // previous (parent) context instead for a context provider.\n      return previousContext;\n    }\n\n    return contextStackCursor.current;\n  }\n}\n\nfunction cacheContext(workInProgress, unmaskedContext, maskedContext) {\n  {\n    var instance = workInProgress.stateNode;\n    instance.__reactInternalMemoizedUnmaskedChildContext = unmaskedContext;\n    instance.__reactInternalMemoizedMaskedChildContext = maskedContext;\n  }\n}\n\nfunction getMaskedContext(workInProgress, unmaskedContext) {\n  {\n    var type = workInProgress.type;\n    var contextTypes = type.contextTypes;\n\n    if (!contextTypes) {\n      return emptyContextObject;\n    } // Avoid recreating masked context unless unmasked context has changed.\n    // Failing to do this will result in unnecessary calls to componentWillReceiveProps.\n    // This may trigger infinite loops if componentWillReceiveProps calls setState.\n\n\n    var instance = workInProgress.stateNode;\n\n    if (instance && instance.__reactInternalMemoizedUnmaskedChildContext === unmaskedContext) {\n      return instance.__reactInternalMemoizedMaskedChildContext;\n    }\n\n    var context = {};\n\n    for (var key in contextTypes) {\n      context[key] = unmaskedContext[key];\n    }\n\n    {\n      var name = getComponentNameFromFiber(workInProgress) || 'Unknown';\n      checkPropTypes(contextTypes, context, 'context', name);\n    } // Cache unmasked context so we can avoid recreating masked context unless necessary.\n    // Context is created before the class component is instantiated so check for instance.\n\n\n    if (instance) {\n      cacheContext(workInProgress, unmaskedContext, context);\n    }\n\n    return context;\n  }\n}\n\nfunction hasContextChanged() {\n  {\n    return didPerformWorkStackCursor.current;\n  }\n}\n\nfunction isContextProvider(type) {\n  {\n    var childContextTypes = type.childContextTypes;\n    return childContextTypes !== null && childContextTypes !== undefined;\n  }\n}\n\nfunction popContext(fiber) {\n  {\n    pop(didPerformWorkStackCursor, fiber);\n    pop(contextStackCursor, fiber);\n  }\n}\n\nfunction popTopLevelContextObject(fiber) {\n  {\n    pop(didPerformWorkStackCursor, fiber);\n    pop(contextStackCursor, fiber);\n  }\n}\n\nfunction pushTopLevelContextObject(fiber, context, didChange) {\n  {\n    if (contextStackCursor.current !== emptyContextObject) {\n      throw new Error('Unexpected context found on stack. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n    }\n\n    push(contextStackCursor, context, fiber);\n    push(didPerformWorkStackCursor, didChange, fiber);\n  }\n}\n\nfunction processChildContext(fiber, type, parentContext) {\n  {\n    var instance = fiber.stateNode;\n    var childContextTypes = type.childContextTypes; // TODO (bvaughn) Replace this behavior with an invariant() in the future.\n    // It has only been added in Fiber to match the (unintentional) behavior in Stack.\n\n    if (typeof instance.getChildContext !== 'function') {\n      {\n        var componentName = getComponentNameFromFiber(fiber) || 'Unknown';\n\n        if (!warnedAboutMissingGetChildContext[componentName]) {\n          warnedAboutMissingGetChildContext[componentName] = true;\n\n          error('%s.childContextTypes is specified but there is no getChildContext() method ' + 'on the instance. You can either define getChildContext() on %s or remove ' + 'childContextTypes from it.', componentName, componentName);\n        }\n      }\n\n      return parentContext;\n    }\n\n    var childContext = instance.getChildContext();\n\n    for (var contextKey in childContext) {\n      if (!(contextKey in childContextTypes)) {\n        throw new Error((getComponentNameFromFiber(fiber) || 'Unknown') + \".getChildContext(): key \\\"\" + contextKey + \"\\\" is not defined in childContextTypes.\");\n      }\n    }\n\n    {\n      var name = getComponentNameFromFiber(fiber) || 'Unknown';\n      checkPropTypes(childContextTypes, childContext, 'child context', name);\n    }\n\n    return assign({}, parentContext, childContext);\n  }\n}\n\nfunction pushContextProvider(workInProgress) {\n  {\n    var instance = workInProgress.stateNode; // We push the context as early as possible to ensure stack integrity.\n    // If the instance does not exist yet, we will push null at first,\n    // and replace it on the stack later when invalidating the context.\n\n    var memoizedMergedChildContext = instance && instance.__reactInternalMemoizedMergedChildContext || emptyContextObject; // Remember the parent context so we can merge with it later.\n    // Inherit the parent's did-perform-work value to avoid inadvertently blocking updates.\n\n    previousContext = contextStackCursor.current;\n    push(contextStackCursor, memoizedMergedChildContext, workInProgress);\n    push(didPerformWorkStackCursor, didPerformWorkStackCursor.current, workInProgress);\n    return true;\n  }\n}\n\nfunction invalidateContextProvider(workInProgress, type, didChange) {\n  {\n    var instance = workInProgress.stateNode;\n\n    if (!instance) {\n      throw new Error('Expected to have an instance by this point. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n    }\n\n    if (didChange) {\n      // Merge parent and own context.\n      // Skip this if we're not updating due to sCU.\n      // This avoids unnecessarily recomputing memoized values.\n      var mergedContext = processChildContext(workInProgress, type, previousContext);\n      instance.__reactInternalMemoizedMergedChildContext = mergedContext; // Replace the old (or empty) context with the new one.\n      // It is important to unwind the context in the reverse order.\n\n      pop(didPerformWorkStackCursor, workInProgress);\n      pop(contextStackCursor, workInProgress); // Now push the new context and mark that it has changed.\n\n      push(contextStackCursor, mergedContext, workInProgress);\n      push(didPerformWorkStackCursor, didChange, workInProgress);\n    } else {\n      pop(didPerformWorkStackCursor, workInProgress);\n      push(didPerformWorkStackCursor, didChange, workInProgress);\n    }\n  }\n}\n\nfunction findCurrentUnmaskedContext(fiber) {\n  {\n    // Currently this is only used with renderSubtreeIntoContainer; not sure if it\n    // makes sense elsewhere\n    if (!isFiberMounted(fiber) || fiber.tag !== ClassComponent) {\n      throw new Error('Expected subtree parent to be a mounted class component. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n    }\n\n    var node = fiber;\n\n    do {\n      switch (node.tag) {\n        case HostRoot:\n          return node.stateNode.context;\n\n        case ClassComponent:\n          {\n            var Component = node.type;\n\n            if (isContextProvider(Component)) {\n              return node.stateNode.__reactInternalMemoizedMergedChildContext;\n            }\n\n            break;\n          }\n      }\n\n      node = node.return;\n    } while (node !== null);\n\n    throw new Error('Found unexpected detached subtree parent. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n  }\n}\n\nvar LegacyRoot = 0;\nvar ConcurrentRoot = 1;\n\nvar syncQueue = null;\nvar includesLegacySyncCallbacks = false;\nvar isFlushingSyncQueue = false;\nfunction scheduleSyncCallback(callback) {\n  // Push this callback into an internal queue. We'll flush these either in\n  // the next tick, or earlier if something calls `flushSyncCallbackQueue`.\n  if (syncQueue === null) {\n    syncQueue = [callback];\n  } else {\n    // Push onto existing queue. Don't need to schedule a callback because\n    // we already scheduled one when we created the queue.\n    syncQueue.push(callback);\n  }\n}\nfunction scheduleLegacySyncCallback(callback) {\n  includesLegacySyncCallbacks = true;\n  scheduleSyncCallback(callback);\n}\nfunction flushSyncCallbacksOnlyInLegacyMode() {\n  // Only flushes the queue if there's a legacy sync callback scheduled.\n  // TODO: There's only a single type of callback: performSyncOnWorkOnRoot. So\n  // it might make more sense for the queue to be a list of roots instead of a\n  // list of generic callbacks. Then we can have two: one for legacy roots, one\n  // for concurrent roots. And this method would only flush the legacy ones.\n  if (includesLegacySyncCallbacks) {\n    flushSyncCallbacks();\n  }\n}\nfunction flushSyncCallbacks() {\n  if (!isFlushingSyncQueue && syncQueue !== null) {\n    // Prevent re-entrance.\n    isFlushingSyncQueue = true;\n    var i = 0;\n    var previousUpdatePriority = getCurrentUpdatePriority();\n\n    try {\n      var isSync = true;\n      var queue = syncQueue; // TODO: Is this necessary anymore? The only user code that runs in this\n      // queue is in the render or commit phases.\n\n      setCurrentUpdatePriority(DiscreteEventPriority);\n\n      for (; i < queue.length; i++) {\n        var callback = queue[i];\n\n        do {\n          callback = callback(isSync);\n        } while (callback !== null);\n      }\n\n      syncQueue = null;\n      includesLegacySyncCallbacks = false;\n    } catch (error) {\n      // If something throws, leave the remaining callbacks on the queue.\n      if (syncQueue !== null) {\n        syncQueue = syncQueue.slice(i + 1);\n      } // Resume flushing in the next tick\n\n\n      scheduleCallback(ImmediatePriority, flushSyncCallbacks);\n      throw error;\n    } finally {\n      setCurrentUpdatePriority(previousUpdatePriority);\n      isFlushingSyncQueue = false;\n    }\n  }\n\n  return null;\n}\n\n// TODO: Use the unified fiber stack module instead of this local one?\n// Intentionally not using it yet to derisk the initial implementation, because\n// the way we push/pop these values is a bit unusual. If there's a mistake, I'd\n// rather the ids be wrong than crash the whole reconciler.\nvar forkStack = [];\nvar forkStackIndex = 0;\nvar treeForkProvider = null;\nvar treeForkCount = 0;\nvar idStack = [];\nvar idStackIndex = 0;\nvar treeContextProvider = null;\nvar treeContextId = 1;\nvar treeContextOverflow = '';\nfunction isForkedChild(workInProgress) {\n  warnIfNotHydrating();\n  return (workInProgress.flags & Forked) !== NoFlags;\n}\nfunction getForksAtLevel(workInProgress) {\n  warnIfNotHydrating();\n  return treeForkCount;\n}\nfunction getTreeId() {\n  var overflow = treeContextOverflow;\n  var idWithLeadingBit = treeContextId;\n  var id = idWithLeadingBit & ~getLeadingBit(idWithLeadingBit);\n  return id.toString(32) + overflow;\n}\nfunction pushTreeFork(workInProgress, totalChildren) {\n  // This is called right after we reconcile an array (or iterator) of child\n  // fibers, because that's the only place where we know how many children in\n  // the whole set without doing extra work later, or storing addtional\n  // information on the fiber.\n  //\n  // That's why this function is separate from pushTreeId — it's called during\n  // the render phase of the fork parent, not the child, which is where we push\n  // the other context values.\n  //\n  // In the Fizz implementation this is much simpler because the child is\n  // rendered in the same callstack as the parent.\n  //\n  // It might be better to just add a `forks` field to the Fiber type. It would\n  // make this module simpler.\n  warnIfNotHydrating();\n  forkStack[forkStackIndex++] = treeForkCount;\n  forkStack[forkStackIndex++] = treeForkProvider;\n  treeForkProvider = workInProgress;\n  treeForkCount = totalChildren;\n}\nfunction pushTreeId(workInProgress, totalChildren, index) {\n  warnIfNotHydrating();\n  idStack[idStackIndex++] = treeContextId;\n  idStack[idStackIndex++] = treeContextOverflow;\n  idStack[idStackIndex++] = treeContextProvider;\n  treeContextProvider = workInProgress;\n  var baseIdWithLeadingBit = treeContextId;\n  var baseOverflow = treeContextOverflow; // The leftmost 1 marks the end of the sequence, non-inclusive. It's not part\n  // of the id; we use it to account for leading 0s.\n\n  var baseLength = getBitLength(baseIdWithLeadingBit) - 1;\n  var baseId = baseIdWithLeadingBit & ~(1 << baseLength);\n  var slot = index + 1;\n  var length = getBitLength(totalChildren) + baseLength; // 30 is the max length we can store without overflowing, taking into\n  // consideration the leading 1 we use to mark the end of the sequence.\n\n  if (length > 30) {\n    // We overflowed the bitwise-safe range. Fall back to slower algorithm.\n    // This branch assumes the length of the base id is greater than 5; it won't\n    // work for smaller ids, because you need 5 bits per character.\n    //\n    // We encode the id in multiple steps: first the base id, then the\n    // remaining digits.\n    //\n    // Each 5 bit sequence corresponds to a single base 32 character. So for\n    // example, if the current id is 23 bits long, we can convert 20 of those\n    // bits into a string of 4 characters, with 3 bits left over.\n    //\n    // First calculate how many bits in the base id represent a complete\n    // sequence of characters.\n    var numberOfOverflowBits = baseLength - baseLength % 5; // Then create a bitmask that selects only those bits.\n\n    var newOverflowBits = (1 << numberOfOverflowBits) - 1; // Select the bits, and convert them to a base 32 string.\n\n    var newOverflow = (baseId & newOverflowBits).toString(32); // Now we can remove those bits from the base id.\n\n    var restOfBaseId = baseId >> numberOfOverflowBits;\n    var restOfBaseLength = baseLength - numberOfOverflowBits; // Finally, encode the rest of the bits using the normal algorithm. Because\n    // we made more room, this time it won't overflow.\n\n    var restOfLength = getBitLength(totalChildren) + restOfBaseLength;\n    var restOfNewBits = slot << restOfBaseLength;\n    var id = restOfNewBits | restOfBaseId;\n    var overflow = newOverflow + baseOverflow;\n    treeContextId = 1 << restOfLength | id;\n    treeContextOverflow = overflow;\n  } else {\n    // Normal path\n    var newBits = slot << baseLength;\n\n    var _id = newBits | baseId;\n\n    var _overflow = baseOverflow;\n    treeContextId = 1 << length | _id;\n    treeContextOverflow = _overflow;\n  }\n}\nfunction pushMaterializedTreeId(workInProgress) {\n  warnIfNotHydrating(); // This component materialized an id. This will affect any ids that appear\n  // in its children.\n\n  var returnFiber = workInProgress.return;\n\n  if (returnFiber !== null) {\n    var numberOfForks = 1;\n    var slotIndex = 0;\n    pushTreeFork(workInProgress, numberOfForks);\n    pushTreeId(workInProgress, numberOfForks, slotIndex);\n  }\n}\n\nfunction getBitLength(number) {\n  return 32 - clz32(number);\n}\n\nfunction getLeadingBit(id) {\n  return 1 << getBitLength(id) - 1;\n}\n\nfunction popTreeContext(workInProgress) {\n  // Restore the previous values.\n  // This is a bit more complicated than other context-like modules in Fiber\n  // because the same Fiber may appear on the stack multiple times and for\n  // different reasons. We have to keep popping until the work-in-progress is\n  // no longer at the top of the stack.\n  while (workInProgress === treeForkProvider) {\n    treeForkProvider = forkStack[--forkStackIndex];\n    forkStack[forkStackIndex] = null;\n    treeForkCount = forkStack[--forkStackIndex];\n    forkStack[forkStackIndex] = null;\n  }\n\n  while (workInProgress === treeContextProvider) {\n    treeContextProvider = idStack[--idStackIndex];\n    idStack[idStackIndex] = null;\n    treeContextOverflow = idStack[--idStackIndex];\n    idStack[idStackIndex] = null;\n    treeContextId = idStack[--idStackIndex];\n    idStack[idStackIndex] = null;\n  }\n}\nfunction getSuspendedTreeContext() {\n  warnIfNotHydrating();\n\n  if (treeContextProvider !== null) {\n    return {\n      id: treeContextId,\n      overflow: treeContextOverflow\n    };\n  } else {\n    return null;\n  }\n}\nfunction restoreSuspendedTreeContext(workInProgress, suspendedContext) {\n  warnIfNotHydrating();\n  idStack[idStackIndex++] = treeContextId;\n  idStack[idStackIndex++] = treeContextOverflow;\n  idStack[idStackIndex++] = treeContextProvider;\n  treeContextId = suspendedContext.id;\n  treeContextOverflow = suspendedContext.overflow;\n  treeContextProvider = workInProgress;\n}\n\nfunction warnIfNotHydrating() {\n  {\n    if (!getIsHydrating()) {\n      error('Expected to be hydrating. This is a bug in React. Please file ' + 'an issue.');\n    }\n  }\n}\n\n// This may have been an insertion or a hydration.\n\nvar hydrationParentFiber = null;\nvar nextHydratableInstance = null;\nvar isHydrating = false; // This flag allows for warning supression when we expect there to be mismatches\n// due to earlier mismatches or a suspended fiber.\n\nvar didSuspendOrErrorDEV = false; // Hydration errors that were thrown inside this boundary\n\nvar hydrationErrors = null;\n\nfunction warnIfHydrating() {\n  {\n    if (isHydrating) {\n      error('We should not be hydrating here. This is a bug in React. Please file a bug.');\n    }\n  }\n}\n\nfunction markDidThrowWhileHydratingDEV() {\n  {\n    didSuspendOrErrorDEV = true;\n  }\n}\nfunction didSuspendOrErrorWhileHydratingDEV() {\n  {\n    return didSuspendOrErrorDEV;\n  }\n}\n\nfunction enterHydrationState(fiber) {\n\n  var parentInstance = fiber.stateNode.containerInfo;\n  nextHydratableInstance = getFirstHydratableChildWithinContainer(parentInstance);\n  hydrationParentFiber = fiber;\n  isHydrating = true;\n  hydrationErrors = null;\n  didSuspendOrErrorDEV = false;\n  return true;\n}\n\nfunction reenterHydrationStateFromDehydratedSuspenseInstance(fiber, suspenseInstance, treeContext) {\n\n  nextHydratableInstance = getFirstHydratableChildWithinSuspenseInstance(suspenseInstance);\n  hydrationParentFiber = fiber;\n  isHydrating = true;\n  hydrationErrors = null;\n  didSuspendOrErrorDEV = false;\n\n  if (treeContext !== null) {\n    restoreSuspendedTreeContext(fiber, treeContext);\n  }\n\n  return true;\n}\n\nfunction warnUnhydratedInstance(returnFiber, instance) {\n  {\n    switch (returnFiber.tag) {\n      case HostRoot:\n        {\n          didNotHydrateInstanceWithinContainer(returnFiber.stateNode.containerInfo, instance);\n          break;\n        }\n\n      case HostComponent:\n        {\n          var isConcurrentMode = (returnFiber.mode & ConcurrentMode) !== NoMode;\n          didNotHydrateInstance(returnFiber.type, returnFiber.memoizedProps, returnFiber.stateNode, instance, // TODO: Delete this argument when we remove the legacy root API.\n          isConcurrentMode);\n          break;\n        }\n\n      case SuspenseComponent:\n        {\n          var suspenseState = returnFiber.memoizedState;\n          if (suspenseState.dehydrated !== null) didNotHydrateInstanceWithinSuspenseInstance(suspenseState.dehydrated, instance);\n          break;\n        }\n    }\n  }\n}\n\nfunction deleteHydratableInstance(returnFiber, instance) {\n  warnUnhydratedInstance(returnFiber, instance);\n  var childToDelete = createFiberFromHostInstanceForDeletion();\n  childToDelete.stateNode = instance;\n  childToDelete.return = returnFiber;\n  var deletions = returnFiber.deletions;\n\n  if (deletions === null) {\n    returnFiber.deletions = [childToDelete];\n    returnFiber.flags |= ChildDeletion;\n  } else {\n    deletions.push(childToDelete);\n  }\n}\n\nfunction warnNonhydratedInstance(returnFiber, fiber) {\n  {\n    if (didSuspendOrErrorDEV) {\n      // Inside a boundary that already suspended. We're currently rendering the\n      // siblings of a suspended node. The mismatch may be due to the missing\n      // data, so it's probably a false positive.\n      return;\n    }\n\n    switch (returnFiber.tag) {\n      case HostRoot:\n        {\n          var parentContainer = returnFiber.stateNode.containerInfo;\n\n          switch (fiber.tag) {\n            case HostComponent:\n              var type = fiber.type;\n              var props = fiber.pendingProps;\n              didNotFindHydratableInstanceWithinContainer(parentContainer, type);\n              break;\n\n            case HostText:\n              var text = fiber.pendingProps;\n              didNotFindHydratableTextInstanceWithinContainer(parentContainer, text);\n              break;\n          }\n\n          break;\n        }\n\n      case HostComponent:\n        {\n          var parentType = returnFiber.type;\n          var parentProps = returnFiber.memoizedProps;\n          var parentInstance = returnFiber.stateNode;\n\n          switch (fiber.tag) {\n            case HostComponent:\n              {\n                var _type = fiber.type;\n                var _props = fiber.pendingProps;\n                var isConcurrentMode = (returnFiber.mode & ConcurrentMode) !== NoMode;\n                didNotFindHydratableInstance(parentType, parentProps, parentInstance, _type, _props, // TODO: Delete this argument when we remove the legacy root API.\n                isConcurrentMode);\n                break;\n              }\n\n            case HostText:\n              {\n                var _text = fiber.pendingProps;\n\n                var _isConcurrentMode = (returnFiber.mode & ConcurrentMode) !== NoMode;\n\n                didNotFindHydratableTextInstance(parentType, parentProps, parentInstance, _text, // TODO: Delete this argument when we remove the legacy root API.\n                _isConcurrentMode);\n                break;\n              }\n          }\n\n          break;\n        }\n\n      case SuspenseComponent:\n        {\n          var suspenseState = returnFiber.memoizedState;\n          var _parentInstance = suspenseState.dehydrated;\n          if (_parentInstance !== null) switch (fiber.tag) {\n            case HostComponent:\n              var _type2 = fiber.type;\n              var _props2 = fiber.pendingProps;\n              didNotFindHydratableInstanceWithinSuspenseInstance(_parentInstance, _type2);\n              break;\n\n            case HostText:\n              var _text2 = fiber.pendingProps;\n              didNotFindHydratableTextInstanceWithinSuspenseInstance(_parentInstance, _text2);\n              break;\n          }\n          break;\n        }\n\n      default:\n        return;\n    }\n  }\n}\n\nfunction insertNonHydratedInstance(returnFiber, fiber) {\n  fiber.flags = fiber.flags & ~Hydrating | Placement;\n  warnNonhydratedInstance(returnFiber, fiber);\n}\n\nfunction tryHydrate(fiber, nextInstance) {\n  switch (fiber.tag) {\n    case HostComponent:\n      {\n        var type = fiber.type;\n        var props = fiber.pendingProps;\n        var instance = canHydrateInstance(nextInstance, type);\n\n        if (instance !== null) {\n          fiber.stateNode = instance;\n          hydrationParentFiber = fiber;\n          nextHydratableInstance = getFirstHydratableChild(instance);\n          return true;\n        }\n\n        return false;\n      }\n\n    case HostText:\n      {\n        var text = fiber.pendingProps;\n        var textInstance = canHydrateTextInstance(nextInstance, text);\n\n        if (textInstance !== null) {\n          fiber.stateNode = textInstance;\n          hydrationParentFiber = fiber; // Text Instances don't have children so there's nothing to hydrate.\n\n          nextHydratableInstance = null;\n          return true;\n        }\n\n        return false;\n      }\n\n    case SuspenseComponent:\n      {\n        var suspenseInstance = canHydrateSuspenseInstance(nextInstance);\n\n        if (suspenseInstance !== null) {\n          var suspenseState = {\n            dehydrated: suspenseInstance,\n            treeContext: getSuspendedTreeContext(),\n            retryLane: OffscreenLane\n          };\n          fiber.memoizedState = suspenseState; // Store the dehydrated fragment as a child fiber.\n          // This simplifies the code for getHostSibling and deleting nodes,\n          // since it doesn't have to consider all Suspense boundaries and\n          // check if they're dehydrated ones or not.\n\n          var dehydratedFragment = createFiberFromDehydratedFragment(suspenseInstance);\n          dehydratedFragment.return = fiber;\n          fiber.child = dehydratedFragment;\n          hydrationParentFiber = fiber; // While a Suspense Instance does have children, we won't step into\n          // it during the first pass. Instead, we'll reenter it later.\n\n          nextHydratableInstance = null;\n          return true;\n        }\n\n        return false;\n      }\n\n    default:\n      return false;\n  }\n}\n\nfunction shouldClientRenderOnMismatch(fiber) {\n  return (fiber.mode & ConcurrentMode) !== NoMode && (fiber.flags & DidCapture) === NoFlags;\n}\n\nfunction throwOnHydrationMismatch(fiber) {\n  throw new Error('Hydration failed because the initial UI does not match what was ' + 'rendered on the server.');\n}\n\nfunction tryToClaimNextHydratableInstance(fiber) {\n  if (!isHydrating) {\n    return;\n  }\n\n  var nextInstance = nextHydratableInstance;\n\n  if (!nextInstance) {\n    if (shouldClientRenderOnMismatch(fiber)) {\n      warnNonhydratedInstance(hydrationParentFiber, fiber);\n      throwOnHydrationMismatch();\n    } // Nothing to hydrate. Make it an insertion.\n\n\n    insertNonHydratedInstance(hydrationParentFiber, fiber);\n    isHydrating = false;\n    hydrationParentFiber = fiber;\n    return;\n  }\n\n  var firstAttemptedInstance = nextInstance;\n\n  if (!tryHydrate(fiber, nextInstance)) {\n    if (shouldClientRenderOnMismatch(fiber)) {\n      warnNonhydratedInstance(hydrationParentFiber, fiber);\n      throwOnHydrationMismatch();\n    } // If we can't hydrate this instance let's try the next one.\n    // We use this as a heuristic. It's based on intuition and not data so it\n    // might be flawed or unnecessary.\n\n\n    nextInstance = getNextHydratableSibling(firstAttemptedInstance);\n    var prevHydrationParentFiber = hydrationParentFiber;\n\n    if (!nextInstance || !tryHydrate(fiber, nextInstance)) {\n      // Nothing to hydrate. Make it an insertion.\n      insertNonHydratedInstance(hydrationParentFiber, fiber);\n      isHydrating = false;\n      hydrationParentFiber = fiber;\n      return;\n    } // We matched the next one, we'll now assume that the first one was\n    // superfluous and we'll delete it. Since we can't eagerly delete it\n    // we'll have to schedule a deletion. To do that, this node needs a dummy\n    // fiber associated with it.\n\n\n    deleteHydratableInstance(prevHydrationParentFiber, firstAttemptedInstance);\n  }\n}\n\nfunction prepareToHydrateHostInstance(fiber, rootContainerInstance, hostContext) {\n\n  var instance = fiber.stateNode;\n  var shouldWarnIfMismatchDev = !didSuspendOrErrorDEV;\n  var updatePayload = hydrateInstance(instance, fiber.type, fiber.memoizedProps, rootContainerInstance, hostContext, fiber, shouldWarnIfMismatchDev); // TODO: Type this specific to this type of component.\n\n  fiber.updateQueue = updatePayload; // If the update payload indicates that there is a change or if there\n  // is a new ref we mark this as an update.\n\n  if (updatePayload !== null) {\n    return true;\n  }\n\n  return false;\n}\n\nfunction prepareToHydrateHostTextInstance(fiber) {\n\n  var textInstance = fiber.stateNode;\n  var textContent = fiber.memoizedProps;\n  var shouldUpdate = hydrateTextInstance(textInstance, textContent, fiber);\n\n  if (shouldUpdate) {\n    // We assume that prepareToHydrateHostTextInstance is called in a context where the\n    // hydration parent is the parent host component of this host text.\n    var returnFiber = hydrationParentFiber;\n\n    if (returnFiber !== null) {\n      switch (returnFiber.tag) {\n        case HostRoot:\n          {\n            var parentContainer = returnFiber.stateNode.containerInfo;\n            var isConcurrentMode = (returnFiber.mode & ConcurrentMode) !== NoMode;\n            didNotMatchHydratedContainerTextInstance(parentContainer, textInstance, textContent, // TODO: Delete this argument when we remove the legacy root API.\n            isConcurrentMode);\n            break;\n          }\n\n        case HostComponent:\n          {\n            var parentType = returnFiber.type;\n            var parentProps = returnFiber.memoizedProps;\n            var parentInstance = returnFiber.stateNode;\n\n            var _isConcurrentMode2 = (returnFiber.mode & ConcurrentMode) !== NoMode;\n\n            didNotMatchHydratedTextInstance(parentType, parentProps, parentInstance, textInstance, textContent, // TODO: Delete this argument when we remove the legacy root API.\n            _isConcurrentMode2);\n            break;\n          }\n      }\n    }\n  }\n\n  return shouldUpdate;\n}\n\nfunction prepareToHydrateHostSuspenseInstance(fiber) {\n\n  var suspenseState = fiber.memoizedState;\n  var suspenseInstance = suspenseState !== null ? suspenseState.dehydrated : null;\n\n  if (!suspenseInstance) {\n    throw new Error('Expected to have a hydrated suspense instance. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n  }\n\n  hydrateSuspenseInstance(suspenseInstance, fiber);\n}\n\nfunction skipPastDehydratedSuspenseInstance(fiber) {\n\n  var suspenseState = fiber.memoizedState;\n  var suspenseInstance = suspenseState !== null ? suspenseState.dehydrated : null;\n\n  if (!suspenseInstance) {\n    throw new Error('Expected to have a hydrated suspense instance. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n  }\n\n  return getNextHydratableInstanceAfterSuspenseInstance(suspenseInstance);\n}\n\nfunction popToNextHostParent(fiber) {\n  var parent = fiber.return;\n\n  while (parent !== null && parent.tag !== HostComponent && parent.tag !== HostRoot && parent.tag !== SuspenseComponent) {\n    parent = parent.return;\n  }\n\n  hydrationParentFiber = parent;\n}\n\nfunction popHydrationState(fiber) {\n\n  if (fiber !== hydrationParentFiber) {\n    // We're deeper than the current hydration context, inside an inserted\n    // tree.\n    return false;\n  }\n\n  if (!isHydrating) {\n    // If we're not currently hydrating but we're in a hydration context, then\n    // we were an insertion and now need to pop up reenter hydration of our\n    // siblings.\n    popToNextHostParent(fiber);\n    isHydrating = true;\n    return false;\n  } // If we have any remaining hydratable nodes, we need to delete them now.\n  // We only do this deeper than head and body since they tend to have random\n  // other nodes in them. We also ignore components with pure text content in\n  // side of them. We also don't delete anything inside the root container.\n\n\n  if (fiber.tag !== HostRoot && (fiber.tag !== HostComponent || shouldDeleteUnhydratedTailInstances(fiber.type) && !shouldSetTextContent(fiber.type, fiber.memoizedProps))) {\n    var nextInstance = nextHydratableInstance;\n\n    if (nextInstance) {\n      if (shouldClientRenderOnMismatch(fiber)) {\n        warnIfUnhydratedTailNodes(fiber);\n        throwOnHydrationMismatch();\n      } else {\n        while (nextInstance) {\n          deleteHydratableInstance(fiber, nextInstance);\n          nextInstance = getNextHydratableSibling(nextInstance);\n        }\n      }\n    }\n  }\n\n  popToNextHostParent(fiber);\n\n  if (fiber.tag === SuspenseComponent) {\n    nextHydratableInstance = skipPastDehydratedSuspenseInstance(fiber);\n  } else {\n    nextHydratableInstance = hydrationParentFiber ? getNextHydratableSibling(fiber.stateNode) : null;\n  }\n\n  return true;\n}\n\nfunction hasUnhydratedTailNodes() {\n  return isHydrating && nextHydratableInstance !== null;\n}\n\nfunction warnIfUnhydratedTailNodes(fiber) {\n  var nextInstance = nextHydratableInstance;\n\n  while (nextInstance) {\n    warnUnhydratedInstance(fiber, nextInstance);\n    nextInstance = getNextHydratableSibling(nextInstance);\n  }\n}\n\nfunction resetHydrationState() {\n\n  hydrationParentFiber = null;\n  nextHydratableInstance = null;\n  isHydrating = false;\n  didSuspendOrErrorDEV = false;\n}\n\nfunction upgradeHydrationErrorsToRecoverable() {\n  if (hydrationErrors !== null) {\n    // Successfully completed a forced client render. The errors that occurred\n    // during the hydration attempt are now recovered. We will log them in\n    // commit phase, once the entire tree has finished.\n    queueRecoverableErrors(hydrationErrors);\n    hydrationErrors = null;\n  }\n}\n\nfunction getIsHydrating() {\n  return isHydrating;\n}\n\nfunction queueHydrationError(error) {\n  if (hydrationErrors === null) {\n    hydrationErrors = [error];\n  } else {\n    hydrationErrors.push(error);\n  }\n}\n\nvar ReactCurrentBatchConfig$1 = ReactSharedInternals.ReactCurrentBatchConfig;\nvar NoTransition = null;\nfunction requestCurrentTransition() {\n  return ReactCurrentBatchConfig$1.transition;\n}\n\nvar ReactStrictModeWarnings = {\n  recordUnsafeLifecycleWarnings: function (fiber, instance) {},\n  flushPendingUnsafeLifecycleWarnings: function () {},\n  recordLegacyContextWarning: function (fiber, instance) {},\n  flushLegacyContextWarning: function () {},\n  discardPendingWarnings: function () {}\n};\n\n{\n  var findStrictRoot = function (fiber) {\n    var maybeStrictRoot = null;\n    var node = fiber;\n\n    while (node !== null) {\n      if (node.mode & StrictLegacyMode) {\n        maybeStrictRoot = node;\n      }\n\n      node = node.return;\n    }\n\n    return maybeStrictRoot;\n  };\n\n  var setToSortedString = function (set) {\n    var array = [];\n    set.forEach(function (value) {\n      array.push(value);\n    });\n    return array.sort().join(', ');\n  };\n\n  var pendingComponentWillMountWarnings = [];\n  var pendingUNSAFE_ComponentWillMountWarnings = [];\n  var pendingComponentWillReceivePropsWarnings = [];\n  var pendingUNSAFE_ComponentWillReceivePropsWarnings = [];\n  var pendingComponentWillUpdateWarnings = [];\n  var pendingUNSAFE_ComponentWillUpdateWarnings = []; // Tracks components we have already warned about.\n\n  var didWarnAboutUnsafeLifecycles = new Set();\n\n  ReactStrictModeWarnings.recordUnsafeLifecycleWarnings = function (fiber, instance) {\n    // Dedupe strategy: Warn once per component.\n    if (didWarnAboutUnsafeLifecycles.has(fiber.type)) {\n      return;\n    }\n\n    if (typeof instance.componentWillMount === 'function' && // Don't warn about react-lifecycles-compat polyfilled components.\n    instance.componentWillMount.__suppressDeprecationWarning !== true) {\n      pendingComponentWillMountWarnings.push(fiber);\n    }\n\n    if (fiber.mode & StrictLegacyMode && typeof instance.UNSAFE_componentWillMount === 'function') {\n      pendingUNSAFE_ComponentWillMountWarnings.push(fiber);\n    }\n\n    if (typeof instance.componentWillReceiveProps === 'function' && instance.componentWillReceiveProps.__suppressDeprecationWarning !== true) {\n      pendingComponentWillReceivePropsWarnings.push(fiber);\n    }\n\n    if (fiber.mode & StrictLegacyMode && typeof instance.UNSAFE_componentWillReceiveProps === 'function') {\n      pendingUNSAFE_ComponentWillReceivePropsWarnings.push(fiber);\n    }\n\n    if (typeof instance.componentWillUpdate === 'function' && instance.componentWillUpdate.__suppressDeprecationWarning !== true) {\n      pendingComponentWillUpdateWarnings.push(fiber);\n    }\n\n    if (fiber.mode & StrictLegacyMode && typeof instance.UNSAFE_componentWillUpdate === 'function') {\n      pendingUNSAFE_ComponentWillUpdateWarnings.push(fiber);\n    }\n  };\n\n  ReactStrictModeWarnings.flushPendingUnsafeLifecycleWarnings = function () {\n    // We do an initial pass to gather component names\n    var componentWillMountUniqueNames = new Set();\n\n    if (pendingComponentWillMountWarnings.length > 0) {\n      pendingComponentWillMountWarnings.forEach(function (fiber) {\n        componentWillMountUniqueNames.add(getComponentNameFromFiber(fiber) || 'Component');\n        didWarnAboutUnsafeLifecycles.add(fiber.type);\n      });\n      pendingComponentWillMountWarnings = [];\n    }\n\n    var UNSAFE_componentWillMountUniqueNames = new Set();\n\n    if (pendingUNSAFE_ComponentWillMountWarnings.length > 0) {\n      pendingUNSAFE_ComponentWillMountWarnings.forEach(function (fiber) {\n        UNSAFE_componentWillMountUniqueNames.add(getComponentNameFromFiber(fiber) || 'Component');\n        didWarnAboutUnsafeLifecycles.add(fiber.type);\n      });\n      pendingUNSAFE_ComponentWillMountWarnings = [];\n    }\n\n    var componentWillReceivePropsUniqueNames = new Set();\n\n    if (pendingComponentWillReceivePropsWarnings.length > 0) {\n      pendingComponentWillReceivePropsWarnings.forEach(function (fiber) {\n        componentWillReceivePropsUniqueNames.add(getComponentNameFromFiber(fiber) || 'Component');\n        didWarnAboutUnsafeLifecycles.add(fiber.type);\n      });\n      pendingComponentWillReceivePropsWarnings = [];\n    }\n\n    var UNSAFE_componentWillReceivePropsUniqueNames = new Set();\n\n    if (pendingUNSAFE_ComponentWillReceivePropsWarnings.length > 0) {\n      pendingUNSAFE_ComponentWillReceivePropsWarnings.forEach(function (fiber) {\n        UNSAFE_componentWillReceivePropsUniqueNames.add(getComponentNameFromFiber(fiber) || 'Component');\n        didWarnAboutUnsafeLifecycles.add(fiber.type);\n      });\n      pendingUNSAFE_ComponentWillReceivePropsWarnings = [];\n    }\n\n    var componentWillUpdateUniqueNames = new Set();\n\n    if (pendingComponentWillUpdateWarnings.length > 0) {\n      pendingComponentWillUpdateWarnings.forEach(function (fiber) {\n        componentWillUpdateUniqueNames.add(getComponentNameFromFiber(fiber) || 'Component');\n        didWarnAboutUnsafeLifecycles.add(fiber.type);\n      });\n      pendingComponentWillUpdateWarnings = [];\n    }\n\n    var UNSAFE_componentWillUpdateUniqueNames = new Set();\n\n    if (pendingUNSAFE_ComponentWillUpdateWarnings.length > 0) {\n      pendingUNSAFE_ComponentWillUpdateWarnings.forEach(function (fiber) {\n        UNSAFE_componentWillUpdateUniqueNames.add(getComponentNameFromFiber(fiber) || 'Component');\n        didWarnAboutUnsafeLifecycles.add(fiber.type);\n      });\n      pendingUNSAFE_ComponentWillUpdateWarnings = [];\n    } // Finally, we flush all the warnings\n    // UNSAFE_ ones before the deprecated ones, since they'll be 'louder'\n\n\n    if (UNSAFE_componentWillMountUniqueNames.size > 0) {\n      var sortedNames = setToSortedString(UNSAFE_componentWillMountUniqueNames);\n\n      error('Using UNSAFE_componentWillMount in strict mode is not recommended and may indicate bugs in your code. ' + 'See https://reactjs.org/link/unsafe-component-lifecycles for details.\\n\\n' + '* Move code with side effects to componentDidMount, and set initial state in the constructor.\\n' + '\\nPlease update the following components: %s', sortedNames);\n    }\n\n    if (UNSAFE_componentWillReceivePropsUniqueNames.size > 0) {\n      var _sortedNames = setToSortedString(UNSAFE_componentWillReceivePropsUniqueNames);\n\n      error('Using UNSAFE_componentWillReceiveProps in strict mode is not recommended ' + 'and may indicate bugs in your code. ' + 'See https://reactjs.org/link/unsafe-component-lifecycles for details.\\n\\n' + '* Move data fetching code or side effects to componentDidUpdate.\\n' + \"* If you're updating state whenever props change, \" + 'refactor your code to use memoization techniques or move it to ' + 'static getDerivedStateFromProps. Learn more at: https://reactjs.org/link/derived-state\\n' + '\\nPlease update the following components: %s', _sortedNames);\n    }\n\n    if (UNSAFE_componentWillUpdateUniqueNames.size > 0) {\n      var _sortedNames2 = setToSortedString(UNSAFE_componentWillUpdateUniqueNames);\n\n      error('Using UNSAFE_componentWillUpdate in strict mode is not recommended ' + 'and may indicate bugs in your code. ' + 'See https://reactjs.org/link/unsafe-component-lifecycles for details.\\n\\n' + '* Move data fetching code or side effects to componentDidUpdate.\\n' + '\\nPlease update the following components: %s', _sortedNames2);\n    }\n\n    if (componentWillMountUniqueNames.size > 0) {\n      var _sortedNames3 = setToSortedString(componentWillMountUniqueNames);\n\n      warn('componentWillMount has been renamed, and is not recommended for use. ' + 'See https://reactjs.org/link/unsafe-component-lifecycles for details.\\n\\n' + '* Move code with side effects to componentDidMount, and set initial state in the constructor.\\n' + '* Rename componentWillMount to UNSAFE_componentWillMount to suppress ' + 'this warning in non-strict mode. In React 18.x, only the UNSAFE_ name will work. ' + 'To rename all deprecated lifecycles to their new names, you can run ' + '`npx react-codemod rename-unsafe-lifecycles` in your project source folder.\\n' + '\\nPlease update the following components: %s', _sortedNames3);\n    }\n\n    if (componentWillReceivePropsUniqueNames.size > 0) {\n      var _sortedNames4 = setToSortedString(componentWillReceivePropsUniqueNames);\n\n      warn('componentWillReceiveProps has been renamed, and is not recommended for use. ' + 'See https://reactjs.org/link/unsafe-component-lifecycles for details.\\n\\n' + '* Move data fetching code or side effects to componentDidUpdate.\\n' + \"* If you're updating state whenever props change, refactor your \" + 'code to use memoization techniques or move it to ' + 'static getDerivedStateFromProps. Learn more at: https://reactjs.org/link/derived-state\\n' + '* Rename componentWillReceiveProps to UNSAFE_componentWillReceiveProps to suppress ' + 'this warning in non-strict mode. In React 18.x, only the UNSAFE_ name will work. ' + 'To rename all deprecated lifecycles to their new names, you can run ' + '`npx react-codemod rename-unsafe-lifecycles` in your project source folder.\\n' + '\\nPlease update the following components: %s', _sortedNames4);\n    }\n\n    if (componentWillUpdateUniqueNames.size > 0) {\n      var _sortedNames5 = setToSortedString(componentWillUpdateUniqueNames);\n\n      warn('componentWillUpdate has been renamed, and is not recommended for use. ' + 'See https://reactjs.org/link/unsafe-component-lifecycles for details.\\n\\n' + '* Move data fetching code or side effects to componentDidUpdate.\\n' + '* Rename componentWillUpdate to UNSAFE_componentWillUpdate to suppress ' + 'this warning in non-strict mode. In React 18.x, only the UNSAFE_ name will work. ' + 'To rename all deprecated lifecycles to their new names, you can run ' + '`npx react-codemod rename-unsafe-lifecycles` in your project source folder.\\n' + '\\nPlease update the following components: %s', _sortedNames5);\n    }\n  };\n\n  var pendingLegacyContextWarning = new Map(); // Tracks components we have already warned about.\n\n  var didWarnAboutLegacyContext = new Set();\n\n  ReactStrictModeWarnings.recordLegacyContextWarning = function (fiber, instance) {\n    var strictRoot = findStrictRoot(fiber);\n\n    if (strictRoot === null) {\n      error('Expected to find a StrictMode component in a strict mode tree. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n\n      return;\n    } // Dedup strategy: Warn once per component.\n\n\n    if (didWarnAboutLegacyContext.has(fiber.type)) {\n      return;\n    }\n\n    var warningsForRoot = pendingLegacyContextWarning.get(strictRoot);\n\n    if (fiber.type.contextTypes != null || fiber.type.childContextTypes != null || instance !== null && typeof instance.getChildContext === 'function') {\n      if (warningsForRoot === undefined) {\n        warningsForRoot = [];\n        pendingLegacyContextWarning.set(strictRoot, warningsForRoot);\n      }\n\n      warningsForRoot.push(fiber);\n    }\n  };\n\n  ReactStrictModeWarnings.flushLegacyContextWarning = function () {\n    pendingLegacyContextWarning.forEach(function (fiberArray, strictRoot) {\n      if (fiberArray.length === 0) {\n        return;\n      }\n\n      var firstFiber = fiberArray[0];\n      var uniqueNames = new Set();\n      fiberArray.forEach(function (fiber) {\n        uniqueNames.add(getComponentNameFromFiber(fiber) || 'Component');\n        didWarnAboutLegacyContext.add(fiber.type);\n      });\n      var sortedNames = setToSortedString(uniqueNames);\n\n      try {\n        setCurrentFiber(firstFiber);\n\n        error('Legacy context API has been detected within a strict-mode tree.' + '\\n\\nThe old API will be supported in all 16.x releases, but applications ' + 'using it should migrate to the new version.' + '\\n\\nPlease update the following components: %s' + '\\n\\nLearn more about this warning here: https://reactjs.org/link/legacy-context', sortedNames);\n      } finally {\n        resetCurrentFiber();\n      }\n    });\n  };\n\n  ReactStrictModeWarnings.discardPendingWarnings = function () {\n    pendingComponentWillMountWarnings = [];\n    pendingUNSAFE_ComponentWillMountWarnings = [];\n    pendingComponentWillReceivePropsWarnings = [];\n    pendingUNSAFE_ComponentWillReceivePropsWarnings = [];\n    pendingComponentWillUpdateWarnings = [];\n    pendingUNSAFE_ComponentWillUpdateWarnings = [];\n    pendingLegacyContextWarning = new Map();\n  };\n}\n\nvar didWarnAboutMaps;\nvar didWarnAboutGenerators;\nvar didWarnAboutStringRefs;\nvar ownerHasKeyUseWarning;\nvar ownerHasFunctionTypeWarning;\n\nvar warnForMissingKey = function (child, returnFiber) {};\n\n{\n  didWarnAboutMaps = false;\n  didWarnAboutGenerators = false;\n  didWarnAboutStringRefs = {};\n  /**\n   * Warn if there's no key explicitly set on dynamic arrays of children or\n   * object keys are not valid. This allows us to keep track of children between\n   * updates.\n   */\n\n  ownerHasKeyUseWarning = {};\n  ownerHasFunctionTypeWarning = {};\n\n  warnForMissingKey = function (child, returnFiber) {\n    if (child === null || typeof child !== 'object') {\n      return;\n    }\n\n    if (!child._store || child._store.validated || child.key != null) {\n      return;\n    }\n\n    if (typeof child._store !== 'object') {\n      throw new Error('React Component in warnForMissingKey should have a _store. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n    }\n\n    child._store.validated = true;\n    var componentName = getComponentNameFromFiber(returnFiber) || 'Component';\n\n    if (ownerHasKeyUseWarning[componentName]) {\n      return;\n    }\n\n    ownerHasKeyUseWarning[componentName] = true;\n\n    error('Each child in a list should have a unique ' + '\"key\" prop. See https://reactjs.org/link/warning-keys for ' + 'more information.');\n  };\n}\n\nfunction isReactClass(type) {\n  return type.prototype && type.prototype.isReactComponent;\n}\n\nfunction coerceRef(returnFiber, current, element) {\n  var mixedRef = element.ref;\n\n  if (mixedRef !== null && typeof mixedRef !== 'function' && typeof mixedRef !== 'object') {\n    {\n      // TODO: Clean this up once we turn on the string ref warning for\n      // everyone, because the strict mode case will no longer be relevant\n      if ((returnFiber.mode & StrictLegacyMode || warnAboutStringRefs) && // We warn in ReactElement.js if owner and self are equal for string refs\n      // because these cannot be automatically converted to an arrow function\n      // using a codemod. Therefore, we don't have to warn about string refs again.\n      !(element._owner && element._self && element._owner.stateNode !== element._self) && // Will already throw with \"Function components cannot have string refs\"\n      !(element._owner && element._owner.tag !== ClassComponent) && // Will already warn with \"Function components cannot be given refs\"\n      !(typeof element.type === 'function' && !isReactClass(element.type)) && // Will already throw with \"Element ref was specified as a string (someStringRef) but no owner was set\"\n      element._owner) {\n        var componentName = getComponentNameFromFiber(returnFiber) || 'Component';\n\n        if (!didWarnAboutStringRefs[componentName]) {\n          {\n            error('Component \"%s\" contains the string ref \"%s\". Support for string refs ' + 'will be removed in a future major release. We recommend using ' + 'useRef() or createRef() instead. ' + 'Learn more about using refs safely here: ' + 'https://reactjs.org/link/strict-mode-string-ref', componentName, mixedRef);\n          }\n\n          didWarnAboutStringRefs[componentName] = true;\n        }\n      }\n    }\n\n    if (element._owner) {\n      var owner = element._owner;\n      var inst;\n\n      if (owner) {\n        var ownerFiber = owner;\n\n        if (ownerFiber.tag !== ClassComponent) {\n          throw new Error('Function components cannot have string refs. ' + 'We recommend using useRef() instead. ' + 'Learn more about using refs safely here: ' + 'https://reactjs.org/link/strict-mode-string-ref');\n        }\n\n        inst = ownerFiber.stateNode;\n      }\n\n      if (!inst) {\n        throw new Error(\"Missing owner for string ref \" + mixedRef + \". This error is likely caused by a \" + 'bug in React. Please file an issue.');\n      } // Assigning this to a const so Flow knows it won't change in the closure\n\n\n      var resolvedInst = inst;\n\n      {\n        checkPropStringCoercion(mixedRef, 'ref');\n      }\n\n      var stringRef = '' + mixedRef; // Check if previous string ref matches new string ref\n\n      if (current !== null && current.ref !== null && typeof current.ref === 'function' && current.ref._stringRef === stringRef) {\n        return current.ref;\n      }\n\n      var ref = function (value) {\n        var refs = resolvedInst.refs;\n\n        if (value === null) {\n          delete refs[stringRef];\n        } else {\n          refs[stringRef] = value;\n        }\n      };\n\n      ref._stringRef = stringRef;\n      return ref;\n    } else {\n      if (typeof mixedRef !== 'string') {\n        throw new Error('Expected ref to be a function, a string, an object returned by React.createRef(), or null.');\n      }\n\n      if (!element._owner) {\n        throw new Error(\"Element ref was specified as a string (\" + mixedRef + \") but no owner was set. This could happen for one of\" + ' the following reasons:\\n' + '1. You may be adding a ref to a function component\\n' + \"2. You may be adding a ref to a component that was not created inside a component's render method\\n\" + '3. You have multiple copies of React loaded\\n' + 'See https://reactjs.org/link/refs-must-have-owner for more information.');\n      }\n    }\n  }\n\n  return mixedRef;\n}\n\nfunction throwOnInvalidObjectType(returnFiber, newChild) {\n  var childString = Object.prototype.toString.call(newChild);\n  throw new Error(\"Objects are not valid as a React child (found: \" + (childString === '[object Object]' ? 'object with keys {' + Object.keys(newChild).join(', ') + '}' : childString) + \"). \" + 'If you meant to render a collection of children, use an array ' + 'instead.');\n}\n\nfunction warnOnFunctionType(returnFiber) {\n  {\n    var componentName = getComponentNameFromFiber(returnFiber) || 'Component';\n\n    if (ownerHasFunctionTypeWarning[componentName]) {\n      return;\n    }\n\n    ownerHasFunctionTypeWarning[componentName] = true;\n\n    error('Functions are not valid as a React child. This may happen if ' + 'you return a Component instead of <Component /> from render. ' + 'Or maybe you meant to call this function rather than return it.');\n  }\n}\n\nfunction resolveLazy(lazyType) {\n  var payload = lazyType._payload;\n  var init = lazyType._init;\n  return init(payload);\n} // This wrapper function exists because I expect to clone the code in each path\n// to be able to optimize each path individually by branching early. This needs\n// a compiler or we can do it manually. Helpers that don't need this branching\n// live outside of this function.\n\n\nfunction ChildReconciler(shouldTrackSideEffects) {\n  function deleteChild(returnFiber, childToDelete) {\n    if (!shouldTrackSideEffects) {\n      // Noop.\n      return;\n    }\n\n    var deletions = returnFiber.deletions;\n\n    if (deletions === null) {\n      returnFiber.deletions = [childToDelete];\n      returnFiber.flags |= ChildDeletion;\n    } else {\n      deletions.push(childToDelete);\n    }\n  }\n\n  function deleteRemainingChildren(returnFiber, currentFirstChild) {\n    if (!shouldTrackSideEffects) {\n      // Noop.\n      return null;\n    } // TODO: For the shouldClone case, this could be micro-optimized a bit by\n    // assuming that after the first child we've already added everything.\n\n\n    var childToDelete = currentFirstChild;\n\n    while (childToDelete !== null) {\n      deleteChild(returnFiber, childToDelete);\n      childToDelete = childToDelete.sibling;\n    }\n\n    return null;\n  }\n\n  function mapRemainingChildren(returnFiber, currentFirstChild) {\n    // Add the remaining children to a temporary map so that we can find them by\n    // keys quickly. Implicit (null) keys get added to this set with their index\n    // instead.\n    var existingChildren = new Map();\n    var existingChild = currentFirstChild;\n\n    while (existingChild !== null) {\n      if (existingChild.key !== null) {\n        existingChildren.set(existingChild.key, existingChild);\n      } else {\n        existingChildren.set(existingChild.index, existingChild);\n      }\n\n      existingChild = existingChild.sibling;\n    }\n\n    return existingChildren;\n  }\n\n  function useFiber(fiber, pendingProps) {\n    // We currently set sibling to null and index to 0 here because it is easy\n    // to forget to do before returning it. E.g. for the single child case.\n    var clone = createWorkInProgress(fiber, pendingProps);\n    clone.index = 0;\n    clone.sibling = null;\n    return clone;\n  }\n\n  function placeChild(newFiber, lastPlacedIndex, newIndex) {\n    newFiber.index = newIndex;\n\n    if (!shouldTrackSideEffects) {\n      // During hydration, the useId algorithm needs to know which fibers are\n      // part of a list of children (arrays, iterators).\n      newFiber.flags |= Forked;\n      return lastPlacedIndex;\n    }\n\n    var current = newFiber.alternate;\n\n    if (current !== null) {\n      var oldIndex = current.index;\n\n      if (oldIndex < lastPlacedIndex) {\n        // This is a move.\n        newFiber.flags |= Placement;\n        return lastPlacedIndex;\n      } else {\n        // This item can stay in place.\n        return oldIndex;\n      }\n    } else {\n      // This is an insertion.\n      newFiber.flags |= Placement;\n      return lastPlacedIndex;\n    }\n  }\n\n  function placeSingleChild(newFiber) {\n    // This is simpler for the single child case. We only need to do a\n    // placement for inserting new children.\n    if (shouldTrackSideEffects && newFiber.alternate === null) {\n      newFiber.flags |= Placement;\n    }\n\n    return newFiber;\n  }\n\n  function updateTextNode(returnFiber, current, textContent, lanes) {\n    if (current === null || current.tag !== HostText) {\n      // Insert\n      var created = createFiberFromText(textContent, returnFiber.mode, lanes);\n      created.return = returnFiber;\n      return created;\n    } else {\n      // Update\n      var existing = useFiber(current, textContent);\n      existing.return = returnFiber;\n      return existing;\n    }\n  }\n\n  function updateElement(returnFiber, current, element, lanes) {\n    var elementType = element.type;\n\n    if (elementType === REACT_FRAGMENT_TYPE) {\n      return updateFragment(returnFiber, current, element.props.children, lanes, element.key);\n    }\n\n    if (current !== null) {\n      if (current.elementType === elementType || ( // Keep this check inline so it only runs on the false path:\n       isCompatibleFamilyForHotReloading(current, element) ) || // Lazy types should reconcile their resolved type.\n      // We need to do this after the Hot Reloading check above,\n      // because hot reloading has different semantics than prod because\n      // it doesn't resuspend. So we can't let the call below suspend.\n      typeof elementType === 'object' && elementType !== null && elementType.$$typeof === REACT_LAZY_TYPE && resolveLazy(elementType) === current.type) {\n        // Move based on index\n        var existing = useFiber(current, element.props);\n        existing.ref = coerceRef(returnFiber, current, element);\n        existing.return = returnFiber;\n\n        {\n          existing._debugSource = element._source;\n          existing._debugOwner = element._owner;\n        }\n\n        return existing;\n      }\n    } // Insert\n\n\n    var created = createFiberFromElement(element, returnFiber.mode, lanes);\n    created.ref = coerceRef(returnFiber, current, element);\n    created.return = returnFiber;\n    return created;\n  }\n\n  function updatePortal(returnFiber, current, portal, lanes) {\n    if (current === null || current.tag !== HostPortal || current.stateNode.containerInfo !== portal.containerInfo || current.stateNode.implementation !== portal.implementation) {\n      // Insert\n      var created = createFiberFromPortal(portal, returnFiber.mode, lanes);\n      created.return = returnFiber;\n      return created;\n    } else {\n      // Update\n      var existing = useFiber(current, portal.children || []);\n      existing.return = returnFiber;\n      return existing;\n    }\n  }\n\n  function updateFragment(returnFiber, current, fragment, lanes, key) {\n    if (current === null || current.tag !== Fragment) {\n      // Insert\n      var created = createFiberFromFragment(fragment, returnFiber.mode, lanes, key);\n      created.return = returnFiber;\n      return created;\n    } else {\n      // Update\n      var existing = useFiber(current, fragment);\n      existing.return = returnFiber;\n      return existing;\n    }\n  }\n\n  function createChild(returnFiber, newChild, lanes) {\n    if (typeof newChild === 'string' && newChild !== '' || typeof newChild === 'number') {\n      // Text nodes don't have keys. If the previous node is implicitly keyed\n      // we can continue to replace it without aborting even if it is not a text\n      // node.\n      var created = createFiberFromText('' + newChild, returnFiber.mode, lanes);\n      created.return = returnFiber;\n      return created;\n    }\n\n    if (typeof newChild === 'object' && newChild !== null) {\n      switch (newChild.$$typeof) {\n        case REACT_ELEMENT_TYPE:\n          {\n            var _created = createFiberFromElement(newChild, returnFiber.mode, lanes);\n\n            _created.ref = coerceRef(returnFiber, null, newChild);\n            _created.return = returnFiber;\n            return _created;\n          }\n\n        case REACT_PORTAL_TYPE:\n          {\n            var _created2 = createFiberFromPortal(newChild, returnFiber.mode, lanes);\n\n            _created2.return = returnFiber;\n            return _created2;\n          }\n\n        case REACT_LAZY_TYPE:\n          {\n            var payload = newChild._payload;\n            var init = newChild._init;\n            return createChild(returnFiber, init(payload), lanes);\n          }\n      }\n\n      if (isArray(newChild) || getIteratorFn(newChild)) {\n        var _created3 = createFiberFromFragment(newChild, returnFiber.mode, lanes, null);\n\n        _created3.return = returnFiber;\n        return _created3;\n      }\n\n      throwOnInvalidObjectType(returnFiber, newChild);\n    }\n\n    {\n      if (typeof newChild === 'function') {\n        warnOnFunctionType(returnFiber);\n      }\n    }\n\n    return null;\n  }\n\n  function updateSlot(returnFiber, oldFiber, newChild, lanes) {\n    // Update the fiber if the keys match, otherwise return null.\n    var key = oldFiber !== null ? oldFiber.key : null;\n\n    if (typeof newChild === 'string' && newChild !== '' || typeof newChild === 'number') {\n      // Text nodes don't have keys. If the previous node is implicitly keyed\n      // we can continue to replace it without aborting even if it is not a text\n      // node.\n      if (key !== null) {\n        return null;\n      }\n\n      return updateTextNode(returnFiber, oldFiber, '' + newChild, lanes);\n    }\n\n    if (typeof newChild === 'object' && newChild !== null) {\n      switch (newChild.$$typeof) {\n        case REACT_ELEMENT_TYPE:\n          {\n            if (newChild.key === key) {\n              return updateElement(returnFiber, oldFiber, newChild, lanes);\n            } else {\n              return null;\n            }\n          }\n\n        case REACT_PORTAL_TYPE:\n          {\n            if (newChild.key === key) {\n              return updatePortal(returnFiber, oldFiber, newChild, lanes);\n            } else {\n              return null;\n            }\n          }\n\n        case REACT_LAZY_TYPE:\n          {\n            var payload = newChild._payload;\n            var init = newChild._init;\n            return updateSlot(returnFiber, oldFiber, init(payload), lanes);\n          }\n      }\n\n      if (isArray(newChild) || getIteratorFn(newChild)) {\n        if (key !== null) {\n          return null;\n        }\n\n        return updateFragment(returnFiber, oldFiber, newChild, lanes, null);\n      }\n\n      throwOnInvalidObjectType(returnFiber, newChild);\n    }\n\n    {\n      if (typeof newChild === 'function') {\n        warnOnFunctionType(returnFiber);\n      }\n    }\n\n    return null;\n  }\n\n  function updateFromMap(existingChildren, returnFiber, newIdx, newChild, lanes) {\n    if (typeof newChild === 'string' && newChild !== '' || typeof newChild === 'number') {\n      // Text nodes don't have keys, so we neither have to check the old nor\n      // new node for the key. If both are text nodes, they match.\n      var matchedFiber = existingChildren.get(newIdx) || null;\n      return updateTextNode(returnFiber, matchedFiber, '' + newChild, lanes);\n    }\n\n    if (typeof newChild === 'object' && newChild !== null) {\n      switch (newChild.$$typeof) {\n        case REACT_ELEMENT_TYPE:\n          {\n            var _matchedFiber = existingChildren.get(newChild.key === null ? newIdx : newChild.key) || null;\n\n            return updateElement(returnFiber, _matchedFiber, newChild, lanes);\n          }\n\n        case REACT_PORTAL_TYPE:\n          {\n            var _matchedFiber2 = existingChildren.get(newChild.key === null ? newIdx : newChild.key) || null;\n\n            return updatePortal(returnFiber, _matchedFiber2, newChild, lanes);\n          }\n\n        case REACT_LAZY_TYPE:\n          var payload = newChild._payload;\n          var init = newChild._init;\n          return updateFromMap(existingChildren, returnFiber, newIdx, init(payload), lanes);\n      }\n\n      if (isArray(newChild) || getIteratorFn(newChild)) {\n        var _matchedFiber3 = existingChildren.get(newIdx) || null;\n\n        return updateFragment(returnFiber, _matchedFiber3, newChild, lanes, null);\n      }\n\n      throwOnInvalidObjectType(returnFiber, newChild);\n    }\n\n    {\n      if (typeof newChild === 'function') {\n        warnOnFunctionType(returnFiber);\n      }\n    }\n\n    return null;\n  }\n  /**\n   * Warns if there is a duplicate or missing key\n   */\n\n\n  function warnOnInvalidKey(child, knownKeys, returnFiber) {\n    {\n      if (typeof child !== 'object' || child === null) {\n        return knownKeys;\n      }\n\n      switch (child.$$typeof) {\n        case REACT_ELEMENT_TYPE:\n        case REACT_PORTAL_TYPE:\n          warnForMissingKey(child, returnFiber);\n          var key = child.key;\n\n          if (typeof key !== 'string') {\n            break;\n          }\n\n          if (knownKeys === null) {\n            knownKeys = new Set();\n            knownKeys.add(key);\n            break;\n          }\n\n          if (!knownKeys.has(key)) {\n            knownKeys.add(key);\n            break;\n          }\n\n          error('Encountered two children with the same key, `%s`. ' + 'Keys should be unique so that components maintain their identity ' + 'across updates. Non-unique keys may cause children to be ' + 'duplicated and/or omitted — the behavior is unsupported and ' + 'could change in a future version.', key);\n\n          break;\n\n        case REACT_LAZY_TYPE:\n          var payload = child._payload;\n          var init = child._init;\n          warnOnInvalidKey(init(payload), knownKeys, returnFiber);\n          break;\n      }\n    }\n\n    return knownKeys;\n  }\n\n  function reconcileChildrenArray(returnFiber, currentFirstChild, newChildren, lanes) {\n    // This algorithm can't optimize by searching from both ends since we\n    // don't have backpointers on fibers. I'm trying to see how far we can get\n    // with that model. If it ends up not being worth the tradeoffs, we can\n    // add it later.\n    // Even with a two ended optimization, we'd want to optimize for the case\n    // where there are few changes and brute force the comparison instead of\n    // going for the Map. It'd like to explore hitting that path first in\n    // forward-only mode and only go for the Map once we notice that we need\n    // lots of look ahead. This doesn't handle reversal as well as two ended\n    // search but that's unusual. Besides, for the two ended optimization to\n    // work on Iterables, we'd need to copy the whole set.\n    // In this first iteration, we'll just live with hitting the bad case\n    // (adding everything to a Map) in for every insert/move.\n    // If you change this code, also update reconcileChildrenIterator() which\n    // uses the same algorithm.\n    {\n      // First, validate keys.\n      var knownKeys = null;\n\n      for (var i = 0; i < newChildren.length; i++) {\n        var child = newChildren[i];\n        knownKeys = warnOnInvalidKey(child, knownKeys, returnFiber);\n      }\n    }\n\n    var resultingFirstChild = null;\n    var previousNewFiber = null;\n    var oldFiber = currentFirstChild;\n    var lastPlacedIndex = 0;\n    var newIdx = 0;\n    var nextOldFiber = null;\n\n    for (; oldFiber !== null && newIdx < newChildren.length; newIdx++) {\n      if (oldFiber.index > newIdx) {\n        nextOldFiber = oldFiber;\n        oldFiber = null;\n      } else {\n        nextOldFiber = oldFiber.sibling;\n      }\n\n      var newFiber = updateSlot(returnFiber, oldFiber, newChildren[newIdx], lanes);\n\n      if (newFiber === null) {\n        // TODO: This breaks on empty slots like null children. That's\n        // unfortunate because it triggers the slow path all the time. We need\n        // a better way to communicate whether this was a miss or null,\n        // boolean, undefined, etc.\n        if (oldFiber === null) {\n          oldFiber = nextOldFiber;\n        }\n\n        break;\n      }\n\n      if (shouldTrackSideEffects) {\n        if (oldFiber && newFiber.alternate === null) {\n          // We matched the slot, but we didn't reuse the existing fiber, so we\n          // need to delete the existing child.\n          deleteChild(returnFiber, oldFiber);\n        }\n      }\n\n      lastPlacedIndex = placeChild(newFiber, lastPlacedIndex, newIdx);\n\n      if (previousNewFiber === null) {\n        // TODO: Move out of the loop. This only happens for the first run.\n        resultingFirstChild = newFiber;\n      } else {\n        // TODO: Defer siblings if we're not at the right index for this slot.\n        // I.e. if we had null values before, then we want to defer this\n        // for each null value. However, we also don't want to call updateSlot\n        // with the previous one.\n        previousNewFiber.sibling = newFiber;\n      }\n\n      previousNewFiber = newFiber;\n      oldFiber = nextOldFiber;\n    }\n\n    if (newIdx === newChildren.length) {\n      // We've reached the end of the new children. We can delete the rest.\n      deleteRemainingChildren(returnFiber, oldFiber);\n\n      if (getIsHydrating()) {\n        var numberOfForks = newIdx;\n        pushTreeFork(returnFiber, numberOfForks);\n      }\n\n      return resultingFirstChild;\n    }\n\n    if (oldFiber === null) {\n      // If we don't have any more existing children we can choose a fast path\n      // since the rest will all be insertions.\n      for (; newIdx < newChildren.length; newIdx++) {\n        var _newFiber = createChild(returnFiber, newChildren[newIdx], lanes);\n\n        if (_newFiber === null) {\n          continue;\n        }\n\n        lastPlacedIndex = placeChild(_newFiber, lastPlacedIndex, newIdx);\n\n        if (previousNewFiber === null) {\n          // TODO: Move out of the loop. This only happens for the first run.\n          resultingFirstChild = _newFiber;\n        } else {\n          previousNewFiber.sibling = _newFiber;\n        }\n\n        previousNewFiber = _newFiber;\n      }\n\n      if (getIsHydrating()) {\n        var _numberOfForks = newIdx;\n        pushTreeFork(returnFiber, _numberOfForks);\n      }\n\n      return resultingFirstChild;\n    } // Add all children to a key map for quick lookups.\n\n\n    var existingChildren = mapRemainingChildren(returnFiber, oldFiber); // Keep scanning and use the map to restore deleted items as moves.\n\n    for (; newIdx < newChildren.length; newIdx++) {\n      var _newFiber2 = updateFromMap(existingChildren, returnFiber, newIdx, newChildren[newIdx], lanes);\n\n      if (_newFiber2 !== null) {\n        if (shouldTrackSideEffects) {\n          if (_newFiber2.alternate !== null) {\n            // The new fiber is a work in progress, but if there exists a\n            // current, that means that we reused the fiber. We need to delete\n            // it from the child list so that we don't add it to the deletion\n            // list.\n            existingChildren.delete(_newFiber2.key === null ? newIdx : _newFiber2.key);\n          }\n        }\n\n        lastPlacedIndex = placeChild(_newFiber2, lastPlacedIndex, newIdx);\n\n        if (previousNewFiber === null) {\n          resultingFirstChild = _newFiber2;\n        } else {\n          previousNewFiber.sibling = _newFiber2;\n        }\n\n        previousNewFiber = _newFiber2;\n      }\n    }\n\n    if (shouldTrackSideEffects) {\n      // Any existing children that weren't consumed above were deleted. We need\n      // to add them to the deletion list.\n      existingChildren.forEach(function (child) {\n        return deleteChild(returnFiber, child);\n      });\n    }\n\n    if (getIsHydrating()) {\n      var _numberOfForks2 = newIdx;\n      pushTreeFork(returnFiber, _numberOfForks2);\n    }\n\n    return resultingFirstChild;\n  }\n\n  function reconcileChildrenIterator(returnFiber, currentFirstChild, newChildrenIterable, lanes) {\n    // This is the same implementation as reconcileChildrenArray(),\n    // but using the iterator instead.\n    var iteratorFn = getIteratorFn(newChildrenIterable);\n\n    if (typeof iteratorFn !== 'function') {\n      throw new Error('An object is not an iterable. This error is likely caused by a bug in ' + 'React. Please file an issue.');\n    }\n\n    {\n      // We don't support rendering Generators because it's a mutation.\n      // See https://github.com/facebook/react/issues/12995\n      if (typeof Symbol === 'function' && // $FlowFixMe Flow doesn't know about toStringTag\n      newChildrenIterable[Symbol.toStringTag] === 'Generator') {\n        if (!didWarnAboutGenerators) {\n          error('Using Generators as children is unsupported and will likely yield ' + 'unexpected results because enumerating a generator mutates it. ' + 'You may convert it to an array with `Array.from()` or the ' + '`[...spread]` operator before rendering. Keep in mind ' + 'you might need to polyfill these features for older browsers.');\n        }\n\n        didWarnAboutGenerators = true;\n      } // Warn about using Maps as children\n\n\n      if (newChildrenIterable.entries === iteratorFn) {\n        if (!didWarnAboutMaps) {\n          error('Using Maps as children is not supported. ' + 'Use an array of keyed ReactElements instead.');\n        }\n\n        didWarnAboutMaps = true;\n      } // First, validate keys.\n      // We'll get a different iterator later for the main pass.\n\n\n      var _newChildren = iteratorFn.call(newChildrenIterable);\n\n      if (_newChildren) {\n        var knownKeys = null;\n\n        var _step = _newChildren.next();\n\n        for (; !_step.done; _step = _newChildren.next()) {\n          var child = _step.value;\n          knownKeys = warnOnInvalidKey(child, knownKeys, returnFiber);\n        }\n      }\n    }\n\n    var newChildren = iteratorFn.call(newChildrenIterable);\n\n    if (newChildren == null) {\n      throw new Error('An iterable object provided no iterator.');\n    }\n\n    var resultingFirstChild = null;\n    var previousNewFiber = null;\n    var oldFiber = currentFirstChild;\n    var lastPlacedIndex = 0;\n    var newIdx = 0;\n    var nextOldFiber = null;\n    var step = newChildren.next();\n\n    for (; oldFiber !== null && !step.done; newIdx++, step = newChildren.next()) {\n      if (oldFiber.index > newIdx) {\n        nextOldFiber = oldFiber;\n        oldFiber = null;\n      } else {\n        nextOldFiber = oldFiber.sibling;\n      }\n\n      var newFiber = updateSlot(returnFiber, oldFiber, step.value, lanes);\n\n      if (newFiber === null) {\n        // TODO: This breaks on empty slots like null children. That's\n        // unfortunate because it triggers the slow path all the time. We need\n        // a better way to communicate whether this was a miss or null,\n        // boolean, undefined, etc.\n        if (oldFiber === null) {\n          oldFiber = nextOldFiber;\n        }\n\n        break;\n      }\n\n      if (shouldTrackSideEffects) {\n        if (oldFiber && newFiber.alternate === null) {\n          // We matched the slot, but we didn't reuse the existing fiber, so we\n          // need to delete the existing child.\n          deleteChild(returnFiber, oldFiber);\n        }\n      }\n\n      lastPlacedIndex = placeChild(newFiber, lastPlacedIndex, newIdx);\n\n      if (previousNewFiber === null) {\n        // TODO: Move out of the loop. This only happens for the first run.\n        resultingFirstChild = newFiber;\n      } else {\n        // TODO: Defer siblings if we're not at the right index for this slot.\n        // I.e. if we had null values before, then we want to defer this\n        // for each null value. However, we also don't want to call updateSlot\n        // with the previous one.\n        previousNewFiber.sibling = newFiber;\n      }\n\n      previousNewFiber = newFiber;\n      oldFiber = nextOldFiber;\n    }\n\n    if (step.done) {\n      // We've reached the end of the new children. We can delete the rest.\n      deleteRemainingChildren(returnFiber, oldFiber);\n\n      if (getIsHydrating()) {\n        var numberOfForks = newIdx;\n        pushTreeFork(returnFiber, numberOfForks);\n      }\n\n      return resultingFirstChild;\n    }\n\n    if (oldFiber === null) {\n      // If we don't have any more existing children we can choose a fast path\n      // since the rest will all be insertions.\n      for (; !step.done; newIdx++, step = newChildren.next()) {\n        var _newFiber3 = createChild(returnFiber, step.value, lanes);\n\n        if (_newFiber3 === null) {\n          continue;\n        }\n\n        lastPlacedIndex = placeChild(_newFiber3, lastPlacedIndex, newIdx);\n\n        if (previousNewFiber === null) {\n          // TODO: Move out of the loop. This only happens for the first run.\n          resultingFirstChild = _newFiber3;\n        } else {\n          previousNewFiber.sibling = _newFiber3;\n        }\n\n        previousNewFiber = _newFiber3;\n      }\n\n      if (getIsHydrating()) {\n        var _numberOfForks3 = newIdx;\n        pushTreeFork(returnFiber, _numberOfForks3);\n      }\n\n      return resultingFirstChild;\n    } // Add all children to a key map for quick lookups.\n\n\n    var existingChildren = mapRemainingChildren(returnFiber, oldFiber); // Keep scanning and use the map to restore deleted items as moves.\n\n    for (; !step.done; newIdx++, step = newChildren.next()) {\n      var _newFiber4 = updateFromMap(existingChildren, returnFiber, newIdx, step.value, lanes);\n\n      if (_newFiber4 !== null) {\n        if (shouldTrackSideEffects) {\n          if (_newFiber4.alternate !== null) {\n            // The new fiber is a work in progress, but if there exists a\n            // current, that means that we reused the fiber. We need to delete\n            // it from the child list so that we don't add it to the deletion\n            // list.\n            existingChildren.delete(_newFiber4.key === null ? newIdx : _newFiber4.key);\n          }\n        }\n\n        lastPlacedIndex = placeChild(_newFiber4, lastPlacedIndex, newIdx);\n\n        if (previousNewFiber === null) {\n          resultingFirstChild = _newFiber4;\n        } else {\n          previousNewFiber.sibling = _newFiber4;\n        }\n\n        previousNewFiber = _newFiber4;\n      }\n    }\n\n    if (shouldTrackSideEffects) {\n      // Any existing children that weren't consumed above were deleted. We need\n      // to add them to the deletion list.\n      existingChildren.forEach(function (child) {\n        return deleteChild(returnFiber, child);\n      });\n    }\n\n    if (getIsHydrating()) {\n      var _numberOfForks4 = newIdx;\n      pushTreeFork(returnFiber, _numberOfForks4);\n    }\n\n    return resultingFirstChild;\n  }\n\n  function reconcileSingleTextNode(returnFiber, currentFirstChild, textContent, lanes) {\n    // There's no need to check for keys on text nodes since we don't have a\n    // way to define them.\n    if (currentFirstChild !== null && currentFirstChild.tag === HostText) {\n      // We already have an existing node so let's just update it and delete\n      // the rest.\n      deleteRemainingChildren(returnFiber, currentFirstChild.sibling);\n      var existing = useFiber(currentFirstChild, textContent);\n      existing.return = returnFiber;\n      return existing;\n    } // The existing first child is not a text node so we need to create one\n    // and delete the existing ones.\n\n\n    deleteRemainingChildren(returnFiber, currentFirstChild);\n    var created = createFiberFromText(textContent, returnFiber.mode, lanes);\n    created.return = returnFiber;\n    return created;\n  }\n\n  function reconcileSingleElement(returnFiber, currentFirstChild, element, lanes) {\n    var key = element.key;\n    var child = currentFirstChild;\n\n    while (child !== null) {\n      // TODO: If key === null and child.key === null, then this only applies to\n      // the first item in the list.\n      if (child.key === key) {\n        var elementType = element.type;\n\n        if (elementType === REACT_FRAGMENT_TYPE) {\n          if (child.tag === Fragment) {\n            deleteRemainingChildren(returnFiber, child.sibling);\n            var existing = useFiber(child, element.props.children);\n            existing.return = returnFiber;\n\n            {\n              existing._debugSource = element._source;\n              existing._debugOwner = element._owner;\n            }\n\n            return existing;\n          }\n        } else {\n          if (child.elementType === elementType || ( // Keep this check inline so it only runs on the false path:\n           isCompatibleFamilyForHotReloading(child, element) ) || // Lazy types should reconcile their resolved type.\n          // We need to do this after the Hot Reloading check above,\n          // because hot reloading has different semantics than prod because\n          // it doesn't resuspend. So we can't let the call below suspend.\n          typeof elementType === 'object' && elementType !== null && elementType.$$typeof === REACT_LAZY_TYPE && resolveLazy(elementType) === child.type) {\n            deleteRemainingChildren(returnFiber, child.sibling);\n\n            var _existing = useFiber(child, element.props);\n\n            _existing.ref = coerceRef(returnFiber, child, element);\n            _existing.return = returnFiber;\n\n            {\n              _existing._debugSource = element._source;\n              _existing._debugOwner = element._owner;\n            }\n\n            return _existing;\n          }\n        } // Didn't match.\n\n\n        deleteRemainingChildren(returnFiber, child);\n        break;\n      } else {\n        deleteChild(returnFiber, child);\n      }\n\n      child = child.sibling;\n    }\n\n    if (element.type === REACT_FRAGMENT_TYPE) {\n      var created = createFiberFromFragment(element.props.children, returnFiber.mode, lanes, element.key);\n      created.return = returnFiber;\n      return created;\n    } else {\n      var _created4 = createFiberFromElement(element, returnFiber.mode, lanes);\n\n      _created4.ref = coerceRef(returnFiber, currentFirstChild, element);\n      _created4.return = returnFiber;\n      return _created4;\n    }\n  }\n\n  function reconcileSinglePortal(returnFiber, currentFirstChild, portal, lanes) {\n    var key = portal.key;\n    var child = currentFirstChild;\n\n    while (child !== null) {\n      // TODO: If key === null and child.key === null, then this only applies to\n      // the first item in the list.\n      if (child.key === key) {\n        if (child.tag === HostPortal && child.stateNode.containerInfo === portal.containerInfo && child.stateNode.implementation === portal.implementation) {\n          deleteRemainingChildren(returnFiber, child.sibling);\n          var existing = useFiber(child, portal.children || []);\n          existing.return = returnFiber;\n          return existing;\n        } else {\n          deleteRemainingChildren(returnFiber, child);\n          break;\n        }\n      } else {\n        deleteChild(returnFiber, child);\n      }\n\n      child = child.sibling;\n    }\n\n    var created = createFiberFromPortal(portal, returnFiber.mode, lanes);\n    created.return = returnFiber;\n    return created;\n  } // This API will tag the children with the side-effect of the reconciliation\n  // itself. They will be added to the side-effect list as we pass through the\n  // children and the parent.\n\n\n  function reconcileChildFibers(returnFiber, currentFirstChild, newChild, lanes) {\n    // This function is not recursive.\n    // If the top level item is an array, we treat it as a set of children,\n    // not as a fragment. Nested arrays on the other hand will be treated as\n    // fragment nodes. Recursion happens at the normal flow.\n    // Handle top level unkeyed fragments as if they were arrays.\n    // This leads to an ambiguity between <>{[...]}</> and <>...</>.\n    // We treat the ambiguous cases above the same.\n    var isUnkeyedTopLevelFragment = typeof newChild === 'object' && newChild !== null && newChild.type === REACT_FRAGMENT_TYPE && newChild.key === null;\n\n    if (isUnkeyedTopLevelFragment) {\n      newChild = newChild.props.children;\n    } // Handle object types\n\n\n    if (typeof newChild === 'object' && newChild !== null) {\n      switch (newChild.$$typeof) {\n        case REACT_ELEMENT_TYPE:\n          return placeSingleChild(reconcileSingleElement(returnFiber, currentFirstChild, newChild, lanes));\n\n        case REACT_PORTAL_TYPE:\n          return placeSingleChild(reconcileSinglePortal(returnFiber, currentFirstChild, newChild, lanes));\n\n        case REACT_LAZY_TYPE:\n          var payload = newChild._payload;\n          var init = newChild._init; // TODO: This function is supposed to be non-recursive.\n\n          return reconcileChildFibers(returnFiber, currentFirstChild, init(payload), lanes);\n      }\n\n      if (isArray(newChild)) {\n        return reconcileChildrenArray(returnFiber, currentFirstChild, newChild, lanes);\n      }\n\n      if (getIteratorFn(newChild)) {\n        return reconcileChildrenIterator(returnFiber, currentFirstChild, newChild, lanes);\n      }\n\n      throwOnInvalidObjectType(returnFiber, newChild);\n    }\n\n    if (typeof newChild === 'string' && newChild !== '' || typeof newChild === 'number') {\n      return placeSingleChild(reconcileSingleTextNode(returnFiber, currentFirstChild, '' + newChild, lanes));\n    }\n\n    {\n      if (typeof newChild === 'function') {\n        warnOnFunctionType(returnFiber);\n      }\n    } // Remaining cases are all treated as empty.\n\n\n    return deleteRemainingChildren(returnFiber, currentFirstChild);\n  }\n\n  return reconcileChildFibers;\n}\n\nvar reconcileChildFibers = ChildReconciler(true);\nvar mountChildFibers = ChildReconciler(false);\nfunction cloneChildFibers(current, workInProgress) {\n  if (current !== null && workInProgress.child !== current.child) {\n    throw new Error('Resuming work not yet implemented.');\n  }\n\n  if (workInProgress.child === null) {\n    return;\n  }\n\n  var currentChild = workInProgress.child;\n  var newChild = createWorkInProgress(currentChild, currentChild.pendingProps);\n  workInProgress.child = newChild;\n  newChild.return = workInProgress;\n\n  while (currentChild.sibling !== null) {\n    currentChild = currentChild.sibling;\n    newChild = newChild.sibling = createWorkInProgress(currentChild, currentChild.pendingProps);\n    newChild.return = workInProgress;\n  }\n\n  newChild.sibling = null;\n} // Reset a workInProgress child set to prepare it for a second pass.\n\nfunction resetChildFibers(workInProgress, lanes) {\n  var child = workInProgress.child;\n\n  while (child !== null) {\n    resetWorkInProgress(child, lanes);\n    child = child.sibling;\n  }\n}\n\nvar valueCursor = createCursor(null);\nvar rendererSigil;\n\n{\n  // Use this to detect multiple renderers using the same context\n  rendererSigil = {};\n}\n\nvar currentlyRenderingFiber = null;\nvar lastContextDependency = null;\nvar lastFullyObservedContext = null;\nvar isDisallowedContextReadInDEV = false;\nfunction resetContextDependencies() {\n  // This is called right before React yields execution, to ensure `readContext`\n  // cannot be called outside the render phase.\n  currentlyRenderingFiber = null;\n  lastContextDependency = null;\n  lastFullyObservedContext = null;\n\n  {\n    isDisallowedContextReadInDEV = false;\n  }\n}\nfunction enterDisallowedContextReadInDEV() {\n  {\n    isDisallowedContextReadInDEV = true;\n  }\n}\nfunction exitDisallowedContextReadInDEV() {\n  {\n    isDisallowedContextReadInDEV = false;\n  }\n}\nfunction pushProvider(providerFiber, context, nextValue) {\n  {\n    push(valueCursor, context._currentValue, providerFiber);\n    context._currentValue = nextValue;\n\n    {\n      if (context._currentRenderer !== undefined && context._currentRenderer !== null && context._currentRenderer !== rendererSigil) {\n        error('Detected multiple renderers concurrently rendering the ' + 'same context provider. This is currently unsupported.');\n      }\n\n      context._currentRenderer = rendererSigil;\n    }\n  }\n}\nfunction popProvider(context, providerFiber) {\n  var currentValue = valueCursor.current;\n  pop(valueCursor, providerFiber);\n\n  {\n    {\n      context._currentValue = currentValue;\n    }\n  }\n}\nfunction scheduleContextWorkOnParentPath(parent, renderLanes, propagationRoot) {\n  // Update the child lanes of all the ancestors, including the alternates.\n  var node = parent;\n\n  while (node !== null) {\n    var alternate = node.alternate;\n\n    if (!isSubsetOfLanes(node.childLanes, renderLanes)) {\n      node.childLanes = mergeLanes(node.childLanes, renderLanes);\n\n      if (alternate !== null) {\n        alternate.childLanes = mergeLanes(alternate.childLanes, renderLanes);\n      }\n    } else if (alternate !== null && !isSubsetOfLanes(alternate.childLanes, renderLanes)) {\n      alternate.childLanes = mergeLanes(alternate.childLanes, renderLanes);\n    }\n\n    if (node === propagationRoot) {\n      break;\n    }\n\n    node = node.return;\n  }\n\n  {\n    if (node !== propagationRoot) {\n      error('Expected to find the propagation root when scheduling context work. ' + 'This error is likely caused by a bug in React. Please file an issue.');\n    }\n  }\n}\nfunction propagateContextChange(workInProgress, context, renderLanes) {\n  {\n    propagateContextChange_eager(workInProgress, context, renderLanes);\n  }\n}\n\nfunction propagateContextChange_eager(workInProgress, context, renderLanes) {\n\n  var fiber = workInProgress.child;\n\n  if (fiber !== null) {\n    // Set the return pointer of the child to the work-in-progress fiber.\n    fiber.return = workInProgress;\n  }\n\n  while (fiber !== null) {\n    var nextFiber = void 0; // Visit this fiber.\n\n    var list = fiber.dependencies;\n\n    if (list !== null) {\n      nextFiber = fiber.child;\n      var dependency = list.firstContext;\n\n      while (dependency !== null) {\n        // Check if the context matches.\n        if (dependency.context === context) {\n          // Match! Schedule an update on this fiber.\n          if (fiber.tag === ClassComponent) {\n            // Schedule a force update on the work-in-progress.\n            var lane = pickArbitraryLane(renderLanes);\n            var update = createUpdate(NoTimestamp, lane);\n            update.tag = ForceUpdate; // TODO: Because we don't have a work-in-progress, this will add the\n            // update to the current fiber, too, which means it will persist even if\n            // this render is thrown away. Since it's a race condition, not sure it's\n            // worth fixing.\n            // Inlined `enqueueUpdate` to remove interleaved update check\n\n            var updateQueue = fiber.updateQueue;\n\n            if (updateQueue === null) ; else {\n              var sharedQueue = updateQueue.shared;\n              var pending = sharedQueue.pending;\n\n              if (pending === null) {\n                // This is the first update. Create a circular list.\n                update.next = update;\n              } else {\n                update.next = pending.next;\n                pending.next = update;\n              }\n\n              sharedQueue.pending = update;\n            }\n          }\n\n          fiber.lanes = mergeLanes(fiber.lanes, renderLanes);\n          var alternate = fiber.alternate;\n\n          if (alternate !== null) {\n            alternate.lanes = mergeLanes(alternate.lanes, renderLanes);\n          }\n\n          scheduleContextWorkOnParentPath(fiber.return, renderLanes, workInProgress); // Mark the updated lanes on the list, too.\n\n          list.lanes = mergeLanes(list.lanes, renderLanes); // Since we already found a match, we can stop traversing the\n          // dependency list.\n\n          break;\n        }\n\n        dependency = dependency.next;\n      }\n    } else if (fiber.tag === ContextProvider) {\n      // Don't scan deeper if this is a matching provider\n      nextFiber = fiber.type === workInProgress.type ? null : fiber.child;\n    } else if (fiber.tag === DehydratedFragment) {\n      // If a dehydrated suspense boundary is in this subtree, we don't know\n      // if it will have any context consumers in it. The best we can do is\n      // mark it as having updates.\n      var parentSuspense = fiber.return;\n\n      if (parentSuspense === null) {\n        throw new Error('We just came from a parent so we must have had a parent. This is a bug in React.');\n      }\n\n      parentSuspense.lanes = mergeLanes(parentSuspense.lanes, renderLanes);\n      var _alternate = parentSuspense.alternate;\n\n      if (_alternate !== null) {\n        _alternate.lanes = mergeLanes(_alternate.lanes, renderLanes);\n      } // This is intentionally passing this fiber as the parent\n      // because we want to schedule this fiber as having work\n      // on its children. We'll use the childLanes on\n      // this fiber to indicate that a context has changed.\n\n\n      scheduleContextWorkOnParentPath(parentSuspense, renderLanes, workInProgress);\n      nextFiber = fiber.sibling;\n    } else {\n      // Traverse down.\n      nextFiber = fiber.child;\n    }\n\n    if (nextFiber !== null) {\n      // Set the return pointer of the child to the work-in-progress fiber.\n      nextFiber.return = fiber;\n    } else {\n      // No child. Traverse to next sibling.\n      nextFiber = fiber;\n\n      while (nextFiber !== null) {\n        if (nextFiber === workInProgress) {\n          // We're back to the root of this subtree. Exit.\n          nextFiber = null;\n          break;\n        }\n\n        var sibling = nextFiber.sibling;\n\n        if (sibling !== null) {\n          // Set the return pointer of the sibling to the work-in-progress fiber.\n          sibling.return = nextFiber.return;\n          nextFiber = sibling;\n          break;\n        } // No more siblings. Traverse up.\n\n\n        nextFiber = nextFiber.return;\n      }\n    }\n\n    fiber = nextFiber;\n  }\n}\nfunction prepareToReadContext(workInProgress, renderLanes) {\n  currentlyRenderingFiber = workInProgress;\n  lastContextDependency = null;\n  lastFullyObservedContext = null;\n  var dependencies = workInProgress.dependencies;\n\n  if (dependencies !== null) {\n    {\n      var firstContext = dependencies.firstContext;\n\n      if (firstContext !== null) {\n        if (includesSomeLane(dependencies.lanes, renderLanes)) {\n          // Context list has a pending update. Mark that this fiber performed work.\n          markWorkInProgressReceivedUpdate();\n        } // Reset the work-in-progress list\n\n\n        dependencies.firstContext = null;\n      }\n    }\n  }\n}\nfunction readContext(context) {\n  {\n    // This warning would fire if you read context inside a Hook like useMemo.\n    // Unlike the class check below, it's not enforced in production for perf.\n    if (isDisallowedContextReadInDEV) {\n      error('Context can only be read while React is rendering. ' + 'In classes, you can read it in the render method or getDerivedStateFromProps. ' + 'In function components, you can read it directly in the function body, but not ' + 'inside Hooks like useReducer() or useMemo().');\n    }\n  }\n\n  var value =  context._currentValue ;\n\n  if (lastFullyObservedContext === context) ; else {\n    var contextItem = {\n      context: context,\n      memoizedValue: value,\n      next: null\n    };\n\n    if (lastContextDependency === null) {\n      if (currentlyRenderingFiber === null) {\n        throw new Error('Context can only be read while React is rendering. ' + 'In classes, you can read it in the render method or getDerivedStateFromProps. ' + 'In function components, you can read it directly in the function body, but not ' + 'inside Hooks like useReducer() or useMemo().');\n      } // This is the first dependency for this component. Create a new list.\n\n\n      lastContextDependency = contextItem;\n      currentlyRenderingFiber.dependencies = {\n        lanes: NoLanes,\n        firstContext: contextItem\n      };\n    } else {\n      // Append a new context item.\n      lastContextDependency = lastContextDependency.next = contextItem;\n    }\n  }\n\n  return value;\n}\n\n// render. When this render exits, either because it finishes or because it is\n// interrupted, the interleaved updates will be transferred onto the main part\n// of the queue.\n\nvar concurrentQueues = null;\nfunction pushConcurrentUpdateQueue(queue) {\n  if (concurrentQueues === null) {\n    concurrentQueues = [queue];\n  } else {\n    concurrentQueues.push(queue);\n  }\n}\nfunction finishQueueingConcurrentUpdates() {\n  // Transfer the interleaved updates onto the main queue. Each queue has a\n  // `pending` field and an `interleaved` field. When they are not null, they\n  // point to the last node in a circular linked list. We need to append the\n  // interleaved list to the end of the pending list by joining them into a\n  // single, circular list.\n  if (concurrentQueues !== null) {\n    for (var i = 0; i < concurrentQueues.length; i++) {\n      var queue = concurrentQueues[i];\n      var lastInterleavedUpdate = queue.interleaved;\n\n      if (lastInterleavedUpdate !== null) {\n        queue.interleaved = null;\n        var firstInterleavedUpdate = lastInterleavedUpdate.next;\n        var lastPendingUpdate = queue.pending;\n\n        if (lastPendingUpdate !== null) {\n          var firstPendingUpdate = lastPendingUpdate.next;\n          lastPendingUpdate.next = firstInterleavedUpdate;\n          lastInterleavedUpdate.next = firstPendingUpdate;\n        }\n\n        queue.pending = lastInterleavedUpdate;\n      }\n    }\n\n    concurrentQueues = null;\n  }\n}\nfunction enqueueConcurrentHookUpdate(fiber, queue, update, lane) {\n  var interleaved = queue.interleaved;\n\n  if (interleaved === null) {\n    // This is the first update. Create a circular list.\n    update.next = update; // At the end of the current render, this queue's interleaved updates will\n    // be transferred to the pending queue.\n\n    pushConcurrentUpdateQueue(queue);\n  } else {\n    update.next = interleaved.next;\n    interleaved.next = update;\n  }\n\n  queue.interleaved = update;\n  return markUpdateLaneFromFiberToRoot(fiber, lane);\n}\nfunction enqueueConcurrentHookUpdateAndEagerlyBailout(fiber, queue, update, lane) {\n  var interleaved = queue.interleaved;\n\n  if (interleaved === null) {\n    // This is the first update. Create a circular list.\n    update.next = update; // At the end of the current render, this queue's interleaved updates will\n    // be transferred to the pending queue.\n\n    pushConcurrentUpdateQueue(queue);\n  } else {\n    update.next = interleaved.next;\n    interleaved.next = update;\n  }\n\n  queue.interleaved = update;\n}\nfunction enqueueConcurrentClassUpdate(fiber, queue, update, lane) {\n  var interleaved = queue.interleaved;\n\n  if (interleaved === null) {\n    // This is the first update. Create a circular list.\n    update.next = update; // At the end of the current render, this queue's interleaved updates will\n    // be transferred to the pending queue.\n\n    pushConcurrentUpdateQueue(queue);\n  } else {\n    update.next = interleaved.next;\n    interleaved.next = update;\n  }\n\n  queue.interleaved = update;\n  return markUpdateLaneFromFiberToRoot(fiber, lane);\n}\nfunction enqueueConcurrentRenderForLane(fiber, lane) {\n  return markUpdateLaneFromFiberToRoot(fiber, lane);\n} // Calling this function outside this module should only be done for backwards\n// compatibility and should always be accompanied by a warning.\n\nvar unsafe_markUpdateLaneFromFiberToRoot = markUpdateLaneFromFiberToRoot;\n\nfunction markUpdateLaneFromFiberToRoot(sourceFiber, lane) {\n  // Update the source fiber's lanes\n  sourceFiber.lanes = mergeLanes(sourceFiber.lanes, lane);\n  var alternate = sourceFiber.alternate;\n\n  if (alternate !== null) {\n    alternate.lanes = mergeLanes(alternate.lanes, lane);\n  }\n\n  {\n    if (alternate === null && (sourceFiber.flags & (Placement | Hydrating)) !== NoFlags) {\n      warnAboutUpdateOnNotYetMountedFiberInDEV(sourceFiber);\n    }\n  } // Walk the parent path to the root and update the child lanes.\n\n\n  var node = sourceFiber;\n  var parent = sourceFiber.return;\n\n  while (parent !== null) {\n    parent.childLanes = mergeLanes(parent.childLanes, lane);\n    alternate = parent.alternate;\n\n    if (alternate !== null) {\n      alternate.childLanes = mergeLanes(alternate.childLanes, lane);\n    } else {\n      {\n        if ((parent.flags & (Placement | Hydrating)) !== NoFlags) {\n          warnAboutUpdateOnNotYetMountedFiberInDEV(sourceFiber);\n        }\n      }\n    }\n\n    node = parent;\n    parent = parent.return;\n  }\n\n  if (node.tag === HostRoot) {\n    var root = node.stateNode;\n    return root;\n  } else {\n    return null;\n  }\n}\n\nvar UpdateState = 0;\nvar ReplaceState = 1;\nvar ForceUpdate = 2;\nvar CaptureUpdate = 3; // Global state that is reset at the beginning of calling `processUpdateQueue`.\n// It should only be read right after calling `processUpdateQueue`, via\n// `checkHasForceUpdateAfterProcessing`.\n\nvar hasForceUpdate = false;\nvar didWarnUpdateInsideUpdate;\nvar currentlyProcessingQueue;\n\n{\n  didWarnUpdateInsideUpdate = false;\n  currentlyProcessingQueue = null;\n}\n\nfunction initializeUpdateQueue(fiber) {\n  var queue = {\n    baseState: fiber.memoizedState,\n    firstBaseUpdate: null,\n    lastBaseUpdate: null,\n    shared: {\n      pending: null,\n      interleaved: null,\n      lanes: NoLanes\n    },\n    effects: null\n  };\n  fiber.updateQueue = queue;\n}\nfunction cloneUpdateQueue(current, workInProgress) {\n  // Clone the update queue from current. Unless it's already a clone.\n  var queue = workInProgress.updateQueue;\n  var currentQueue = current.updateQueue;\n\n  if (queue === currentQueue) {\n    var clone = {\n      baseState: currentQueue.baseState,\n      firstBaseUpdate: currentQueue.firstBaseUpdate,\n      lastBaseUpdate: currentQueue.lastBaseUpdate,\n      shared: currentQueue.shared,\n      effects: currentQueue.effects\n    };\n    workInProgress.updateQueue = clone;\n  }\n}\nfunction createUpdate(eventTime, lane) {\n  var update = {\n    eventTime: eventTime,\n    lane: lane,\n    tag: UpdateState,\n    payload: null,\n    callback: null,\n    next: null\n  };\n  return update;\n}\nfunction enqueueUpdate(fiber, update, lane) {\n  var updateQueue = fiber.updateQueue;\n\n  if (updateQueue === null) {\n    // Only occurs if the fiber has been unmounted.\n    return null;\n  }\n\n  var sharedQueue = updateQueue.shared;\n\n  {\n    if (currentlyProcessingQueue === sharedQueue && !didWarnUpdateInsideUpdate) {\n      error('An update (setState, replaceState, or forceUpdate) was scheduled ' + 'from inside an update function. Update functions should be pure, ' + 'with zero side-effects. Consider using componentDidUpdate or a ' + 'callback.');\n\n      didWarnUpdateInsideUpdate = true;\n    }\n  }\n\n  if (isUnsafeClassRenderPhaseUpdate()) {\n    // This is an unsafe render phase update. Add directly to the update\n    // queue so we can process it immediately during the current render.\n    var pending = sharedQueue.pending;\n\n    if (pending === null) {\n      // This is the first update. Create a circular list.\n      update.next = update;\n    } else {\n      update.next = pending.next;\n      pending.next = update;\n    }\n\n    sharedQueue.pending = update; // Update the childLanes even though we're most likely already rendering\n    // this fiber. This is for backwards compatibility in the case where you\n    // update a different component during render phase than the one that is\n    // currently renderings (a pattern that is accompanied by a warning).\n\n    return unsafe_markUpdateLaneFromFiberToRoot(fiber, lane);\n  } else {\n    return enqueueConcurrentClassUpdate(fiber, sharedQueue, update, lane);\n  }\n}\nfunction entangleTransitions(root, fiber, lane) {\n  var updateQueue = fiber.updateQueue;\n\n  if (updateQueue === null) {\n    // Only occurs if the fiber has been unmounted.\n    return;\n  }\n\n  var sharedQueue = updateQueue.shared;\n\n  if (isTransitionLane(lane)) {\n    var queueLanes = sharedQueue.lanes; // If any entangled lanes are no longer pending on the root, then they must\n    // have finished. We can remove them from the shared queue, which represents\n    // a superset of the actually pending lanes. In some cases we may entangle\n    // more than we need to, but that's OK. In fact it's worse if we *don't*\n    // entangle when we should.\n\n    queueLanes = intersectLanes(queueLanes, root.pendingLanes); // Entangle the new transition lane with the other transition lanes.\n\n    var newQueueLanes = mergeLanes(queueLanes, lane);\n    sharedQueue.lanes = newQueueLanes; // Even if queue.lanes already include lane, we don't know for certain if\n    // the lane finished since the last time we entangled it. So we need to\n    // entangle it again, just to be sure.\n\n    markRootEntangled(root, newQueueLanes);\n  }\n}\nfunction enqueueCapturedUpdate(workInProgress, capturedUpdate) {\n  // Captured updates are updates that are thrown by a child during the render\n  // phase. They should be discarded if the render is aborted. Therefore,\n  // we should only put them on the work-in-progress queue, not the current one.\n  var queue = workInProgress.updateQueue; // Check if the work-in-progress queue is a clone.\n\n  var current = workInProgress.alternate;\n\n  if (current !== null) {\n    var currentQueue = current.updateQueue;\n\n    if (queue === currentQueue) {\n      // The work-in-progress queue is the same as current. This happens when\n      // we bail out on a parent fiber that then captures an error thrown by\n      // a child. Since we want to append the update only to the work-in\n      // -progress queue, we need to clone the updates. We usually clone during\n      // processUpdateQueue, but that didn't happen in this case because we\n      // skipped over the parent when we bailed out.\n      var newFirst = null;\n      var newLast = null;\n      var firstBaseUpdate = queue.firstBaseUpdate;\n\n      if (firstBaseUpdate !== null) {\n        // Loop through the updates and clone them.\n        var update = firstBaseUpdate;\n\n        do {\n          var clone = {\n            eventTime: update.eventTime,\n            lane: update.lane,\n            tag: update.tag,\n            payload: update.payload,\n            callback: update.callback,\n            next: null\n          };\n\n          if (newLast === null) {\n            newFirst = newLast = clone;\n          } else {\n            newLast.next = clone;\n            newLast = clone;\n          }\n\n          update = update.next;\n        } while (update !== null); // Append the captured update the end of the cloned list.\n\n\n        if (newLast === null) {\n          newFirst = newLast = capturedUpdate;\n        } else {\n          newLast.next = capturedUpdate;\n          newLast = capturedUpdate;\n        }\n      } else {\n        // There are no base updates.\n        newFirst = newLast = capturedUpdate;\n      }\n\n      queue = {\n        baseState: currentQueue.baseState,\n        firstBaseUpdate: newFirst,\n        lastBaseUpdate: newLast,\n        shared: currentQueue.shared,\n        effects: currentQueue.effects\n      };\n      workInProgress.updateQueue = queue;\n      return;\n    }\n  } // Append the update to the end of the list.\n\n\n  var lastBaseUpdate = queue.lastBaseUpdate;\n\n  if (lastBaseUpdate === null) {\n    queue.firstBaseUpdate = capturedUpdate;\n  } else {\n    lastBaseUpdate.next = capturedUpdate;\n  }\n\n  queue.lastBaseUpdate = capturedUpdate;\n}\n\nfunction getStateFromUpdate(workInProgress, queue, update, prevState, nextProps, instance) {\n  switch (update.tag) {\n    case ReplaceState:\n      {\n        var payload = update.payload;\n\n        if (typeof payload === 'function') {\n          // Updater function\n          {\n            enterDisallowedContextReadInDEV();\n          }\n\n          var nextState = payload.call(instance, prevState, nextProps);\n\n          {\n            if ( workInProgress.mode & StrictLegacyMode) {\n              setIsStrictModeForDevtools(true);\n\n              try {\n                payload.call(instance, prevState, nextProps);\n              } finally {\n                setIsStrictModeForDevtools(false);\n              }\n            }\n\n            exitDisallowedContextReadInDEV();\n          }\n\n          return nextState;\n        } // State object\n\n\n        return payload;\n      }\n\n    case CaptureUpdate:\n      {\n        workInProgress.flags = workInProgress.flags & ~ShouldCapture | DidCapture;\n      }\n    // Intentional fallthrough\n\n    case UpdateState:\n      {\n        var _payload = update.payload;\n        var partialState;\n\n        if (typeof _payload === 'function') {\n          // Updater function\n          {\n            enterDisallowedContextReadInDEV();\n          }\n\n          partialState = _payload.call(instance, prevState, nextProps);\n\n          {\n            if ( workInProgress.mode & StrictLegacyMode) {\n              setIsStrictModeForDevtools(true);\n\n              try {\n                _payload.call(instance, prevState, nextProps);\n              } finally {\n                setIsStrictModeForDevtools(false);\n              }\n            }\n\n            exitDisallowedContextReadInDEV();\n          }\n        } else {\n          // Partial state object\n          partialState = _payload;\n        }\n\n        if (partialState === null || partialState === undefined) {\n          // Null and undefined are treated as no-ops.\n          return prevState;\n        } // Merge the partial state and the previous state.\n\n\n        return assign({}, prevState, partialState);\n      }\n\n    case ForceUpdate:\n      {\n        hasForceUpdate = true;\n        return prevState;\n      }\n  }\n\n  return prevState;\n}\n\nfunction processUpdateQueue(workInProgress, props, instance, renderLanes) {\n  // This is always non-null on a ClassComponent or HostRoot\n  var queue = workInProgress.updateQueue;\n  hasForceUpdate = false;\n\n  {\n    currentlyProcessingQueue = queue.shared;\n  }\n\n  var firstBaseUpdate = queue.firstBaseUpdate;\n  var lastBaseUpdate = queue.lastBaseUpdate; // Check if there are pending updates. If so, transfer them to the base queue.\n\n  var pendingQueue = queue.shared.pending;\n\n  if (pendingQueue !== null) {\n    queue.shared.pending = null; // The pending queue is circular. Disconnect the pointer between first\n    // and last so that it's non-circular.\n\n    var lastPendingUpdate = pendingQueue;\n    var firstPendingUpdate = lastPendingUpdate.next;\n    lastPendingUpdate.next = null; // Append pending updates to base queue\n\n    if (lastBaseUpdate === null) {\n      firstBaseUpdate = firstPendingUpdate;\n    } else {\n      lastBaseUpdate.next = firstPendingUpdate;\n    }\n\n    lastBaseUpdate = lastPendingUpdate; // If there's a current queue, and it's different from the base queue, then\n    // we need to transfer the updates to that queue, too. Because the base\n    // queue is a singly-linked list with no cycles, we can append to both\n    // lists and take advantage of structural sharing.\n    // TODO: Pass `current` as argument\n\n    var current = workInProgress.alternate;\n\n    if (current !== null) {\n      // This is always non-null on a ClassComponent or HostRoot\n      var currentQueue = current.updateQueue;\n      var currentLastBaseUpdate = currentQueue.lastBaseUpdate;\n\n      if (currentLastBaseUpdate !== lastBaseUpdate) {\n        if (currentLastBaseUpdate === null) {\n          currentQueue.firstBaseUpdate = firstPendingUpdate;\n        } else {\n          currentLastBaseUpdate.next = firstPendingUpdate;\n        }\n\n        currentQueue.lastBaseUpdate = lastPendingUpdate;\n      }\n    }\n  } // These values may change as we process the queue.\n\n\n  if (firstBaseUpdate !== null) {\n    // Iterate through the list of updates to compute the result.\n    var newState = queue.baseState; // TODO: Don't need to accumulate this. Instead, we can remove renderLanes\n    // from the original lanes.\n\n    var newLanes = NoLanes;\n    var newBaseState = null;\n    var newFirstBaseUpdate = null;\n    var newLastBaseUpdate = null;\n    var update = firstBaseUpdate;\n\n    do {\n      var updateLane = update.lane;\n      var updateEventTime = update.eventTime;\n\n      if (!isSubsetOfLanes(renderLanes, updateLane)) {\n        // Priority is insufficient. Skip this update. If this is the first\n        // skipped update, the previous update/state is the new base\n        // update/state.\n        var clone = {\n          eventTime: updateEventTime,\n          lane: updateLane,\n          tag: update.tag,\n          payload: update.payload,\n          callback: update.callback,\n          next: null\n        };\n\n        if (newLastBaseUpdate === null) {\n          newFirstBaseUpdate = newLastBaseUpdate = clone;\n          newBaseState = newState;\n        } else {\n          newLastBaseUpdate = newLastBaseUpdate.next = clone;\n        } // Update the remaining priority in the queue.\n\n\n        newLanes = mergeLanes(newLanes, updateLane);\n      } else {\n        // This update does have sufficient priority.\n        if (newLastBaseUpdate !== null) {\n          var _clone = {\n            eventTime: updateEventTime,\n            // This update is going to be committed so we never want uncommit\n            // it. Using NoLane works because 0 is a subset of all bitmasks, so\n            // this will never be skipped by the check above.\n            lane: NoLane,\n            tag: update.tag,\n            payload: update.payload,\n            callback: update.callback,\n            next: null\n          };\n          newLastBaseUpdate = newLastBaseUpdate.next = _clone;\n        } // Process this update.\n\n\n        newState = getStateFromUpdate(workInProgress, queue, update, newState, props, instance);\n        var callback = update.callback;\n\n        if (callback !== null && // If the update was already committed, we should not queue its\n        // callback again.\n        update.lane !== NoLane) {\n          workInProgress.flags |= Callback;\n          var effects = queue.effects;\n\n          if (effects === null) {\n            queue.effects = [update];\n          } else {\n            effects.push(update);\n          }\n        }\n      }\n\n      update = update.next;\n\n      if (update === null) {\n        pendingQueue = queue.shared.pending;\n\n        if (pendingQueue === null) {\n          break;\n        } else {\n          // An update was scheduled from inside a reducer. Add the new\n          // pending updates to the end of the list and keep processing.\n          var _lastPendingUpdate = pendingQueue; // Intentionally unsound. Pending updates form a circular list, but we\n          // unravel them when transferring them to the base queue.\n\n          var _firstPendingUpdate = _lastPendingUpdate.next;\n          _lastPendingUpdate.next = null;\n          update = _firstPendingUpdate;\n          queue.lastBaseUpdate = _lastPendingUpdate;\n          queue.shared.pending = null;\n        }\n      }\n    } while (true);\n\n    if (newLastBaseUpdate === null) {\n      newBaseState = newState;\n    }\n\n    queue.baseState = newBaseState;\n    queue.firstBaseUpdate = newFirstBaseUpdate;\n    queue.lastBaseUpdate = newLastBaseUpdate; // Interleaved updates are stored on a separate queue. We aren't going to\n    // process them during this render, but we do need to track which lanes\n    // are remaining.\n\n    var lastInterleaved = queue.shared.interleaved;\n\n    if (lastInterleaved !== null) {\n      var interleaved = lastInterleaved;\n\n      do {\n        newLanes = mergeLanes(newLanes, interleaved.lane);\n        interleaved = interleaved.next;\n      } while (interleaved !== lastInterleaved);\n    } else if (firstBaseUpdate === null) {\n      // `queue.lanes` is used for entangling transitions. We can set it back to\n      // zero once the queue is empty.\n      queue.shared.lanes = NoLanes;\n    } // Set the remaining expiration time to be whatever is remaining in the queue.\n    // This should be fine because the only two other things that contribute to\n    // expiration time are props and context. We're already in the middle of the\n    // begin phase by the time we start processing the queue, so we've already\n    // dealt with the props. Context in components that specify\n    // shouldComponentUpdate is tricky; but we'll have to account for\n    // that regardless.\n\n\n    markSkippedUpdateLanes(newLanes);\n    workInProgress.lanes = newLanes;\n    workInProgress.memoizedState = newState;\n  }\n\n  {\n    currentlyProcessingQueue = null;\n  }\n}\n\nfunction callCallback(callback, context) {\n  if (typeof callback !== 'function') {\n    throw new Error('Invalid argument passed as callback. Expected a function. Instead ' + (\"received: \" + callback));\n  }\n\n  callback.call(context);\n}\n\nfunction resetHasForceUpdateBeforeProcessing() {\n  hasForceUpdate = false;\n}\nfunction checkHasForceUpdateAfterProcessing() {\n  return hasForceUpdate;\n}\nfunction commitUpdateQueue(finishedWork, finishedQueue, instance) {\n  // Commit the effects\n  var effects = finishedQueue.effects;\n  finishedQueue.effects = null;\n\n  if (effects !== null) {\n    for (var i = 0; i < effects.length; i++) {\n      var effect = effects[i];\n      var callback = effect.callback;\n\n      if (callback !== null) {\n        effect.callback = null;\n        callCallback(callback, instance);\n      }\n    }\n  }\n}\n\nvar NO_CONTEXT = {};\nvar contextStackCursor$1 = createCursor(NO_CONTEXT);\nvar contextFiberStackCursor = createCursor(NO_CONTEXT);\nvar rootInstanceStackCursor = createCursor(NO_CONTEXT);\n\nfunction requiredContext(c) {\n  if (c === NO_CONTEXT) {\n    throw new Error('Expected host context to exist. This error is likely caused by a bug ' + 'in React. Please file an issue.');\n  }\n\n  return c;\n}\n\nfunction getRootHostContainer() {\n  var rootInstance = requiredContext(rootInstanceStackCursor.current);\n  return rootInstance;\n}\n\nfunction pushHostContainer(fiber, nextRootInstance) {\n  // Push current root instance onto the stack;\n  // This allows us to reset root when portals are popped.\n  push(rootInstanceStackCursor, nextRootInstance, fiber); // Track the context and the Fiber that provided it.\n  // This enables us to pop only Fibers that provide unique contexts.\n\n  push(contextFiberStackCursor, fiber, fiber); // Finally, we need to push the host context to the stack.\n  // However, we can't just call getRootHostContext() and push it because\n  // we'd have a different number of entries on the stack depending on\n  // whether getRootHostContext() throws somewhere in renderer code or not.\n  // So we push an empty value first. This lets us safely unwind on errors.\n\n  push(contextStackCursor$1, NO_CONTEXT, fiber);\n  var nextRootContext = getRootHostContext(nextRootInstance); // Now that we know this function doesn't throw, replace it.\n\n  pop(contextStackCursor$1, fiber);\n  push(contextStackCursor$1, nextRootContext, fiber);\n}\n\nfunction popHostContainer(fiber) {\n  pop(contextStackCursor$1, fiber);\n  pop(contextFiberStackCursor, fiber);\n  pop(rootInstanceStackCursor, fiber);\n}\n\nfunction getHostContext() {\n  var context = requiredContext(contextStackCursor$1.current);\n  return context;\n}\n\nfunction pushHostContext(fiber) {\n  var rootInstance = requiredContext(rootInstanceStackCursor.current);\n  var context = requiredContext(contextStackCursor$1.current);\n  var nextContext = getChildHostContext(context, fiber.type); // Don't push this Fiber's context unless it's unique.\n\n  if (context === nextContext) {\n    return;\n  } // Track the context and the Fiber that provided it.\n  // This enables us to pop only Fibers that provide unique contexts.\n\n\n  push(contextFiberStackCursor, fiber, fiber);\n  push(contextStackCursor$1, nextContext, fiber);\n}\n\nfunction popHostContext(fiber) {\n  // Do not pop unless this Fiber provided the current context.\n  // pushHostContext() only pushes Fibers that provide unique contexts.\n  if (contextFiberStackCursor.current !== fiber) {\n    return;\n  }\n\n  pop(contextStackCursor$1, fiber);\n  pop(contextFiberStackCursor, fiber);\n}\n\nvar DefaultSuspenseContext = 0; // The Suspense Context is split into two parts. The lower bits is\n// inherited deeply down the subtree. The upper bits only affect\n// this immediate suspense boundary and gets reset each new\n// boundary or suspense list.\n\nvar SubtreeSuspenseContextMask = 1; // Subtree Flags:\n// InvisibleParentSuspenseContext indicates that one of our parent Suspense\n// boundaries is not currently showing visible main content.\n// Either because it is already showing a fallback or is not mounted at all.\n// We can use this to determine if it is desirable to trigger a fallback at\n// the parent. If not, then we might need to trigger undesirable boundaries\n// and/or suspend the commit to avoid hiding the parent content.\n\nvar InvisibleParentSuspenseContext = 1; // Shallow Flags:\n// ForceSuspenseFallback can be used by SuspenseList to force newly added\n// items into their fallback state during one of the render passes.\n\nvar ForceSuspenseFallback = 2;\nvar suspenseStackCursor = createCursor(DefaultSuspenseContext);\nfunction hasSuspenseContext(parentContext, flag) {\n  return (parentContext & flag) !== 0;\n}\nfunction setDefaultShallowSuspenseContext(parentContext) {\n  return parentContext & SubtreeSuspenseContextMask;\n}\nfunction setShallowSuspenseContext(parentContext, shallowContext) {\n  return parentContext & SubtreeSuspenseContextMask | shallowContext;\n}\nfunction addSubtreeSuspenseContext(parentContext, subtreeContext) {\n  return parentContext | subtreeContext;\n}\nfunction pushSuspenseContext(fiber, newContext) {\n  push(suspenseStackCursor, newContext, fiber);\n}\nfunction popSuspenseContext(fiber) {\n  pop(suspenseStackCursor, fiber);\n}\n\nfunction shouldCaptureSuspense(workInProgress, hasInvisibleParent) {\n  // If it was the primary children that just suspended, capture and render the\n  // fallback. Otherwise, don't capture and bubble to the next boundary.\n  var nextState = workInProgress.memoizedState;\n\n  if (nextState !== null) {\n    if (nextState.dehydrated !== null) {\n      // A dehydrated boundary always captures.\n      return true;\n    }\n\n    return false;\n  }\n\n  var props = workInProgress.memoizedProps; // Regular boundaries always capture.\n\n  {\n    return true;\n  } // If it's a boundary we should avoid, then we prefer to bubble up to the\n}\nfunction findFirstSuspended(row) {\n  var node = row;\n\n  while (node !== null) {\n    if (node.tag === SuspenseComponent) {\n      var state = node.memoizedState;\n\n      if (state !== null) {\n        var dehydrated = state.dehydrated;\n\n        if (dehydrated === null || isSuspenseInstancePending(dehydrated) || isSuspenseInstanceFallback(dehydrated)) {\n          return node;\n        }\n      }\n    } else if (node.tag === SuspenseListComponent && // revealOrder undefined can't be trusted because it don't\n    // keep track of whether it suspended or not.\n    node.memoizedProps.revealOrder !== undefined) {\n      var didSuspend = (node.flags & DidCapture) !== NoFlags;\n\n      if (didSuspend) {\n        return node;\n      }\n    } else if (node.child !== null) {\n      node.child.return = node;\n      node = node.child;\n      continue;\n    }\n\n    if (node === row) {\n      return null;\n    }\n\n    while (node.sibling === null) {\n      if (node.return === null || node.return === row) {\n        return null;\n      }\n\n      node = node.return;\n    }\n\n    node.sibling.return = node.return;\n    node = node.sibling;\n  }\n\n  return null;\n}\n\nvar NoFlags$1 =\n/*   */\n0; // Represents whether effect should fire.\n\nvar HasEffect =\n/* */\n1; // Represents the phase in which the effect (not the clean-up) fires.\n\nvar Insertion =\n/*  */\n2;\nvar Layout =\n/*    */\n4;\nvar Passive$1 =\n/*   */\n8;\n\n// and should be reset before starting a new render.\n// This tracks which mutable sources need to be reset after a render.\n\nvar workInProgressSources = [];\nfunction resetWorkInProgressVersions() {\n  for (var i = 0; i < workInProgressSources.length; i++) {\n    var mutableSource = workInProgressSources[i];\n\n    {\n      mutableSource._workInProgressVersionPrimary = null;\n    }\n  }\n\n  workInProgressSources.length = 0;\n}\n// This ensures that the version used for server rendering matches the one\n// that is eventually read during hydration.\n// If they don't match there's a potential tear and a full deopt render is required.\n\nfunction registerMutableSourceForHydration(root, mutableSource) {\n  var getVersion = mutableSource._getVersion;\n  var version = getVersion(mutableSource._source); // TODO Clear this data once all pending hydration work is finished.\n  // Retaining it forever may interfere with GC.\n\n  if (root.mutableSourceEagerHydrationData == null) {\n    root.mutableSourceEagerHydrationData = [mutableSource, version];\n  } else {\n    root.mutableSourceEagerHydrationData.push(mutableSource, version);\n  }\n}\n\nvar ReactCurrentDispatcher$1 = ReactSharedInternals.ReactCurrentDispatcher,\n    ReactCurrentBatchConfig$2 = ReactSharedInternals.ReactCurrentBatchConfig;\nvar didWarnAboutMismatchedHooksForComponent;\nvar didWarnUncachedGetSnapshot;\n\n{\n  didWarnAboutMismatchedHooksForComponent = new Set();\n}\n\n// These are set right before calling the component.\nvar renderLanes = NoLanes; // The work-in-progress fiber. I've named it differently to distinguish it from\n// the work-in-progress hook.\n\nvar currentlyRenderingFiber$1 = null; // Hooks are stored as a linked list on the fiber's memoizedState field. The\n// current hook list is the list that belongs to the current fiber. The\n// work-in-progress hook list is a new list that will be added to the\n// work-in-progress fiber.\n\nvar currentHook = null;\nvar workInProgressHook = null; // Whether an update was scheduled at any point during the render phase. This\n// does not get reset if we do another render pass; only when we're completely\n// finished evaluating this component. This is an optimization so we know\n// whether we need to clear render phase updates after a throw.\n\nvar didScheduleRenderPhaseUpdate = false; // Where an update was scheduled only during the current render pass. This\n// gets reset after each attempt.\n// TODO: Maybe there's some way to consolidate this with\n// `didScheduleRenderPhaseUpdate`. Or with `numberOfReRenders`.\n\nvar didScheduleRenderPhaseUpdateDuringThisPass = false; // Counts the number of useId hooks in this component.\n\nvar localIdCounter = 0; // Used for ids that are generated completely client-side (i.e. not during\n// hydration). This counter is global, so client ids are not stable across\n// render attempts.\n\nvar globalClientIdCounter = 0;\nvar RE_RENDER_LIMIT = 25; // In DEV, this is the name of the currently executing primitive hook\n\nvar currentHookNameInDev = null; // In DEV, this list ensures that hooks are called in the same order between renders.\n// The list stores the order of hooks used during the initial render (mount).\n// Subsequent renders (updates) reference this list.\n\nvar hookTypesDev = null;\nvar hookTypesUpdateIndexDev = -1; // In DEV, this tracks whether currently rendering component needs to ignore\n// the dependencies for Hooks that need them (e.g. useEffect or useMemo).\n// When true, such Hooks will always be \"remounted\". Only used during hot reload.\n\nvar ignorePreviousDependencies = false;\n\nfunction mountHookTypesDev() {\n  {\n    var hookName = currentHookNameInDev;\n\n    if (hookTypesDev === null) {\n      hookTypesDev = [hookName];\n    } else {\n      hookTypesDev.push(hookName);\n    }\n  }\n}\n\nfunction updateHookTypesDev() {\n  {\n    var hookName = currentHookNameInDev;\n\n    if (hookTypesDev !== null) {\n      hookTypesUpdateIndexDev++;\n\n      if (hookTypesDev[hookTypesUpdateIndexDev] !== hookName) {\n        warnOnHookMismatchInDev(hookName);\n      }\n    }\n  }\n}\n\nfunction checkDepsAreArrayDev(deps) {\n  {\n    if (deps !== undefined && deps !== null && !isArray(deps)) {\n      // Verify deps, but only on mount to avoid extra checks.\n      // It's unlikely their type would change as usually you define them inline.\n      error('%s received a final argument that is not an array (instead, received `%s`). When ' + 'specified, the final argument must be an array.', currentHookNameInDev, typeof deps);\n    }\n  }\n}\n\nfunction warnOnHookMismatchInDev(currentHookName) {\n  {\n    var componentName = getComponentNameFromFiber(currentlyRenderingFiber$1);\n\n    if (!didWarnAboutMismatchedHooksForComponent.has(componentName)) {\n      didWarnAboutMismatchedHooksForComponent.add(componentName);\n\n      if (hookTypesDev !== null) {\n        var table = '';\n        var secondColumnStart = 30;\n\n        for (var i = 0; i <= hookTypesUpdateIndexDev; i++) {\n          var oldHookName = hookTypesDev[i];\n          var newHookName = i === hookTypesUpdateIndexDev ? currentHookName : oldHookName;\n          var row = i + 1 + \". \" + oldHookName; // Extra space so second column lines up\n          // lol @ IE not supporting String#repeat\n\n          while (row.length < secondColumnStart) {\n            row += ' ';\n          }\n\n          row += newHookName + '\\n';\n          table += row;\n        }\n\n        error('React has detected a change in the order of Hooks called by %s. ' + 'This will lead to bugs and errors if not fixed. ' + 'For more information, read the Rules of Hooks: https://reactjs.org/link/rules-of-hooks\\n\\n' + '   Previous render            Next render\\n' + '   ------------------------------------------------------\\n' + '%s' + '   ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^\\n', componentName, table);\n      }\n    }\n  }\n}\n\nfunction throwInvalidHookError() {\n  throw new Error('Invalid hook call. Hooks can only be called inside of the body of a function component. This could happen for' + ' one of the following reasons:\\n' + '1. You might have mismatching versions of React and the renderer (such as React DOM)\\n' + '2. You might be breaking the Rules of Hooks\\n' + '3. You might have more than one copy of React in the same app\\n' + 'See https://reactjs.org/link/invalid-hook-call for tips about how to debug and fix this problem.');\n}\n\nfunction areHookInputsEqual(nextDeps, prevDeps) {\n  {\n    if (ignorePreviousDependencies) {\n      // Only true when this component is being hot reloaded.\n      return false;\n    }\n  }\n\n  if (prevDeps === null) {\n    {\n      error('%s received a final argument during this render, but not during ' + 'the previous render. Even though the final argument is optional, ' + 'its type cannot change between renders.', currentHookNameInDev);\n    }\n\n    return false;\n  }\n\n  {\n    // Don't bother comparing lengths in prod because these arrays should be\n    // passed inline.\n    if (nextDeps.length !== prevDeps.length) {\n      error('The final argument passed to %s changed size between renders. The ' + 'order and size of this array must remain constant.\\n\\n' + 'Previous: %s\\n' + 'Incoming: %s', currentHookNameInDev, \"[\" + prevDeps.join(', ') + \"]\", \"[\" + nextDeps.join(', ') + \"]\");\n    }\n  }\n\n  for (var i = 0; i < prevDeps.length && i < nextDeps.length; i++) {\n    if (objectIs(nextDeps[i], prevDeps[i])) {\n      continue;\n    }\n\n    return false;\n  }\n\n  return true;\n}\n\nfunction renderWithHooks(current, workInProgress, Component, props, secondArg, nextRenderLanes) {\n  renderLanes = nextRenderLanes;\n  currentlyRenderingFiber$1 = workInProgress;\n\n  {\n    hookTypesDev = current !== null ? current._debugHookTypes : null;\n    hookTypesUpdateIndexDev = -1; // Used for hot reloading:\n\n    ignorePreviousDependencies = current !== null && current.type !== workInProgress.type;\n  }\n\n  workInProgress.memoizedState = null;\n  workInProgress.updateQueue = null;\n  workInProgress.lanes = NoLanes; // The following should have already been reset\n  // currentHook = null;\n  // workInProgressHook = null;\n  // didScheduleRenderPhaseUpdate = false;\n  // localIdCounter = 0;\n  // TODO Warn if no hooks are used at all during mount, then some are used during update.\n  // Currently we will identify the update render as a mount because memoizedState === null.\n  // This is tricky because it's valid for certain types of components (e.g. React.lazy)\n  // Using memoizedState to differentiate between mount/update only works if at least one stateful hook is used.\n  // Non-stateful hooks (e.g. context) don't get added to memoizedState,\n  // so memoizedState would be null during updates and mounts.\n\n  {\n    if (current !== null && current.memoizedState !== null) {\n      ReactCurrentDispatcher$1.current = HooksDispatcherOnUpdateInDEV;\n    } else if (hookTypesDev !== null) {\n      // This dispatcher handles an edge case where a component is updating,\n      // but no stateful hooks have been used.\n      // We want to match the production code behavior (which will use HooksDispatcherOnMount),\n      // but with the extra DEV validation to ensure hooks ordering hasn't changed.\n      // This dispatcher does that.\n      ReactCurrentDispatcher$1.current = HooksDispatcherOnMountWithHookTypesInDEV;\n    } else {\n      ReactCurrentDispatcher$1.current = HooksDispatcherOnMountInDEV;\n    }\n  }\n\n  var children = Component(props, secondArg); // Check if there was a render phase update\n\n  if (didScheduleRenderPhaseUpdateDuringThisPass) {\n    // Keep rendering in a loop for as long as render phase updates continue to\n    // be scheduled. Use a counter to prevent infinite loops.\n    var numberOfReRenders = 0;\n\n    do {\n      didScheduleRenderPhaseUpdateDuringThisPass = false;\n      localIdCounter = 0;\n\n      if (numberOfReRenders >= RE_RENDER_LIMIT) {\n        throw new Error('Too many re-renders. React limits the number of renders to prevent ' + 'an infinite loop.');\n      }\n\n      numberOfReRenders += 1;\n\n      {\n        // Even when hot reloading, allow dependencies to stabilize\n        // after first render to prevent infinite render phase updates.\n        ignorePreviousDependencies = false;\n      } // Start over from the beginning of the list\n\n\n      currentHook = null;\n      workInProgressHook = null;\n      workInProgress.updateQueue = null;\n\n      {\n        // Also validate hook order for cascading updates.\n        hookTypesUpdateIndexDev = -1;\n      }\n\n      ReactCurrentDispatcher$1.current =  HooksDispatcherOnRerenderInDEV ;\n      children = Component(props, secondArg);\n    } while (didScheduleRenderPhaseUpdateDuringThisPass);\n  } // We can assume the previous dispatcher is always this one, since we set it\n  // at the beginning of the render phase and there's no re-entrance.\n\n\n  ReactCurrentDispatcher$1.current = ContextOnlyDispatcher;\n\n  {\n    workInProgress._debugHookTypes = hookTypesDev;\n  } // This check uses currentHook so that it works the same in DEV and prod bundles.\n  // hookTypesDev could catch more cases (e.g. context) but only in DEV bundles.\n\n\n  var didRenderTooFewHooks = currentHook !== null && currentHook.next !== null;\n  renderLanes = NoLanes;\n  currentlyRenderingFiber$1 = null;\n  currentHook = null;\n  workInProgressHook = null;\n\n  {\n    currentHookNameInDev = null;\n    hookTypesDev = null;\n    hookTypesUpdateIndexDev = -1; // Confirm that a static flag was not added or removed since the last\n    // render. If this fires, it suggests that we incorrectly reset the static\n    // flags in some other part of the codebase. This has happened before, for\n    // example, in the SuspenseList implementation.\n\n    if (current !== null && (current.flags & StaticMask) !== (workInProgress.flags & StaticMask) && // Disable this warning in legacy mode, because legacy Suspense is weird\n    // and creates false positives. To make this work in legacy mode, we'd\n    // need to mark fibers that commit in an incomplete state, somehow. For\n    // now I'll disable the warning that most of the bugs that would trigger\n    // it are either exclusive to concurrent mode or exist in both.\n    (current.mode & ConcurrentMode) !== NoMode) {\n      error('Internal React error: Expected static flag was missing. Please ' + 'notify the React team.');\n    }\n  }\n\n  didScheduleRenderPhaseUpdate = false; // This is reset by checkDidRenderIdHook\n  // localIdCounter = 0;\n\n  if (didRenderTooFewHooks) {\n    throw new Error('Rendered fewer hooks than expected. This may be caused by an accidental ' + 'early return statement.');\n  }\n\n  return children;\n}\nfunction checkDidRenderIdHook() {\n  // This should be called immediately after every renderWithHooks call.\n  // Conceptually, it's part of the return value of renderWithHooks; it's only a\n  // separate function to avoid using an array tuple.\n  var didRenderIdHook = localIdCounter !== 0;\n  localIdCounter = 0;\n  return didRenderIdHook;\n}\nfunction bailoutHooks(current, workInProgress, lanes) {\n  workInProgress.updateQueue = current.updateQueue; // TODO: Don't need to reset the flags here, because they're reset in the\n  // complete phase (bubbleProperties).\n\n  if ( (workInProgress.mode & StrictEffectsMode) !== NoMode) {\n    workInProgress.flags &= ~(MountPassiveDev | MountLayoutDev | Passive | Update);\n  } else {\n    workInProgress.flags &= ~(Passive | Update);\n  }\n\n  current.lanes = removeLanes(current.lanes, lanes);\n}\nfunction resetHooksAfterThrow() {\n  // We can assume the previous dispatcher is always this one, since we set it\n  // at the beginning of the render phase and there's no re-entrance.\n  ReactCurrentDispatcher$1.current = ContextOnlyDispatcher;\n\n  if (didScheduleRenderPhaseUpdate) {\n    // There were render phase updates. These are only valid for this render\n    // phase, which we are now aborting. Remove the updates from the queues so\n    // they do not persist to the next render. Do not remove updates from hooks\n    // that weren't processed.\n    //\n    // Only reset the updates from the queue if it has a clone. If it does\n    // not have a clone, that means it wasn't processed, and the updates were\n    // scheduled before we entered the render phase.\n    var hook = currentlyRenderingFiber$1.memoizedState;\n\n    while (hook !== null) {\n      var queue = hook.queue;\n\n      if (queue !== null) {\n        queue.pending = null;\n      }\n\n      hook = hook.next;\n    }\n\n    didScheduleRenderPhaseUpdate = false;\n  }\n\n  renderLanes = NoLanes;\n  currentlyRenderingFiber$1 = null;\n  currentHook = null;\n  workInProgressHook = null;\n\n  {\n    hookTypesDev = null;\n    hookTypesUpdateIndexDev = -1;\n    currentHookNameInDev = null;\n    isUpdatingOpaqueValueInRenderPhase = false;\n  }\n\n  didScheduleRenderPhaseUpdateDuringThisPass = false;\n  localIdCounter = 0;\n}\n\nfunction mountWorkInProgressHook() {\n  var hook = {\n    memoizedState: null,\n    baseState: null,\n    baseQueue: null,\n    queue: null,\n    next: null\n  };\n\n  if (workInProgressHook === null) {\n    // This is the first hook in the list\n    currentlyRenderingFiber$1.memoizedState = workInProgressHook = hook;\n  } else {\n    // Append to the end of the list\n    workInProgressHook = workInProgressHook.next = hook;\n  }\n\n  return workInProgressHook;\n}\n\nfunction updateWorkInProgressHook() {\n  // This function is used both for updates and for re-renders triggered by a\n  // render phase update. It assumes there is either a current hook we can\n  // clone, or a work-in-progress hook from a previous render pass that we can\n  // use as a base. When we reach the end of the base list, we must switch to\n  // the dispatcher used for mounts.\n  var nextCurrentHook;\n\n  if (currentHook === null) {\n    var current = currentlyRenderingFiber$1.alternate;\n\n    if (current !== null) {\n      nextCurrentHook = current.memoizedState;\n    } else {\n      nextCurrentHook = null;\n    }\n  } else {\n    nextCurrentHook = currentHook.next;\n  }\n\n  var nextWorkInProgressHook;\n\n  if (workInProgressHook === null) {\n    nextWorkInProgressHook = currentlyRenderingFiber$1.memoizedState;\n  } else {\n    nextWorkInProgressHook = workInProgressHook.next;\n  }\n\n  if (nextWorkInProgressHook !== null) {\n    // There's already a work-in-progress. Reuse it.\n    workInProgressHook = nextWorkInProgressHook;\n    nextWorkInProgressHook = workInProgressHook.next;\n    currentHook = nextCurrentHook;\n  } else {\n    // Clone from the current hook.\n    if (nextCurrentHook === null) {\n      throw new Error('Rendered more hooks than during the previous render.');\n    }\n\n    currentHook = nextCurrentHook;\n    var newHook = {\n      memoizedState: currentHook.memoizedState,\n      baseState: currentHook.baseState,\n      baseQueue: currentHook.baseQueue,\n      queue: currentHook.queue,\n      next: null\n    };\n\n    if (workInProgressHook === null) {\n      // This is the first hook in the list.\n      currentlyRenderingFiber$1.memoizedState = workInProgressHook = newHook;\n    } else {\n      // Append to the end of the list.\n      workInProgressHook = workInProgressHook.next = newHook;\n    }\n  }\n\n  return workInProgressHook;\n}\n\nfunction createFunctionComponentUpdateQueue() {\n  return {\n    lastEffect: null,\n    stores: null\n  };\n}\n\nfunction basicStateReducer(state, action) {\n  // $FlowFixMe: Flow doesn't like mixed types\n  return typeof action === 'function' ? action(state) : action;\n}\n\nfunction mountReducer(reducer, initialArg, init) {\n  var hook = mountWorkInProgressHook();\n  var initialState;\n\n  if (init !== undefined) {\n    initialState = init(initialArg);\n  } else {\n    initialState = initialArg;\n  }\n\n  hook.memoizedState = hook.baseState = initialState;\n  var queue = {\n    pending: null,\n    interleaved: null,\n    lanes: NoLanes,\n    dispatch: null,\n    lastRenderedReducer: reducer,\n    lastRenderedState: initialState\n  };\n  hook.queue = queue;\n  var dispatch = queue.dispatch = dispatchReducerAction.bind(null, currentlyRenderingFiber$1, queue);\n  return [hook.memoizedState, dispatch];\n}\n\nfunction updateReducer(reducer, initialArg, init) {\n  var hook = updateWorkInProgressHook();\n  var queue = hook.queue;\n\n  if (queue === null) {\n    throw new Error('Should have a queue. This is likely a bug in React. Please file an issue.');\n  }\n\n  queue.lastRenderedReducer = reducer;\n  var current = currentHook; // The last rebase update that is NOT part of the base state.\n\n  var baseQueue = current.baseQueue; // The last pending update that hasn't been processed yet.\n\n  var pendingQueue = queue.pending;\n\n  if (pendingQueue !== null) {\n    // We have new updates that haven't been processed yet.\n    // We'll add them to the base queue.\n    if (baseQueue !== null) {\n      // Merge the pending queue and the base queue.\n      var baseFirst = baseQueue.next;\n      var pendingFirst = pendingQueue.next;\n      baseQueue.next = pendingFirst;\n      pendingQueue.next = baseFirst;\n    }\n\n    {\n      if (current.baseQueue !== baseQueue) {\n        // Internal invariant that should never happen, but feasibly could in\n        // the future if we implement resuming, or some form of that.\n        error('Internal error: Expected work-in-progress queue to be a clone. ' + 'This is a bug in React.');\n      }\n    }\n\n    current.baseQueue = baseQueue = pendingQueue;\n    queue.pending = null;\n  }\n\n  if (baseQueue !== null) {\n    // We have a queue to process.\n    var first = baseQueue.next;\n    var newState = current.baseState;\n    var newBaseState = null;\n    var newBaseQueueFirst = null;\n    var newBaseQueueLast = null;\n    var update = first;\n\n    do {\n      var updateLane = update.lane;\n\n      if (!isSubsetOfLanes(renderLanes, updateLane)) {\n        // Priority is insufficient. Skip this update. If this is the first\n        // skipped update, the previous update/state is the new base\n        // update/state.\n        var clone = {\n          lane: updateLane,\n          action: update.action,\n          hasEagerState: update.hasEagerState,\n          eagerState: update.eagerState,\n          next: null\n        };\n\n        if (newBaseQueueLast === null) {\n          newBaseQueueFirst = newBaseQueueLast = clone;\n          newBaseState = newState;\n        } else {\n          newBaseQueueLast = newBaseQueueLast.next = clone;\n        } // Update the remaining priority in the queue.\n        // TODO: Don't need to accumulate this. Instead, we can remove\n        // renderLanes from the original lanes.\n\n\n        currentlyRenderingFiber$1.lanes = mergeLanes(currentlyRenderingFiber$1.lanes, updateLane);\n        markSkippedUpdateLanes(updateLane);\n      } else {\n        // This update does have sufficient priority.\n        if (newBaseQueueLast !== null) {\n          var _clone = {\n            // This update is going to be committed so we never want uncommit\n            // it. Using NoLane works because 0 is a subset of all bitmasks, so\n            // this will never be skipped by the check above.\n            lane: NoLane,\n            action: update.action,\n            hasEagerState: update.hasEagerState,\n            eagerState: update.eagerState,\n            next: null\n          };\n          newBaseQueueLast = newBaseQueueLast.next = _clone;\n        } // Process this update.\n\n\n        if (update.hasEagerState) {\n          // If this update is a state update (not a reducer) and was processed eagerly,\n          // we can use the eagerly computed state\n          newState = update.eagerState;\n        } else {\n          var action = update.action;\n          newState = reducer(newState, action);\n        }\n      }\n\n      update = update.next;\n    } while (update !== null && update !== first);\n\n    if (newBaseQueueLast === null) {\n      newBaseState = newState;\n    } else {\n      newBaseQueueLast.next = newBaseQueueFirst;\n    } // Mark that the fiber performed work, but only if the new state is\n    // different from the current state.\n\n\n    if (!objectIs(newState, hook.memoizedState)) {\n      markWorkInProgressReceivedUpdate();\n    }\n\n    hook.memoizedState = newState;\n    hook.baseState = newBaseState;\n    hook.baseQueue = newBaseQueueLast;\n    queue.lastRenderedState = newState;\n  } // Interleaved updates are stored on a separate queue. We aren't going to\n  // process them during this render, but we do need to track which lanes\n  // are remaining.\n\n\n  var lastInterleaved = queue.interleaved;\n\n  if (lastInterleaved !== null) {\n    var interleaved = lastInterleaved;\n\n    do {\n      var interleavedLane = interleaved.lane;\n      currentlyRenderingFiber$1.lanes = mergeLanes(currentlyRenderingFiber$1.lanes, interleavedLane);\n      markSkippedUpdateLanes(interleavedLane);\n      interleaved = interleaved.next;\n    } while (interleaved !== lastInterleaved);\n  } else if (baseQueue === null) {\n    // `queue.lanes` is used for entangling transitions. We can set it back to\n    // zero once the queue is empty.\n    queue.lanes = NoLanes;\n  }\n\n  var dispatch = queue.dispatch;\n  return [hook.memoizedState, dispatch];\n}\n\nfunction rerenderReducer(reducer, initialArg, init) {\n  var hook = updateWorkInProgressHook();\n  var queue = hook.queue;\n\n  if (queue === null) {\n    throw new Error('Should have a queue. This is likely a bug in React. Please file an issue.');\n  }\n\n  queue.lastRenderedReducer = reducer; // This is a re-render. Apply the new render phase updates to the previous\n  // work-in-progress hook.\n\n  var dispatch = queue.dispatch;\n  var lastRenderPhaseUpdate = queue.pending;\n  var newState = hook.memoizedState;\n\n  if (lastRenderPhaseUpdate !== null) {\n    // The queue doesn't persist past this render pass.\n    queue.pending = null;\n    var firstRenderPhaseUpdate = lastRenderPhaseUpdate.next;\n    var update = firstRenderPhaseUpdate;\n\n    do {\n      // Process this render phase update. We don't have to check the\n      // priority because it will always be the same as the current\n      // render's.\n      var action = update.action;\n      newState = reducer(newState, action);\n      update = update.next;\n    } while (update !== firstRenderPhaseUpdate); // Mark that the fiber performed work, but only if the new state is\n    // different from the current state.\n\n\n    if (!objectIs(newState, hook.memoizedState)) {\n      markWorkInProgressReceivedUpdate();\n    }\n\n    hook.memoizedState = newState; // Don't persist the state accumulated from the render phase updates to\n    // the base state unless the queue is empty.\n    // TODO: Not sure if this is the desired semantics, but it's what we\n    // do for gDSFP. I can't remember why.\n\n    if (hook.baseQueue === null) {\n      hook.baseState = newState;\n    }\n\n    queue.lastRenderedState = newState;\n  }\n\n  return [newState, dispatch];\n}\n\nfunction mountMutableSource(source, getSnapshot, subscribe) {\n  {\n    return undefined;\n  }\n}\n\nfunction updateMutableSource(source, getSnapshot, subscribe) {\n  {\n    return undefined;\n  }\n}\n\nfunction mountSyncExternalStore(subscribe, getSnapshot, getServerSnapshot) {\n  var fiber = currentlyRenderingFiber$1;\n  var hook = mountWorkInProgressHook();\n  var nextSnapshot;\n  var isHydrating = getIsHydrating();\n\n  if (isHydrating) {\n    if (getServerSnapshot === undefined) {\n      throw new Error('Missing getServerSnapshot, which is required for ' + 'server-rendered content. Will revert to client rendering.');\n    }\n\n    nextSnapshot = getServerSnapshot();\n\n    {\n      if (!didWarnUncachedGetSnapshot) {\n        if (nextSnapshot !== getServerSnapshot()) {\n          error('The result of getServerSnapshot should be cached to avoid an infinite loop');\n\n          didWarnUncachedGetSnapshot = true;\n        }\n      }\n    }\n  } else {\n    nextSnapshot = getSnapshot();\n\n    {\n      if (!didWarnUncachedGetSnapshot) {\n        var cachedSnapshot = getSnapshot();\n\n        if (!objectIs(nextSnapshot, cachedSnapshot)) {\n          error('The result of getSnapshot should be cached to avoid an infinite loop');\n\n          didWarnUncachedGetSnapshot = true;\n        }\n      }\n    } // Unless we're rendering a blocking lane, schedule a consistency check.\n    // Right before committing, we will walk the tree and check if any of the\n    // stores were mutated.\n    //\n    // We won't do this if we're hydrating server-rendered content, because if\n    // the content is stale, it's already visible anyway. Instead we'll patch\n    // it up in a passive effect.\n\n\n    var root = getWorkInProgressRoot();\n\n    if (root === null) {\n      throw new Error('Expected a work-in-progress root. This is a bug in React. Please file an issue.');\n    }\n\n    if (!includesBlockingLane(root, renderLanes)) {\n      pushStoreConsistencyCheck(fiber, getSnapshot, nextSnapshot);\n    }\n  } // Read the current snapshot from the store on every render. This breaks the\n  // normal rules of React, and only works because store updates are\n  // always synchronous.\n\n\n  hook.memoizedState = nextSnapshot;\n  var inst = {\n    value: nextSnapshot,\n    getSnapshot: getSnapshot\n  };\n  hook.queue = inst; // Schedule an effect to subscribe to the store.\n\n  mountEffect(subscribeToStore.bind(null, fiber, inst, subscribe), [subscribe]); // Schedule an effect to update the mutable instance fields. We will update\n  // this whenever subscribe, getSnapshot, or value changes. Because there's no\n  // clean-up function, and we track the deps correctly, we can call pushEffect\n  // directly, without storing any additional state. For the same reason, we\n  // don't need to set a static flag, either.\n  // TODO: We can move this to the passive phase once we add a pre-commit\n  // consistency check. See the next comment.\n\n  fiber.flags |= Passive;\n  pushEffect(HasEffect | Passive$1, updateStoreInstance.bind(null, fiber, inst, nextSnapshot, getSnapshot), undefined, null);\n  return nextSnapshot;\n}\n\nfunction updateSyncExternalStore(subscribe, getSnapshot, getServerSnapshot) {\n  var fiber = currentlyRenderingFiber$1;\n  var hook = updateWorkInProgressHook(); // Read the current snapshot from the store on every render. This breaks the\n  // normal rules of React, and only works because store updates are\n  // always synchronous.\n\n  var nextSnapshot = getSnapshot();\n\n  {\n    if (!didWarnUncachedGetSnapshot) {\n      var cachedSnapshot = getSnapshot();\n\n      if (!objectIs(nextSnapshot, cachedSnapshot)) {\n        error('The result of getSnapshot should be cached to avoid an infinite loop');\n\n        didWarnUncachedGetSnapshot = true;\n      }\n    }\n  }\n\n  var prevSnapshot = hook.memoizedState;\n  var snapshotChanged = !objectIs(prevSnapshot, nextSnapshot);\n\n  if (snapshotChanged) {\n    hook.memoizedState = nextSnapshot;\n    markWorkInProgressReceivedUpdate();\n  }\n\n  var inst = hook.queue;\n  updateEffect(subscribeToStore.bind(null, fiber, inst, subscribe), [subscribe]); // Whenever getSnapshot or subscribe changes, we need to check in the\n  // commit phase if there was an interleaved mutation. In concurrent mode\n  // this can happen all the time, but even in synchronous mode, an earlier\n  // effect may have mutated the store.\n\n  if (inst.getSnapshot !== getSnapshot || snapshotChanged || // Check if the susbcribe function changed. We can save some memory by\n  // checking whether we scheduled a subscription effect above.\n  workInProgressHook !== null && workInProgressHook.memoizedState.tag & HasEffect) {\n    fiber.flags |= Passive;\n    pushEffect(HasEffect | Passive$1, updateStoreInstance.bind(null, fiber, inst, nextSnapshot, getSnapshot), undefined, null); // Unless we're rendering a blocking lane, schedule a consistency check.\n    // Right before committing, we will walk the tree and check if any of the\n    // stores were mutated.\n\n    var root = getWorkInProgressRoot();\n\n    if (root === null) {\n      throw new Error('Expected a work-in-progress root. This is a bug in React. Please file an issue.');\n    }\n\n    if (!includesBlockingLane(root, renderLanes)) {\n      pushStoreConsistencyCheck(fiber, getSnapshot, nextSnapshot);\n    }\n  }\n\n  return nextSnapshot;\n}\n\nfunction pushStoreConsistencyCheck(fiber, getSnapshot, renderedSnapshot) {\n  fiber.flags |= StoreConsistency;\n  var check = {\n    getSnapshot: getSnapshot,\n    value: renderedSnapshot\n  };\n  var componentUpdateQueue = currentlyRenderingFiber$1.updateQueue;\n\n  if (componentUpdateQueue === null) {\n    componentUpdateQueue = createFunctionComponentUpdateQueue();\n    currentlyRenderingFiber$1.updateQueue = componentUpdateQueue;\n    componentUpdateQueue.stores = [check];\n  } else {\n    var stores = componentUpdateQueue.stores;\n\n    if (stores === null) {\n      componentUpdateQueue.stores = [check];\n    } else {\n      stores.push(check);\n    }\n  }\n}\n\nfunction updateStoreInstance(fiber, inst, nextSnapshot, getSnapshot) {\n  // These are updated in the passive phase\n  inst.value = nextSnapshot;\n  inst.getSnapshot = getSnapshot; // Something may have been mutated in between render and commit. This could\n  // have been in an event that fired before the passive effects, or it could\n  // have been in a layout effect. In that case, we would have used the old\n  // snapsho and getSnapshot values to bail out. We need to check one more time.\n\n  if (checkIfSnapshotChanged(inst)) {\n    // Force a re-render.\n    forceStoreRerender(fiber);\n  }\n}\n\nfunction subscribeToStore(fiber, inst, subscribe) {\n  var handleStoreChange = function () {\n    // The store changed. Check if the snapshot changed since the last time we\n    // read from the store.\n    if (checkIfSnapshotChanged(inst)) {\n      // Force a re-render.\n      forceStoreRerender(fiber);\n    }\n  }; // Subscribe to the store and return a clean-up function.\n\n\n  return subscribe(handleStoreChange);\n}\n\nfunction checkIfSnapshotChanged(inst) {\n  var latestGetSnapshot = inst.getSnapshot;\n  var prevValue = inst.value;\n\n  try {\n    var nextValue = latestGetSnapshot();\n    return !objectIs(prevValue, nextValue);\n  } catch (error) {\n    return true;\n  }\n}\n\nfunction forceStoreRerender(fiber) {\n  var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n  if (root !== null) {\n    scheduleUpdateOnFiber(root, fiber, SyncLane, NoTimestamp);\n  }\n}\n\nfunction mountState(initialState) {\n  var hook = mountWorkInProgressHook();\n\n  if (typeof initialState === 'function') {\n    // $FlowFixMe: Flow doesn't like mixed types\n    initialState = initialState();\n  }\n\n  hook.memoizedState = hook.baseState = initialState;\n  var queue = {\n    pending: null,\n    interleaved: null,\n    lanes: NoLanes,\n    dispatch: null,\n    lastRenderedReducer: basicStateReducer,\n    lastRenderedState: initialState\n  };\n  hook.queue = queue;\n  var dispatch = queue.dispatch = dispatchSetState.bind(null, currentlyRenderingFiber$1, queue);\n  return [hook.memoizedState, dispatch];\n}\n\nfunction updateState(initialState) {\n  return updateReducer(basicStateReducer);\n}\n\nfunction rerenderState(initialState) {\n  return rerenderReducer(basicStateReducer);\n}\n\nfunction pushEffect(tag, create, destroy, deps) {\n  var effect = {\n    tag: tag,\n    create: create,\n    destroy: destroy,\n    deps: deps,\n    // Circular\n    next: null\n  };\n  var componentUpdateQueue = currentlyRenderingFiber$1.updateQueue;\n\n  if (componentUpdateQueue === null) {\n    componentUpdateQueue = createFunctionComponentUpdateQueue();\n    currentlyRenderingFiber$1.updateQueue = componentUpdateQueue;\n    componentUpdateQueue.lastEffect = effect.next = effect;\n  } else {\n    var lastEffect = componentUpdateQueue.lastEffect;\n\n    if (lastEffect === null) {\n      componentUpdateQueue.lastEffect = effect.next = effect;\n    } else {\n      var firstEffect = lastEffect.next;\n      lastEffect.next = effect;\n      effect.next = firstEffect;\n      componentUpdateQueue.lastEffect = effect;\n    }\n  }\n\n  return effect;\n}\n\nfunction mountRef(initialValue) {\n  var hook = mountWorkInProgressHook();\n\n  {\n    var _ref2 = {\n      current: initialValue\n    };\n    hook.memoizedState = _ref2;\n    return _ref2;\n  }\n}\n\nfunction updateRef(initialValue) {\n  var hook = updateWorkInProgressHook();\n  return hook.memoizedState;\n}\n\nfunction mountEffectImpl(fiberFlags, hookFlags, create, deps) {\n  var hook = mountWorkInProgressHook();\n  var nextDeps = deps === undefined ? null : deps;\n  currentlyRenderingFiber$1.flags |= fiberFlags;\n  hook.memoizedState = pushEffect(HasEffect | hookFlags, create, undefined, nextDeps);\n}\n\nfunction updateEffectImpl(fiberFlags, hookFlags, create, deps) {\n  var hook = updateWorkInProgressHook();\n  var nextDeps = deps === undefined ? null : deps;\n  var destroy = undefined;\n\n  if (currentHook !== null) {\n    var prevEffect = currentHook.memoizedState;\n    destroy = prevEffect.destroy;\n\n    if (nextDeps !== null) {\n      var prevDeps = prevEffect.deps;\n\n      if (areHookInputsEqual(nextDeps, prevDeps)) {\n        hook.memoizedState = pushEffect(hookFlags, create, destroy, nextDeps);\n        return;\n      }\n    }\n  }\n\n  currentlyRenderingFiber$1.flags |= fiberFlags;\n  hook.memoizedState = pushEffect(HasEffect | hookFlags, create, destroy, nextDeps);\n}\n\nfunction mountEffect(create, deps) {\n  if ( (currentlyRenderingFiber$1.mode & StrictEffectsMode) !== NoMode) {\n    return mountEffectImpl(MountPassiveDev | Passive | PassiveStatic, Passive$1, create, deps);\n  } else {\n    return mountEffectImpl(Passive | PassiveStatic, Passive$1, create, deps);\n  }\n}\n\nfunction updateEffect(create, deps) {\n  return updateEffectImpl(Passive, Passive$1, create, deps);\n}\n\nfunction mountInsertionEffect(create, deps) {\n  return mountEffectImpl(Update, Insertion, create, deps);\n}\n\nfunction updateInsertionEffect(create, deps) {\n  return updateEffectImpl(Update, Insertion, create, deps);\n}\n\nfunction mountLayoutEffect(create, deps) {\n  var fiberFlags = Update;\n\n  {\n    fiberFlags |= LayoutStatic;\n  }\n\n  if ( (currentlyRenderingFiber$1.mode & StrictEffectsMode) !== NoMode) {\n    fiberFlags |= MountLayoutDev;\n  }\n\n  return mountEffectImpl(fiberFlags, Layout, create, deps);\n}\n\nfunction updateLayoutEffect(create, deps) {\n  return updateEffectImpl(Update, Layout, create, deps);\n}\n\nfunction imperativeHandleEffect(create, ref) {\n  if (typeof ref === 'function') {\n    var refCallback = ref;\n\n    var _inst = create();\n\n    refCallback(_inst);\n    return function () {\n      refCallback(null);\n    };\n  } else if (ref !== null && ref !== undefined) {\n    var refObject = ref;\n\n    {\n      if (!refObject.hasOwnProperty('current')) {\n        error('Expected useImperativeHandle() first argument to either be a ' + 'ref callback or React.createRef() object. Instead received: %s.', 'an object with keys {' + Object.keys(refObject).join(', ') + '}');\n      }\n    }\n\n    var _inst2 = create();\n\n    refObject.current = _inst2;\n    return function () {\n      refObject.current = null;\n    };\n  }\n}\n\nfunction mountImperativeHandle(ref, create, deps) {\n  {\n    if (typeof create !== 'function') {\n      error('Expected useImperativeHandle() second argument to be a function ' + 'that creates a handle. Instead received: %s.', create !== null ? typeof create : 'null');\n    }\n  } // TODO: If deps are provided, should we skip comparing the ref itself?\n\n\n  var effectDeps = deps !== null && deps !== undefined ? deps.concat([ref]) : null;\n  var fiberFlags = Update;\n\n  {\n    fiberFlags |= LayoutStatic;\n  }\n\n  if ( (currentlyRenderingFiber$1.mode & StrictEffectsMode) !== NoMode) {\n    fiberFlags |= MountLayoutDev;\n  }\n\n  return mountEffectImpl(fiberFlags, Layout, imperativeHandleEffect.bind(null, create, ref), effectDeps);\n}\n\nfunction updateImperativeHandle(ref, create, deps) {\n  {\n    if (typeof create !== 'function') {\n      error('Expected useImperativeHandle() second argument to be a function ' + 'that creates a handle. Instead received: %s.', create !== null ? typeof create : 'null');\n    }\n  } // TODO: If deps are provided, should we skip comparing the ref itself?\n\n\n  var effectDeps = deps !== null && deps !== undefined ? deps.concat([ref]) : null;\n  return updateEffectImpl(Update, Layout, imperativeHandleEffect.bind(null, create, ref), effectDeps);\n}\n\nfunction mountDebugValue(value, formatterFn) {// This hook is normally a no-op.\n  // The react-debug-hooks package injects its own implementation\n  // so that e.g. DevTools can display custom hook values.\n}\n\nvar updateDebugValue = mountDebugValue;\n\nfunction mountCallback(callback, deps) {\n  var hook = mountWorkInProgressHook();\n  var nextDeps = deps === undefined ? null : deps;\n  hook.memoizedState = [callback, nextDeps];\n  return callback;\n}\n\nfunction updateCallback(callback, deps) {\n  var hook = updateWorkInProgressHook();\n  var nextDeps = deps === undefined ? null : deps;\n  var prevState = hook.memoizedState;\n\n  if (prevState !== null) {\n    if (nextDeps !== null) {\n      var prevDeps = prevState[1];\n\n      if (areHookInputsEqual(nextDeps, prevDeps)) {\n        return prevState[0];\n      }\n    }\n  }\n\n  hook.memoizedState = [callback, nextDeps];\n  return callback;\n}\n\nfunction mountMemo(nextCreate, deps) {\n  var hook = mountWorkInProgressHook();\n  var nextDeps = deps === undefined ? null : deps;\n  var nextValue = nextCreate();\n  hook.memoizedState = [nextValue, nextDeps];\n  return nextValue;\n}\n\nfunction updateMemo(nextCreate, deps) {\n  var hook = updateWorkInProgressHook();\n  var nextDeps = deps === undefined ? null : deps;\n  var prevState = hook.memoizedState;\n\n  if (prevState !== null) {\n    // Assume these are defined. If they're not, areHookInputsEqual will warn.\n    if (nextDeps !== null) {\n      var prevDeps = prevState[1];\n\n      if (areHookInputsEqual(nextDeps, prevDeps)) {\n        return prevState[0];\n      }\n    }\n  }\n\n  var nextValue = nextCreate();\n  hook.memoizedState = [nextValue, nextDeps];\n  return nextValue;\n}\n\nfunction mountDeferredValue(value) {\n  var hook = mountWorkInProgressHook();\n  hook.memoizedState = value;\n  return value;\n}\n\nfunction updateDeferredValue(value) {\n  var hook = updateWorkInProgressHook();\n  var resolvedCurrentHook = currentHook;\n  var prevValue = resolvedCurrentHook.memoizedState;\n  return updateDeferredValueImpl(hook, prevValue, value);\n}\n\nfunction rerenderDeferredValue(value) {\n  var hook = updateWorkInProgressHook();\n\n  if (currentHook === null) {\n    // This is a rerender during a mount.\n    hook.memoizedState = value;\n    return value;\n  } else {\n    // This is a rerender during an update.\n    var prevValue = currentHook.memoizedState;\n    return updateDeferredValueImpl(hook, prevValue, value);\n  }\n}\n\nfunction updateDeferredValueImpl(hook, prevValue, value) {\n  var shouldDeferValue = !includesOnlyNonUrgentLanes(renderLanes);\n\n  if (shouldDeferValue) {\n    // This is an urgent update. If the value has changed, keep using the\n    // previous value and spawn a deferred render to update it later.\n    if (!objectIs(value, prevValue)) {\n      // Schedule a deferred render\n      var deferredLane = claimNextTransitionLane();\n      currentlyRenderingFiber$1.lanes = mergeLanes(currentlyRenderingFiber$1.lanes, deferredLane);\n      markSkippedUpdateLanes(deferredLane); // Set this to true to indicate that the rendered value is inconsistent\n      // from the latest value. The name \"baseState\" doesn't really match how we\n      // use it because we're reusing a state hook field instead of creating a\n      // new one.\n\n      hook.baseState = true;\n    } // Reuse the previous value\n\n\n    return prevValue;\n  } else {\n    // This is not an urgent update, so we can use the latest value regardless\n    // of what it is. No need to defer it.\n    // However, if we're currently inside a spawned render, then we need to mark\n    // this as an update to prevent the fiber from bailing out.\n    //\n    // `baseState` is true when the current value is different from the rendered\n    // value. The name doesn't really match how we use it because we're reusing\n    // a state hook field instead of creating a new one.\n    if (hook.baseState) {\n      // Flip this back to false.\n      hook.baseState = false;\n      markWorkInProgressReceivedUpdate();\n    }\n\n    hook.memoizedState = value;\n    return value;\n  }\n}\n\nfunction startTransition(setPending, callback, options) {\n  var previousPriority = getCurrentUpdatePriority();\n  setCurrentUpdatePriority(higherEventPriority(previousPriority, ContinuousEventPriority));\n  setPending(true);\n  var prevTransition = ReactCurrentBatchConfig$2.transition;\n  ReactCurrentBatchConfig$2.transition = {};\n  var currentTransition = ReactCurrentBatchConfig$2.transition;\n\n  {\n    ReactCurrentBatchConfig$2.transition._updatedFibers = new Set();\n  }\n\n  try {\n    setPending(false);\n    callback();\n  } finally {\n    setCurrentUpdatePriority(previousPriority);\n    ReactCurrentBatchConfig$2.transition = prevTransition;\n\n    {\n      if (prevTransition === null && currentTransition._updatedFibers) {\n        var updatedFibersCount = currentTransition._updatedFibers.size;\n\n        if (updatedFibersCount > 10) {\n          warn('Detected a large number of updates inside startTransition. ' + 'If this is due to a subscription please re-write it to use React provided hooks. ' + 'Otherwise concurrent mode guarantees are off the table.');\n        }\n\n        currentTransition._updatedFibers.clear();\n      }\n    }\n  }\n}\n\nfunction mountTransition() {\n  var _mountState = mountState(false),\n      isPending = _mountState[0],\n      setPending = _mountState[1]; // The `start` method never changes.\n\n\n  var start = startTransition.bind(null, setPending);\n  var hook = mountWorkInProgressHook();\n  hook.memoizedState = start;\n  return [isPending, start];\n}\n\nfunction updateTransition() {\n  var _updateState = updateState(),\n      isPending = _updateState[0];\n\n  var hook = updateWorkInProgressHook();\n  var start = hook.memoizedState;\n  return [isPending, start];\n}\n\nfunction rerenderTransition() {\n  var _rerenderState = rerenderState(),\n      isPending = _rerenderState[0];\n\n  var hook = updateWorkInProgressHook();\n  var start = hook.memoizedState;\n  return [isPending, start];\n}\n\nvar isUpdatingOpaqueValueInRenderPhase = false;\nfunction getIsUpdatingOpaqueValueInRenderPhaseInDEV() {\n  {\n    return isUpdatingOpaqueValueInRenderPhase;\n  }\n}\n\nfunction mountId() {\n  var hook = mountWorkInProgressHook();\n  var root = getWorkInProgressRoot(); // TODO: In Fizz, id generation is specific to each server config. Maybe we\n  // should do this in Fiber, too? Deferring this decision for now because\n  // there's no other place to store the prefix except for an internal field on\n  // the public createRoot object, which the fiber tree does not currently have\n  // a reference to.\n\n  var identifierPrefix = root.identifierPrefix;\n  var id;\n\n  if (getIsHydrating()) {\n    var treeId = getTreeId(); // Use a captial R prefix for server-generated ids.\n\n    id = ':' + identifierPrefix + 'R' + treeId; // Unless this is the first id at this level, append a number at the end\n    // that represents the position of this useId hook among all the useId\n    // hooks for this fiber.\n\n    var localId = localIdCounter++;\n\n    if (localId > 0) {\n      id += 'H' + localId.toString(32);\n    }\n\n    id += ':';\n  } else {\n    // Use a lowercase r prefix for client-generated ids.\n    var globalClientId = globalClientIdCounter++;\n    id = ':' + identifierPrefix + 'r' + globalClientId.toString(32) + ':';\n  }\n\n  hook.memoizedState = id;\n  return id;\n}\n\nfunction updateId() {\n  var hook = updateWorkInProgressHook();\n  var id = hook.memoizedState;\n  return id;\n}\n\nfunction dispatchReducerAction(fiber, queue, action) {\n  {\n    if (typeof arguments[3] === 'function') {\n      error(\"State updates from the useState() and useReducer() Hooks don't support the \" + 'second callback argument. To execute a side effect after ' + 'rendering, declare it in the component body with useEffect().');\n    }\n  }\n\n  var lane = requestUpdateLane(fiber);\n  var update = {\n    lane: lane,\n    action: action,\n    hasEagerState: false,\n    eagerState: null,\n    next: null\n  };\n\n  if (isRenderPhaseUpdate(fiber)) {\n    enqueueRenderPhaseUpdate(queue, update);\n  } else {\n    var root = enqueueConcurrentHookUpdate(fiber, queue, update, lane);\n\n    if (root !== null) {\n      var eventTime = requestEventTime();\n      scheduleUpdateOnFiber(root, fiber, lane, eventTime);\n      entangleTransitionUpdate(root, queue, lane);\n    }\n  }\n\n  markUpdateInDevTools(fiber, lane);\n}\n\nfunction dispatchSetState(fiber, queue, action) {\n  {\n    if (typeof arguments[3] === 'function') {\n      error(\"State updates from the useState() and useReducer() Hooks don't support the \" + 'second callback argument. To execute a side effect after ' + 'rendering, declare it in the component body with useEffect().');\n    }\n  }\n\n  var lane = requestUpdateLane(fiber);\n  var update = {\n    lane: lane,\n    action: action,\n    hasEagerState: false,\n    eagerState: null,\n    next: null\n  };\n\n  if (isRenderPhaseUpdate(fiber)) {\n    enqueueRenderPhaseUpdate(queue, update);\n  } else {\n    var alternate = fiber.alternate;\n\n    if (fiber.lanes === NoLanes && (alternate === null || alternate.lanes === NoLanes)) {\n      // The queue is currently empty, which means we can eagerly compute the\n      // next state before entering the render phase. If the new state is the\n      // same as the current state, we may be able to bail out entirely.\n      var lastRenderedReducer = queue.lastRenderedReducer;\n\n      if (lastRenderedReducer !== null) {\n        var prevDispatcher;\n\n        {\n          prevDispatcher = ReactCurrentDispatcher$1.current;\n          ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n        }\n\n        try {\n          var currentState = queue.lastRenderedState;\n          var eagerState = lastRenderedReducer(currentState, action); // Stash the eagerly computed state, and the reducer used to compute\n          // it, on the update object. If the reducer hasn't changed by the\n          // time we enter the render phase, then the eager state can be used\n          // without calling the reducer again.\n\n          update.hasEagerState = true;\n          update.eagerState = eagerState;\n\n          if (objectIs(eagerState, currentState)) {\n            // Fast path. We can bail out without scheduling React to re-render.\n            // It's still possible that we'll need to rebase this update later,\n            // if the component re-renders for a different reason and by that\n            // time the reducer has changed.\n            // TODO: Do we still need to entangle transitions in this case?\n            enqueueConcurrentHookUpdateAndEagerlyBailout(fiber, queue, update, lane);\n            return;\n          }\n        } catch (error) {// Suppress the error. It will throw again in the render phase.\n        } finally {\n          {\n            ReactCurrentDispatcher$1.current = prevDispatcher;\n          }\n        }\n      }\n    }\n\n    var root = enqueueConcurrentHookUpdate(fiber, queue, update, lane);\n\n    if (root !== null) {\n      var eventTime = requestEventTime();\n      scheduleUpdateOnFiber(root, fiber, lane, eventTime);\n      entangleTransitionUpdate(root, queue, lane);\n    }\n  }\n\n  markUpdateInDevTools(fiber, lane);\n}\n\nfunction isRenderPhaseUpdate(fiber) {\n  var alternate = fiber.alternate;\n  return fiber === currentlyRenderingFiber$1 || alternate !== null && alternate === currentlyRenderingFiber$1;\n}\n\nfunction enqueueRenderPhaseUpdate(queue, update) {\n  // This is a render phase update. Stash it in a lazily-created map of\n  // queue -> linked list of updates. After this render pass, we'll restart\n  // and apply the stashed updates on top of the work-in-progress hook.\n  didScheduleRenderPhaseUpdateDuringThisPass = didScheduleRenderPhaseUpdate = true;\n  var pending = queue.pending;\n\n  if (pending === null) {\n    // This is the first update. Create a circular list.\n    update.next = update;\n  } else {\n    update.next = pending.next;\n    pending.next = update;\n  }\n\n  queue.pending = update;\n} // TODO: Move to ReactFiberConcurrentUpdates?\n\n\nfunction entangleTransitionUpdate(root, queue, lane) {\n  if (isTransitionLane(lane)) {\n    var queueLanes = queue.lanes; // If any entangled lanes are no longer pending on the root, then they\n    // must have finished. We can remove them from the shared queue, which\n    // represents a superset of the actually pending lanes. In some cases we\n    // may entangle more than we need to, but that's OK. In fact it's worse if\n    // we *don't* entangle when we should.\n\n    queueLanes = intersectLanes(queueLanes, root.pendingLanes); // Entangle the new transition lane with the other transition lanes.\n\n    var newQueueLanes = mergeLanes(queueLanes, lane);\n    queue.lanes = newQueueLanes; // Even if queue.lanes already include lane, we don't know for certain if\n    // the lane finished since the last time we entangled it. So we need to\n    // entangle it again, just to be sure.\n\n    markRootEntangled(root, newQueueLanes);\n  }\n}\n\nfunction markUpdateInDevTools(fiber, lane, action) {\n\n  {\n    markStateUpdateScheduled(fiber, lane);\n  }\n}\n\nvar ContextOnlyDispatcher = {\n  readContext: readContext,\n  useCallback: throwInvalidHookError,\n  useContext: throwInvalidHookError,\n  useEffect: throwInvalidHookError,\n  useImperativeHandle: throwInvalidHookError,\n  useInsertionEffect: throwInvalidHookError,\n  useLayoutEffect: throwInvalidHookError,\n  useMemo: throwInvalidHookError,\n  useReducer: throwInvalidHookError,\n  useRef: throwInvalidHookError,\n  useState: throwInvalidHookError,\n  useDebugValue: throwInvalidHookError,\n  useDeferredValue: throwInvalidHookError,\n  useTransition: throwInvalidHookError,\n  useMutableSource: throwInvalidHookError,\n  useSyncExternalStore: throwInvalidHookError,\n  useId: throwInvalidHookError,\n  unstable_isNewReconciler: enableNewReconciler\n};\n\nvar HooksDispatcherOnMountInDEV = null;\nvar HooksDispatcherOnMountWithHookTypesInDEV = null;\nvar HooksDispatcherOnUpdateInDEV = null;\nvar HooksDispatcherOnRerenderInDEV = null;\nvar InvalidNestedHooksDispatcherOnMountInDEV = null;\nvar InvalidNestedHooksDispatcherOnUpdateInDEV = null;\nvar InvalidNestedHooksDispatcherOnRerenderInDEV = null;\n\n{\n  var warnInvalidContextAccess = function () {\n    error('Context can only be read while React is rendering. ' + 'In classes, you can read it in the render method or getDerivedStateFromProps. ' + 'In function components, you can read it directly in the function body, but not ' + 'inside Hooks like useReducer() or useMemo().');\n  };\n\n  var warnInvalidHookAccess = function () {\n    error('Do not call Hooks inside useEffect(...), useMemo(...), or other built-in Hooks. ' + 'You can only call Hooks at the top level of your React function. ' + 'For more information, see ' + 'https://reactjs.org/link/rules-of-hooks');\n  };\n\n  HooksDispatcherOnMountInDEV = {\n    readContext: function (context) {\n      return readContext(context);\n    },\n    useCallback: function (callback, deps) {\n      currentHookNameInDev = 'useCallback';\n      mountHookTypesDev();\n      checkDepsAreArrayDev(deps);\n      return mountCallback(callback, deps);\n    },\n    useContext: function (context) {\n      currentHookNameInDev = 'useContext';\n      mountHookTypesDev();\n      return readContext(context);\n    },\n    useEffect: function (create, deps) {\n      currentHookNameInDev = 'useEffect';\n      mountHookTypesDev();\n      checkDepsAreArrayDev(deps);\n      return mountEffect(create, deps);\n    },\n    useImperativeHandle: function (ref, create, deps) {\n      currentHookNameInDev = 'useImperativeHandle';\n      mountHookTypesDev();\n      checkDepsAreArrayDev(deps);\n      return mountImperativeHandle(ref, create, deps);\n    },\n    useInsertionEffect: function (create, deps) {\n      currentHookNameInDev = 'useInsertionEffect';\n      mountHookTypesDev();\n      checkDepsAreArrayDev(deps);\n      return mountInsertionEffect(create, deps);\n    },\n    useLayoutEffect: function (create, deps) {\n      currentHookNameInDev = 'useLayoutEffect';\n      mountHookTypesDev();\n      checkDepsAreArrayDev(deps);\n      return mountLayoutEffect(create, deps);\n    },\n    useMemo: function (create, deps) {\n      currentHookNameInDev = 'useMemo';\n      mountHookTypesDev();\n      checkDepsAreArrayDev(deps);\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountMemo(create, deps);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useReducer: function (reducer, initialArg, init) {\n      currentHookNameInDev = 'useReducer';\n      mountHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountReducer(reducer, initialArg, init);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useRef: function (initialValue) {\n      currentHookNameInDev = 'useRef';\n      mountHookTypesDev();\n      return mountRef(initialValue);\n    },\n    useState: function (initialState) {\n      currentHookNameInDev = 'useState';\n      mountHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountState(initialState);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useDebugValue: function (value, formatterFn) {\n      currentHookNameInDev = 'useDebugValue';\n      mountHookTypesDev();\n      return mountDebugValue();\n    },\n    useDeferredValue: function (value) {\n      currentHookNameInDev = 'useDeferredValue';\n      mountHookTypesDev();\n      return mountDeferredValue(value);\n    },\n    useTransition: function () {\n      currentHookNameInDev = 'useTransition';\n      mountHookTypesDev();\n      return mountTransition();\n    },\n    useMutableSource: function (source, getSnapshot, subscribe) {\n      currentHookNameInDev = 'useMutableSource';\n      mountHookTypesDev();\n      return mountMutableSource();\n    },\n    useSyncExternalStore: function (subscribe, getSnapshot, getServerSnapshot) {\n      currentHookNameInDev = 'useSyncExternalStore';\n      mountHookTypesDev();\n      return mountSyncExternalStore(subscribe, getSnapshot, getServerSnapshot);\n    },\n    useId: function () {\n      currentHookNameInDev = 'useId';\n      mountHookTypesDev();\n      return mountId();\n    },\n    unstable_isNewReconciler: enableNewReconciler\n  };\n\n  HooksDispatcherOnMountWithHookTypesInDEV = {\n    readContext: function (context) {\n      return readContext(context);\n    },\n    useCallback: function (callback, deps) {\n      currentHookNameInDev = 'useCallback';\n      updateHookTypesDev();\n      return mountCallback(callback, deps);\n    },\n    useContext: function (context) {\n      currentHookNameInDev = 'useContext';\n      updateHookTypesDev();\n      return readContext(context);\n    },\n    useEffect: function (create, deps) {\n      currentHookNameInDev = 'useEffect';\n      updateHookTypesDev();\n      return mountEffect(create, deps);\n    },\n    useImperativeHandle: function (ref, create, deps) {\n      currentHookNameInDev = 'useImperativeHandle';\n      updateHookTypesDev();\n      return mountImperativeHandle(ref, create, deps);\n    },\n    useInsertionEffect: function (create, deps) {\n      currentHookNameInDev = 'useInsertionEffect';\n      updateHookTypesDev();\n      return mountInsertionEffect(create, deps);\n    },\n    useLayoutEffect: function (create, deps) {\n      currentHookNameInDev = 'useLayoutEffect';\n      updateHookTypesDev();\n      return mountLayoutEffect(create, deps);\n    },\n    useMemo: function (create, deps) {\n      currentHookNameInDev = 'useMemo';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountMemo(create, deps);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useReducer: function (reducer, initialArg, init) {\n      currentHookNameInDev = 'useReducer';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountReducer(reducer, initialArg, init);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useRef: function (initialValue) {\n      currentHookNameInDev = 'useRef';\n      updateHookTypesDev();\n      return mountRef(initialValue);\n    },\n    useState: function (initialState) {\n      currentHookNameInDev = 'useState';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountState(initialState);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useDebugValue: function (value, formatterFn) {\n      currentHookNameInDev = 'useDebugValue';\n      updateHookTypesDev();\n      return mountDebugValue();\n    },\n    useDeferredValue: function (value) {\n      currentHookNameInDev = 'useDeferredValue';\n      updateHookTypesDev();\n      return mountDeferredValue(value);\n    },\n    useTransition: function () {\n      currentHookNameInDev = 'useTransition';\n      updateHookTypesDev();\n      return mountTransition();\n    },\n    useMutableSource: function (source, getSnapshot, subscribe) {\n      currentHookNameInDev = 'useMutableSource';\n      updateHookTypesDev();\n      return mountMutableSource();\n    },\n    useSyncExternalStore: function (subscribe, getSnapshot, getServerSnapshot) {\n      currentHookNameInDev = 'useSyncExternalStore';\n      updateHookTypesDev();\n      return mountSyncExternalStore(subscribe, getSnapshot, getServerSnapshot);\n    },\n    useId: function () {\n      currentHookNameInDev = 'useId';\n      updateHookTypesDev();\n      return mountId();\n    },\n    unstable_isNewReconciler: enableNewReconciler\n  };\n\n  HooksDispatcherOnUpdateInDEV = {\n    readContext: function (context) {\n      return readContext(context);\n    },\n    useCallback: function (callback, deps) {\n      currentHookNameInDev = 'useCallback';\n      updateHookTypesDev();\n      return updateCallback(callback, deps);\n    },\n    useContext: function (context) {\n      currentHookNameInDev = 'useContext';\n      updateHookTypesDev();\n      return readContext(context);\n    },\n    useEffect: function (create, deps) {\n      currentHookNameInDev = 'useEffect';\n      updateHookTypesDev();\n      return updateEffect(create, deps);\n    },\n    useImperativeHandle: function (ref, create, deps) {\n      currentHookNameInDev = 'useImperativeHandle';\n      updateHookTypesDev();\n      return updateImperativeHandle(ref, create, deps);\n    },\n    useInsertionEffect: function (create, deps) {\n      currentHookNameInDev = 'useInsertionEffect';\n      updateHookTypesDev();\n      return updateInsertionEffect(create, deps);\n    },\n    useLayoutEffect: function (create, deps) {\n      currentHookNameInDev = 'useLayoutEffect';\n      updateHookTypesDev();\n      return updateLayoutEffect(create, deps);\n    },\n    useMemo: function (create, deps) {\n      currentHookNameInDev = 'useMemo';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return updateMemo(create, deps);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useReducer: function (reducer, initialArg, init) {\n      currentHookNameInDev = 'useReducer';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return updateReducer(reducer, initialArg, init);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useRef: function (initialValue) {\n      currentHookNameInDev = 'useRef';\n      updateHookTypesDev();\n      return updateRef();\n    },\n    useState: function (initialState) {\n      currentHookNameInDev = 'useState';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return updateState(initialState);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useDebugValue: function (value, formatterFn) {\n      currentHookNameInDev = 'useDebugValue';\n      updateHookTypesDev();\n      return updateDebugValue();\n    },\n    useDeferredValue: function (value) {\n      currentHookNameInDev = 'useDeferredValue';\n      updateHookTypesDev();\n      return updateDeferredValue(value);\n    },\n    useTransition: function () {\n      currentHookNameInDev = 'useTransition';\n      updateHookTypesDev();\n      return updateTransition();\n    },\n    useMutableSource: function (source, getSnapshot, subscribe) {\n      currentHookNameInDev = 'useMutableSource';\n      updateHookTypesDev();\n      return updateMutableSource();\n    },\n    useSyncExternalStore: function (subscribe, getSnapshot, getServerSnapshot) {\n      currentHookNameInDev = 'useSyncExternalStore';\n      updateHookTypesDev();\n      return updateSyncExternalStore(subscribe, getSnapshot);\n    },\n    useId: function () {\n      currentHookNameInDev = 'useId';\n      updateHookTypesDev();\n      return updateId();\n    },\n    unstable_isNewReconciler: enableNewReconciler\n  };\n\n  HooksDispatcherOnRerenderInDEV = {\n    readContext: function (context) {\n      return readContext(context);\n    },\n    useCallback: function (callback, deps) {\n      currentHookNameInDev = 'useCallback';\n      updateHookTypesDev();\n      return updateCallback(callback, deps);\n    },\n    useContext: function (context) {\n      currentHookNameInDev = 'useContext';\n      updateHookTypesDev();\n      return readContext(context);\n    },\n    useEffect: function (create, deps) {\n      currentHookNameInDev = 'useEffect';\n      updateHookTypesDev();\n      return updateEffect(create, deps);\n    },\n    useImperativeHandle: function (ref, create, deps) {\n      currentHookNameInDev = 'useImperativeHandle';\n      updateHookTypesDev();\n      return updateImperativeHandle(ref, create, deps);\n    },\n    useInsertionEffect: function (create, deps) {\n      currentHookNameInDev = 'useInsertionEffect';\n      updateHookTypesDev();\n      return updateInsertionEffect(create, deps);\n    },\n    useLayoutEffect: function (create, deps) {\n      currentHookNameInDev = 'useLayoutEffect';\n      updateHookTypesDev();\n      return updateLayoutEffect(create, deps);\n    },\n    useMemo: function (create, deps) {\n      currentHookNameInDev = 'useMemo';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnRerenderInDEV;\n\n      try {\n        return updateMemo(create, deps);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useReducer: function (reducer, initialArg, init) {\n      currentHookNameInDev = 'useReducer';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnRerenderInDEV;\n\n      try {\n        return rerenderReducer(reducer, initialArg, init);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useRef: function (initialValue) {\n      currentHookNameInDev = 'useRef';\n      updateHookTypesDev();\n      return updateRef();\n    },\n    useState: function (initialState) {\n      currentHookNameInDev = 'useState';\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnRerenderInDEV;\n\n      try {\n        return rerenderState(initialState);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useDebugValue: function (value, formatterFn) {\n      currentHookNameInDev = 'useDebugValue';\n      updateHookTypesDev();\n      return updateDebugValue();\n    },\n    useDeferredValue: function (value) {\n      currentHookNameInDev = 'useDeferredValue';\n      updateHookTypesDev();\n      return rerenderDeferredValue(value);\n    },\n    useTransition: function () {\n      currentHookNameInDev = 'useTransition';\n      updateHookTypesDev();\n      return rerenderTransition();\n    },\n    useMutableSource: function (source, getSnapshot, subscribe) {\n      currentHookNameInDev = 'useMutableSource';\n      updateHookTypesDev();\n      return updateMutableSource();\n    },\n    useSyncExternalStore: function (subscribe, getSnapshot, getServerSnapshot) {\n      currentHookNameInDev = 'useSyncExternalStore';\n      updateHookTypesDev();\n      return updateSyncExternalStore(subscribe, getSnapshot);\n    },\n    useId: function () {\n      currentHookNameInDev = 'useId';\n      updateHookTypesDev();\n      return updateId();\n    },\n    unstable_isNewReconciler: enableNewReconciler\n  };\n\n  InvalidNestedHooksDispatcherOnMountInDEV = {\n    readContext: function (context) {\n      warnInvalidContextAccess();\n      return readContext(context);\n    },\n    useCallback: function (callback, deps) {\n      currentHookNameInDev = 'useCallback';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountCallback(callback, deps);\n    },\n    useContext: function (context) {\n      currentHookNameInDev = 'useContext';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return readContext(context);\n    },\n    useEffect: function (create, deps) {\n      currentHookNameInDev = 'useEffect';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountEffect(create, deps);\n    },\n    useImperativeHandle: function (ref, create, deps) {\n      currentHookNameInDev = 'useImperativeHandle';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountImperativeHandle(ref, create, deps);\n    },\n    useInsertionEffect: function (create, deps) {\n      currentHookNameInDev = 'useInsertionEffect';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountInsertionEffect(create, deps);\n    },\n    useLayoutEffect: function (create, deps) {\n      currentHookNameInDev = 'useLayoutEffect';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountLayoutEffect(create, deps);\n    },\n    useMemo: function (create, deps) {\n      currentHookNameInDev = 'useMemo';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountMemo(create, deps);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useReducer: function (reducer, initialArg, init) {\n      currentHookNameInDev = 'useReducer';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountReducer(reducer, initialArg, init);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useRef: function (initialValue) {\n      currentHookNameInDev = 'useRef';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountRef(initialValue);\n    },\n    useState: function (initialState) {\n      currentHookNameInDev = 'useState';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnMountInDEV;\n\n      try {\n        return mountState(initialState);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useDebugValue: function (value, formatterFn) {\n      currentHookNameInDev = 'useDebugValue';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountDebugValue();\n    },\n    useDeferredValue: function (value) {\n      currentHookNameInDev = 'useDeferredValue';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountDeferredValue(value);\n    },\n    useTransition: function () {\n      currentHookNameInDev = 'useTransition';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountTransition();\n    },\n    useMutableSource: function (source, getSnapshot, subscribe) {\n      currentHookNameInDev = 'useMutableSource';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountMutableSource();\n    },\n    useSyncExternalStore: function (subscribe, getSnapshot, getServerSnapshot) {\n      currentHookNameInDev = 'useSyncExternalStore';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountSyncExternalStore(subscribe, getSnapshot, getServerSnapshot);\n    },\n    useId: function () {\n      currentHookNameInDev = 'useId';\n      warnInvalidHookAccess();\n      mountHookTypesDev();\n      return mountId();\n    },\n    unstable_isNewReconciler: enableNewReconciler\n  };\n\n  InvalidNestedHooksDispatcherOnUpdateInDEV = {\n    readContext: function (context) {\n      warnInvalidContextAccess();\n      return readContext(context);\n    },\n    useCallback: function (callback, deps) {\n      currentHookNameInDev = 'useCallback';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateCallback(callback, deps);\n    },\n    useContext: function (context) {\n      currentHookNameInDev = 'useContext';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return readContext(context);\n    },\n    useEffect: function (create, deps) {\n      currentHookNameInDev = 'useEffect';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateEffect(create, deps);\n    },\n    useImperativeHandle: function (ref, create, deps) {\n      currentHookNameInDev = 'useImperativeHandle';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateImperativeHandle(ref, create, deps);\n    },\n    useInsertionEffect: function (create, deps) {\n      currentHookNameInDev = 'useInsertionEffect';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateInsertionEffect(create, deps);\n    },\n    useLayoutEffect: function (create, deps) {\n      currentHookNameInDev = 'useLayoutEffect';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateLayoutEffect(create, deps);\n    },\n    useMemo: function (create, deps) {\n      currentHookNameInDev = 'useMemo';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return updateMemo(create, deps);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useReducer: function (reducer, initialArg, init) {\n      currentHookNameInDev = 'useReducer';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return updateReducer(reducer, initialArg, init);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useRef: function (initialValue) {\n      currentHookNameInDev = 'useRef';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateRef();\n    },\n    useState: function (initialState) {\n      currentHookNameInDev = 'useState';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return updateState(initialState);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useDebugValue: function (value, formatterFn) {\n      currentHookNameInDev = 'useDebugValue';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateDebugValue();\n    },\n    useDeferredValue: function (value) {\n      currentHookNameInDev = 'useDeferredValue';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateDeferredValue(value);\n    },\n    useTransition: function () {\n      currentHookNameInDev = 'useTransition';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateTransition();\n    },\n    useMutableSource: function (source, getSnapshot, subscribe) {\n      currentHookNameInDev = 'useMutableSource';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateMutableSource();\n    },\n    useSyncExternalStore: function (subscribe, getSnapshot, getServerSnapshot) {\n      currentHookNameInDev = 'useSyncExternalStore';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateSyncExternalStore(subscribe, getSnapshot);\n    },\n    useId: function () {\n      currentHookNameInDev = 'useId';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateId();\n    },\n    unstable_isNewReconciler: enableNewReconciler\n  };\n\n  InvalidNestedHooksDispatcherOnRerenderInDEV = {\n    readContext: function (context) {\n      warnInvalidContextAccess();\n      return readContext(context);\n    },\n    useCallback: function (callback, deps) {\n      currentHookNameInDev = 'useCallback';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateCallback(callback, deps);\n    },\n    useContext: function (context) {\n      currentHookNameInDev = 'useContext';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return readContext(context);\n    },\n    useEffect: function (create, deps) {\n      currentHookNameInDev = 'useEffect';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateEffect(create, deps);\n    },\n    useImperativeHandle: function (ref, create, deps) {\n      currentHookNameInDev = 'useImperativeHandle';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateImperativeHandle(ref, create, deps);\n    },\n    useInsertionEffect: function (create, deps) {\n      currentHookNameInDev = 'useInsertionEffect';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateInsertionEffect(create, deps);\n    },\n    useLayoutEffect: function (create, deps) {\n      currentHookNameInDev = 'useLayoutEffect';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateLayoutEffect(create, deps);\n    },\n    useMemo: function (create, deps) {\n      currentHookNameInDev = 'useMemo';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return updateMemo(create, deps);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useReducer: function (reducer, initialArg, init) {\n      currentHookNameInDev = 'useReducer';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return rerenderReducer(reducer, initialArg, init);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useRef: function (initialValue) {\n      currentHookNameInDev = 'useRef';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateRef();\n    },\n    useState: function (initialState) {\n      currentHookNameInDev = 'useState';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      var prevDispatcher = ReactCurrentDispatcher$1.current;\n      ReactCurrentDispatcher$1.current = InvalidNestedHooksDispatcherOnUpdateInDEV;\n\n      try {\n        return rerenderState(initialState);\n      } finally {\n        ReactCurrentDispatcher$1.current = prevDispatcher;\n      }\n    },\n    useDebugValue: function (value, formatterFn) {\n      currentHookNameInDev = 'useDebugValue';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateDebugValue();\n    },\n    useDeferredValue: function (value) {\n      currentHookNameInDev = 'useDeferredValue';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return rerenderDeferredValue(value);\n    },\n    useTransition: function () {\n      currentHookNameInDev = 'useTransition';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return rerenderTransition();\n    },\n    useMutableSource: function (source, getSnapshot, subscribe) {\n      currentHookNameInDev = 'useMutableSource';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateMutableSource();\n    },\n    useSyncExternalStore: function (subscribe, getSnapshot, getServerSnapshot) {\n      currentHookNameInDev = 'useSyncExternalStore';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateSyncExternalStore(subscribe, getSnapshot);\n    },\n    useId: function () {\n      currentHookNameInDev = 'useId';\n      warnInvalidHookAccess();\n      updateHookTypesDev();\n      return updateId();\n    },\n    unstable_isNewReconciler: enableNewReconciler\n  };\n}\n\nvar now$1 = Scheduler.unstable_now;\nvar commitTime = 0;\nvar layoutEffectStartTime = -1;\nvar profilerStartTime = -1;\nvar passiveEffectStartTime = -1;\n/**\n * Tracks whether the current update was a nested/cascading update (scheduled from a layout effect).\n *\n * The overall sequence is:\n *   1. render\n *   2. commit (and call `onRender`, `onCommit`)\n *   3. check for nested updates\n *   4. flush passive effects (and call `onPostCommit`)\n *\n * Nested updates are identified in step 3 above,\n * but step 4 still applies to the work that was just committed.\n * We use two flags to track nested updates then:\n * one tracks whether the upcoming update is a nested update,\n * and the other tracks whether the current update was a nested update.\n * The first value gets synced to the second at the start of the render phase.\n */\n\nvar currentUpdateIsNested = false;\nvar nestedUpdateScheduled = false;\n\nfunction isCurrentUpdateNested() {\n  return currentUpdateIsNested;\n}\n\nfunction markNestedUpdateScheduled() {\n  {\n    nestedUpdateScheduled = true;\n  }\n}\n\nfunction resetNestedUpdateFlag() {\n  {\n    currentUpdateIsNested = false;\n    nestedUpdateScheduled = false;\n  }\n}\n\nfunction syncNestedUpdateFlag() {\n  {\n    currentUpdateIsNested = nestedUpdateScheduled;\n    nestedUpdateScheduled = false;\n  }\n}\n\nfunction getCommitTime() {\n  return commitTime;\n}\n\nfunction recordCommitTime() {\n\n  commitTime = now$1();\n}\n\nfunction startProfilerTimer(fiber) {\n\n  profilerStartTime = now$1();\n\n  if (fiber.actualStartTime < 0) {\n    fiber.actualStartTime = now$1();\n  }\n}\n\nfunction stopProfilerTimerIfRunning(fiber) {\n\n  profilerStartTime = -1;\n}\n\nfunction stopProfilerTimerIfRunningAndRecordDelta(fiber, overrideBaseTime) {\n\n  if (profilerStartTime >= 0) {\n    var elapsedTime = now$1() - profilerStartTime;\n    fiber.actualDuration += elapsedTime;\n\n    if (overrideBaseTime) {\n      fiber.selfBaseDuration = elapsedTime;\n    }\n\n    profilerStartTime = -1;\n  }\n}\n\nfunction recordLayoutEffectDuration(fiber) {\n\n  if (layoutEffectStartTime >= 0) {\n    var elapsedTime = now$1() - layoutEffectStartTime;\n    layoutEffectStartTime = -1; // Store duration on the next nearest Profiler ancestor\n    // Or the root (for the DevTools Profiler to read)\n\n    var parentFiber = fiber.return;\n\n    while (parentFiber !== null) {\n      switch (parentFiber.tag) {\n        case HostRoot:\n          var root = parentFiber.stateNode;\n          root.effectDuration += elapsedTime;\n          return;\n\n        case Profiler:\n          var parentStateNode = parentFiber.stateNode;\n          parentStateNode.effectDuration += elapsedTime;\n          return;\n      }\n\n      parentFiber = parentFiber.return;\n    }\n  }\n}\n\nfunction recordPassiveEffectDuration(fiber) {\n\n  if (passiveEffectStartTime >= 0) {\n    var elapsedTime = now$1() - passiveEffectStartTime;\n    passiveEffectStartTime = -1; // Store duration on the next nearest Profiler ancestor\n    // Or the root (for the DevTools Profiler to read)\n\n    var parentFiber = fiber.return;\n\n    while (parentFiber !== null) {\n      switch (parentFiber.tag) {\n        case HostRoot:\n          var root = parentFiber.stateNode;\n\n          if (root !== null) {\n            root.passiveEffectDuration += elapsedTime;\n          }\n\n          return;\n\n        case Profiler:\n          var parentStateNode = parentFiber.stateNode;\n\n          if (parentStateNode !== null) {\n            // Detached fibers have their state node cleared out.\n            // In this case, the return pointer is also cleared out,\n            // so we won't be able to report the time spent in this Profiler's subtree.\n            parentStateNode.passiveEffectDuration += elapsedTime;\n          }\n\n          return;\n      }\n\n      parentFiber = parentFiber.return;\n    }\n  }\n}\n\nfunction startLayoutEffectTimer() {\n\n  layoutEffectStartTime = now$1();\n}\n\nfunction startPassiveEffectTimer() {\n\n  passiveEffectStartTime = now$1();\n}\n\nfunction transferActualDuration(fiber) {\n  // Transfer time spent rendering these children so we don't lose it\n  // after we rerender. This is used as a helper in special cases\n  // where we should count the work of multiple passes.\n  var child = fiber.child;\n\n  while (child) {\n    fiber.actualDuration += child.actualDuration;\n    child = child.sibling;\n  }\n}\n\nfunction resolveDefaultProps(Component, baseProps) {\n  if (Component && Component.defaultProps) {\n    // Resolve default props. Taken from ReactElement\n    var props = assign({}, baseProps);\n    var defaultProps = Component.defaultProps;\n\n    for (var propName in defaultProps) {\n      if (props[propName] === undefined) {\n        props[propName] = defaultProps[propName];\n      }\n    }\n\n    return props;\n  }\n\n  return baseProps;\n}\n\nvar fakeInternalInstance = {};\nvar didWarnAboutStateAssignmentForComponent;\nvar didWarnAboutUninitializedState;\nvar didWarnAboutGetSnapshotBeforeUpdateWithoutDidUpdate;\nvar didWarnAboutLegacyLifecyclesAndDerivedState;\nvar didWarnAboutUndefinedDerivedState;\nvar warnOnUndefinedDerivedState;\nvar warnOnInvalidCallback;\nvar didWarnAboutDirectlyAssigningPropsToState;\nvar didWarnAboutContextTypeAndContextTypes;\nvar didWarnAboutInvalidateContextType;\nvar didWarnAboutLegacyContext$1;\n\n{\n  didWarnAboutStateAssignmentForComponent = new Set();\n  didWarnAboutUninitializedState = new Set();\n  didWarnAboutGetSnapshotBeforeUpdateWithoutDidUpdate = new Set();\n  didWarnAboutLegacyLifecyclesAndDerivedState = new Set();\n  didWarnAboutDirectlyAssigningPropsToState = new Set();\n  didWarnAboutUndefinedDerivedState = new Set();\n  didWarnAboutContextTypeAndContextTypes = new Set();\n  didWarnAboutInvalidateContextType = new Set();\n  didWarnAboutLegacyContext$1 = new Set();\n  var didWarnOnInvalidCallback = new Set();\n\n  warnOnInvalidCallback = function (callback, callerName) {\n    if (callback === null || typeof callback === 'function') {\n      return;\n    }\n\n    var key = callerName + '_' + callback;\n\n    if (!didWarnOnInvalidCallback.has(key)) {\n      didWarnOnInvalidCallback.add(key);\n\n      error('%s(...): Expected the last optional `callback` argument to be a ' + 'function. Instead received: %s.', callerName, callback);\n    }\n  };\n\n  warnOnUndefinedDerivedState = function (type, partialState) {\n    if (partialState === undefined) {\n      var componentName = getComponentNameFromType(type) || 'Component';\n\n      if (!didWarnAboutUndefinedDerivedState.has(componentName)) {\n        didWarnAboutUndefinedDerivedState.add(componentName);\n\n        error('%s.getDerivedStateFromProps(): A valid state object (or null) must be returned. ' + 'You have returned undefined.', componentName);\n      }\n    }\n  }; // This is so gross but it's at least non-critical and can be removed if\n  // it causes problems. This is meant to give a nicer error message for\n  // ReactDOM15.unstable_renderSubtreeIntoContainer(reactDOM16Component,\n  // ...)) which otherwise throws a \"_processChildContext is not a function\"\n  // exception.\n\n\n  Object.defineProperty(fakeInternalInstance, '_processChildContext', {\n    enumerable: false,\n    value: function () {\n      throw new Error('_processChildContext is not available in React 16+. This likely ' + 'means you have multiple copies of React and are attempting to nest ' + 'a React 15 tree inside a React 16 tree using ' + \"unstable_renderSubtreeIntoContainer, which isn't supported. Try \" + 'to make sure you have only one copy of React (and ideally, switch ' + 'to ReactDOM.createPortal).');\n    }\n  });\n  Object.freeze(fakeInternalInstance);\n}\n\nfunction applyDerivedStateFromProps(workInProgress, ctor, getDerivedStateFromProps, nextProps) {\n  var prevState = workInProgress.memoizedState;\n  var partialState = getDerivedStateFromProps(nextProps, prevState);\n\n  {\n    if ( workInProgress.mode & StrictLegacyMode) {\n      setIsStrictModeForDevtools(true);\n\n      try {\n        // Invoke the function an extra time to help detect side-effects.\n        partialState = getDerivedStateFromProps(nextProps, prevState);\n      } finally {\n        setIsStrictModeForDevtools(false);\n      }\n    }\n\n    warnOnUndefinedDerivedState(ctor, partialState);\n  } // Merge the partial state and the previous state.\n\n\n  var memoizedState = partialState === null || partialState === undefined ? prevState : assign({}, prevState, partialState);\n  workInProgress.memoizedState = memoizedState; // Once the update queue is empty, persist the derived state onto the\n  // base state.\n\n  if (workInProgress.lanes === NoLanes) {\n    // Queue is always non-null for classes\n    var updateQueue = workInProgress.updateQueue;\n    updateQueue.baseState = memoizedState;\n  }\n}\n\nvar classComponentUpdater = {\n  isMounted: isMounted,\n  enqueueSetState: function (inst, payload, callback) {\n    var fiber = get(inst);\n    var eventTime = requestEventTime();\n    var lane = requestUpdateLane(fiber);\n    var update = createUpdate(eventTime, lane);\n    update.payload = payload;\n\n    if (callback !== undefined && callback !== null) {\n      {\n        warnOnInvalidCallback(callback, 'setState');\n      }\n\n      update.callback = callback;\n    }\n\n    var root = enqueueUpdate(fiber, update, lane);\n\n    if (root !== null) {\n      scheduleUpdateOnFiber(root, fiber, lane, eventTime);\n      entangleTransitions(root, fiber, lane);\n    }\n\n    {\n      markStateUpdateScheduled(fiber, lane);\n    }\n  },\n  enqueueReplaceState: function (inst, payload, callback) {\n    var fiber = get(inst);\n    var eventTime = requestEventTime();\n    var lane = requestUpdateLane(fiber);\n    var update = createUpdate(eventTime, lane);\n    update.tag = ReplaceState;\n    update.payload = payload;\n\n    if (callback !== undefined && callback !== null) {\n      {\n        warnOnInvalidCallback(callback, 'replaceState');\n      }\n\n      update.callback = callback;\n    }\n\n    var root = enqueueUpdate(fiber, update, lane);\n\n    if (root !== null) {\n      scheduleUpdateOnFiber(root, fiber, lane, eventTime);\n      entangleTransitions(root, fiber, lane);\n    }\n\n    {\n      markStateUpdateScheduled(fiber, lane);\n    }\n  },\n  enqueueForceUpdate: function (inst, callback) {\n    var fiber = get(inst);\n    var eventTime = requestEventTime();\n    var lane = requestUpdateLane(fiber);\n    var update = createUpdate(eventTime, lane);\n    update.tag = ForceUpdate;\n\n    if (callback !== undefined && callback !== null) {\n      {\n        warnOnInvalidCallback(callback, 'forceUpdate');\n      }\n\n      update.callback = callback;\n    }\n\n    var root = enqueueUpdate(fiber, update, lane);\n\n    if (root !== null) {\n      scheduleUpdateOnFiber(root, fiber, lane, eventTime);\n      entangleTransitions(root, fiber, lane);\n    }\n\n    {\n      markForceUpdateScheduled(fiber, lane);\n    }\n  }\n};\n\nfunction checkShouldComponentUpdate(workInProgress, ctor, oldProps, newProps, oldState, newState, nextContext) {\n  var instance = workInProgress.stateNode;\n\n  if (typeof instance.shouldComponentUpdate === 'function') {\n    var shouldUpdate = instance.shouldComponentUpdate(newProps, newState, nextContext);\n\n    {\n      if ( workInProgress.mode & StrictLegacyMode) {\n        setIsStrictModeForDevtools(true);\n\n        try {\n          // Invoke the function an extra time to help detect side-effects.\n          shouldUpdate = instance.shouldComponentUpdate(newProps, newState, nextContext);\n        } finally {\n          setIsStrictModeForDevtools(false);\n        }\n      }\n\n      if (shouldUpdate === undefined) {\n        error('%s.shouldComponentUpdate(): Returned undefined instead of a ' + 'boolean value. Make sure to return true or false.', getComponentNameFromType(ctor) || 'Component');\n      }\n    }\n\n    return shouldUpdate;\n  }\n\n  if (ctor.prototype && ctor.prototype.isPureReactComponent) {\n    return !shallowEqual(oldProps, newProps) || !shallowEqual(oldState, newState);\n  }\n\n  return true;\n}\n\nfunction checkClassInstance(workInProgress, ctor, newProps) {\n  var instance = workInProgress.stateNode;\n\n  {\n    var name = getComponentNameFromType(ctor) || 'Component';\n    var renderPresent = instance.render;\n\n    if (!renderPresent) {\n      if (ctor.prototype && typeof ctor.prototype.render === 'function') {\n        error('%s(...): No `render` method found on the returned component ' + 'instance: did you accidentally return an object from the constructor?', name);\n      } else {\n        error('%s(...): No `render` method found on the returned component ' + 'instance: you may have forgotten to define `render`.', name);\n      }\n    }\n\n    if (instance.getInitialState && !instance.getInitialState.isReactClassApproved && !instance.state) {\n      error('getInitialState was defined on %s, a plain JavaScript class. ' + 'This is only supported for classes created using React.createClass. ' + 'Did you mean to define a state property instead?', name);\n    }\n\n    if (instance.getDefaultProps && !instance.getDefaultProps.isReactClassApproved) {\n      error('getDefaultProps was defined on %s, a plain JavaScript class. ' + 'This is only supported for classes created using React.createClass. ' + 'Use a static property to define defaultProps instead.', name);\n    }\n\n    if (instance.propTypes) {\n      error('propTypes was defined as an instance property on %s. Use a static ' + 'property to define propTypes instead.', name);\n    }\n\n    if (instance.contextType) {\n      error('contextType was defined as an instance property on %s. Use a static ' + 'property to define contextType instead.', name);\n    }\n\n    {\n      if (ctor.childContextTypes && !didWarnAboutLegacyContext$1.has(ctor) && // Strict Mode has its own warning for legacy context, so we can skip\n      // this one.\n      (workInProgress.mode & StrictLegacyMode) === NoMode) {\n        didWarnAboutLegacyContext$1.add(ctor);\n\n        error('%s uses the legacy childContextTypes API which is no longer ' + 'supported and will be removed in the next major release. Use ' + 'React.createContext() instead\\n\\n.' + 'Learn more about this warning here: https://reactjs.org/link/legacy-context', name);\n      }\n\n      if (ctor.contextTypes && !didWarnAboutLegacyContext$1.has(ctor) && // Strict Mode has its own warning for legacy context, so we can skip\n      // this one.\n      (workInProgress.mode & StrictLegacyMode) === NoMode) {\n        didWarnAboutLegacyContext$1.add(ctor);\n\n        error('%s uses the legacy contextTypes API which is no longer supported ' + 'and will be removed in the next major release. Use ' + 'React.createContext() with static contextType instead.\\n\\n' + 'Learn more about this warning here: https://reactjs.org/link/legacy-context', name);\n      }\n\n      if (instance.contextTypes) {\n        error('contextTypes was defined as an instance property on %s. Use a static ' + 'property to define contextTypes instead.', name);\n      }\n\n      if (ctor.contextType && ctor.contextTypes && !didWarnAboutContextTypeAndContextTypes.has(ctor)) {\n        didWarnAboutContextTypeAndContextTypes.add(ctor);\n\n        error('%s declares both contextTypes and contextType static properties. ' + 'The legacy contextTypes property will be ignored.', name);\n      }\n    }\n\n    if (typeof instance.componentShouldUpdate === 'function') {\n      error('%s has a method called ' + 'componentShouldUpdate(). Did you mean shouldComponentUpdate()? ' + 'The name is phrased as a question because the function is ' + 'expected to return a value.', name);\n    }\n\n    if (ctor.prototype && ctor.prototype.isPureReactComponent && typeof instance.shouldComponentUpdate !== 'undefined') {\n      error('%s has a method called shouldComponentUpdate(). ' + 'shouldComponentUpdate should not be used when extending React.PureComponent. ' + 'Please extend React.Component if shouldComponentUpdate is used.', getComponentNameFromType(ctor) || 'A pure component');\n    }\n\n    if (typeof instance.componentDidUnmount === 'function') {\n      error('%s has a method called ' + 'componentDidUnmount(). But there is no such lifecycle method. ' + 'Did you mean componentWillUnmount()?', name);\n    }\n\n    if (typeof instance.componentDidReceiveProps === 'function') {\n      error('%s has a method called ' + 'componentDidReceiveProps(). But there is no such lifecycle method. ' + 'If you meant to update the state in response to changing props, ' + 'use componentWillReceiveProps(). If you meant to fetch data or ' + 'run side-effects or mutations after React has updated the UI, use componentDidUpdate().', name);\n    }\n\n    if (typeof instance.componentWillRecieveProps === 'function') {\n      error('%s has a method called ' + 'componentWillRecieveProps(). Did you mean componentWillReceiveProps()?', name);\n    }\n\n    if (typeof instance.UNSAFE_componentWillRecieveProps === 'function') {\n      error('%s has a method called ' + 'UNSAFE_componentWillRecieveProps(). Did you mean UNSAFE_componentWillReceiveProps()?', name);\n    }\n\n    var hasMutatedProps = instance.props !== newProps;\n\n    if (instance.props !== undefined && hasMutatedProps) {\n      error('%s(...): When calling super() in `%s`, make sure to pass ' + \"up the same props that your component's constructor was passed.\", name, name);\n    }\n\n    if (instance.defaultProps) {\n      error('Setting defaultProps as an instance property on %s is not supported and will be ignored.' + ' Instead, define defaultProps as a static property on %s.', name, name);\n    }\n\n    if (typeof instance.getSnapshotBeforeUpdate === 'function' && typeof instance.componentDidUpdate !== 'function' && !didWarnAboutGetSnapshotBeforeUpdateWithoutDidUpdate.has(ctor)) {\n      didWarnAboutGetSnapshotBeforeUpdateWithoutDidUpdate.add(ctor);\n\n      error('%s: getSnapshotBeforeUpdate() should be used with componentDidUpdate(). ' + 'This component defines getSnapshotBeforeUpdate() only.', getComponentNameFromType(ctor));\n    }\n\n    if (typeof instance.getDerivedStateFromProps === 'function') {\n      error('%s: getDerivedStateFromProps() is defined as an instance method ' + 'and will be ignored. Instead, declare it as a static method.', name);\n    }\n\n    if (typeof instance.getDerivedStateFromError === 'function') {\n      error('%s: getDerivedStateFromError() is defined as an instance method ' + 'and will be ignored. Instead, declare it as a static method.', name);\n    }\n\n    if (typeof ctor.getSnapshotBeforeUpdate === 'function') {\n      error('%s: getSnapshotBeforeUpdate() is defined as a static method ' + 'and will be ignored. Instead, declare it as an instance method.', name);\n    }\n\n    var _state = instance.state;\n\n    if (_state && (typeof _state !== 'object' || isArray(_state))) {\n      error('%s.state: must be set to an object or null', name);\n    }\n\n    if (typeof instance.getChildContext === 'function' && typeof ctor.childContextTypes !== 'object') {\n      error('%s.getChildContext(): childContextTypes must be defined in order to ' + 'use getChildContext().', name);\n    }\n  }\n}\n\nfunction adoptClassInstance(workInProgress, instance) {\n  instance.updater = classComponentUpdater;\n  workInProgress.stateNode = instance; // The instance needs access to the fiber so that it can schedule updates\n\n  set(instance, workInProgress);\n\n  {\n    instance._reactInternalInstance = fakeInternalInstance;\n  }\n}\n\nfunction constructClassInstance(workInProgress, ctor, props) {\n  var isLegacyContextConsumer = false;\n  var unmaskedContext = emptyContextObject;\n  var context = emptyContextObject;\n  var contextType = ctor.contextType;\n\n  {\n    if ('contextType' in ctor) {\n      var isValid = // Allow null for conditional declaration\n      contextType === null || contextType !== undefined && contextType.$$typeof === REACT_CONTEXT_TYPE && contextType._context === undefined; // Not a <Context.Consumer>\n\n      if (!isValid && !didWarnAboutInvalidateContextType.has(ctor)) {\n        didWarnAboutInvalidateContextType.add(ctor);\n        var addendum = '';\n\n        if (contextType === undefined) {\n          addendum = ' However, it is set to undefined. ' + 'This can be caused by a typo or by mixing up named and default imports. ' + 'This can also happen due to a circular dependency, so ' + 'try moving the createContext() call to a separate file.';\n        } else if (typeof contextType !== 'object') {\n          addendum = ' However, it is set to a ' + typeof contextType + '.';\n        } else if (contextType.$$typeof === REACT_PROVIDER_TYPE) {\n          addendum = ' Did you accidentally pass the Context.Provider instead?';\n        } else if (contextType._context !== undefined) {\n          // <Context.Consumer>\n          addendum = ' Did you accidentally pass the Context.Consumer instead?';\n        } else {\n          addendum = ' However, it is set to an object with keys {' + Object.keys(contextType).join(', ') + '}.';\n        }\n\n        error('%s defines an invalid contextType. ' + 'contextType should point to the Context object returned by React.createContext().%s', getComponentNameFromType(ctor) || 'Component', addendum);\n      }\n    }\n  }\n\n  if (typeof contextType === 'object' && contextType !== null) {\n    context = readContext(contextType);\n  } else {\n    unmaskedContext = getUnmaskedContext(workInProgress, ctor, true);\n    var contextTypes = ctor.contextTypes;\n    isLegacyContextConsumer = contextTypes !== null && contextTypes !== undefined;\n    context = isLegacyContextConsumer ? getMaskedContext(workInProgress, unmaskedContext) : emptyContextObject;\n  }\n\n  var instance = new ctor(props, context); // Instantiate twice to help detect side-effects.\n\n  {\n    if ( workInProgress.mode & StrictLegacyMode) {\n      setIsStrictModeForDevtools(true);\n\n      try {\n        instance = new ctor(props, context); // eslint-disable-line no-new\n      } finally {\n        setIsStrictModeForDevtools(false);\n      }\n    }\n  }\n\n  var state = workInProgress.memoizedState = instance.state !== null && instance.state !== undefined ? instance.state : null;\n  adoptClassInstance(workInProgress, instance);\n\n  {\n    if (typeof ctor.getDerivedStateFromProps === 'function' && state === null) {\n      var componentName = getComponentNameFromType(ctor) || 'Component';\n\n      if (!didWarnAboutUninitializedState.has(componentName)) {\n        didWarnAboutUninitializedState.add(componentName);\n\n        error('`%s` uses `getDerivedStateFromProps` but its initial state is ' + '%s. This is not recommended. Instead, define the initial state by ' + 'assigning an object to `this.state` in the constructor of `%s`. ' + 'This ensures that `getDerivedStateFromProps` arguments have a consistent shape.', componentName, instance.state === null ? 'null' : 'undefined', componentName);\n      }\n    } // If new component APIs are defined, \"unsafe\" lifecycles won't be called.\n    // Warn about these lifecycles if they are present.\n    // Don't warn about react-lifecycles-compat polyfilled methods though.\n\n\n    if (typeof ctor.getDerivedStateFromProps === 'function' || typeof instance.getSnapshotBeforeUpdate === 'function') {\n      var foundWillMountName = null;\n      var foundWillReceivePropsName = null;\n      var foundWillUpdateName = null;\n\n      if (typeof instance.componentWillMount === 'function' && instance.componentWillMount.__suppressDeprecationWarning !== true) {\n        foundWillMountName = 'componentWillMount';\n      } else if (typeof instance.UNSAFE_componentWillMount === 'function') {\n        foundWillMountName = 'UNSAFE_componentWillMount';\n      }\n\n      if (typeof instance.componentWillReceiveProps === 'function' && instance.componentWillReceiveProps.__suppressDeprecationWarning !== true) {\n        foundWillReceivePropsName = 'componentWillReceiveProps';\n      } else if (typeof instance.UNSAFE_componentWillReceiveProps === 'function') {\n        foundWillReceivePropsName = 'UNSAFE_componentWillReceiveProps';\n      }\n\n      if (typeof instance.componentWillUpdate === 'function' && instance.componentWillUpdate.__suppressDeprecationWarning !== true) {\n        foundWillUpdateName = 'componentWillUpdate';\n      } else if (typeof instance.UNSAFE_componentWillUpdate === 'function') {\n        foundWillUpdateName = 'UNSAFE_componentWillUpdate';\n      }\n\n      if (foundWillMountName !== null || foundWillReceivePropsName !== null || foundWillUpdateName !== null) {\n        var _componentName = getComponentNameFromType(ctor) || 'Component';\n\n        var newApiName = typeof ctor.getDerivedStateFromProps === 'function' ? 'getDerivedStateFromProps()' : 'getSnapshotBeforeUpdate()';\n\n        if (!didWarnAboutLegacyLifecyclesAndDerivedState.has(_componentName)) {\n          didWarnAboutLegacyLifecyclesAndDerivedState.add(_componentName);\n\n          error('Unsafe legacy lifecycles will not be called for components using new component APIs.\\n\\n' + '%s uses %s but also contains the following legacy lifecycles:%s%s%s\\n\\n' + 'The above lifecycles should be removed. Learn more about this warning here:\\n' + 'https://reactjs.org/link/unsafe-component-lifecycles', _componentName, newApiName, foundWillMountName !== null ? \"\\n  \" + foundWillMountName : '', foundWillReceivePropsName !== null ? \"\\n  \" + foundWillReceivePropsName : '', foundWillUpdateName !== null ? \"\\n  \" + foundWillUpdateName : '');\n        }\n      }\n    }\n  } // Cache unmasked context so we can avoid recreating masked context unless necessary.\n  // ReactFiberContext usually updates this cache but can't for newly-created instances.\n\n\n  if (isLegacyContextConsumer) {\n    cacheContext(workInProgress, unmaskedContext, context);\n  }\n\n  return instance;\n}\n\nfunction callComponentWillMount(workInProgress, instance) {\n  var oldState = instance.state;\n\n  if (typeof instance.componentWillMount === 'function') {\n    instance.componentWillMount();\n  }\n\n  if (typeof instance.UNSAFE_componentWillMount === 'function') {\n    instance.UNSAFE_componentWillMount();\n  }\n\n  if (oldState !== instance.state) {\n    {\n      error('%s.componentWillMount(): Assigning directly to this.state is ' + \"deprecated (except inside a component's \" + 'constructor). Use setState instead.', getComponentNameFromFiber(workInProgress) || 'Component');\n    }\n\n    classComponentUpdater.enqueueReplaceState(instance, instance.state, null);\n  }\n}\n\nfunction callComponentWillReceiveProps(workInProgress, instance, newProps, nextContext) {\n  var oldState = instance.state;\n\n  if (typeof instance.componentWillReceiveProps === 'function') {\n    instance.componentWillReceiveProps(newProps, nextContext);\n  }\n\n  if (typeof instance.UNSAFE_componentWillReceiveProps === 'function') {\n    instance.UNSAFE_componentWillReceiveProps(newProps, nextContext);\n  }\n\n  if (instance.state !== oldState) {\n    {\n      var componentName = getComponentNameFromFiber(workInProgress) || 'Component';\n\n      if (!didWarnAboutStateAssignmentForComponent.has(componentName)) {\n        didWarnAboutStateAssignmentForComponent.add(componentName);\n\n        error('%s.componentWillReceiveProps(): Assigning directly to ' + \"this.state is deprecated (except inside a component's \" + 'constructor). Use setState instead.', componentName);\n      }\n    }\n\n    classComponentUpdater.enqueueReplaceState(instance, instance.state, null);\n  }\n} // Invokes the mount life-cycles on a previously never rendered instance.\n\n\nfunction mountClassInstance(workInProgress, ctor, newProps, renderLanes) {\n  {\n    checkClassInstance(workInProgress, ctor, newProps);\n  }\n\n  var instance = workInProgress.stateNode;\n  instance.props = newProps;\n  instance.state = workInProgress.memoizedState;\n  instance.refs = {};\n  initializeUpdateQueue(workInProgress);\n  var contextType = ctor.contextType;\n\n  if (typeof contextType === 'object' && contextType !== null) {\n    instance.context = readContext(contextType);\n  } else {\n    var unmaskedContext = getUnmaskedContext(workInProgress, ctor, true);\n    instance.context = getMaskedContext(workInProgress, unmaskedContext);\n  }\n\n  {\n    if (instance.state === newProps) {\n      var componentName = getComponentNameFromType(ctor) || 'Component';\n\n      if (!didWarnAboutDirectlyAssigningPropsToState.has(componentName)) {\n        didWarnAboutDirectlyAssigningPropsToState.add(componentName);\n\n        error('%s: It is not recommended to assign props directly to state ' + \"because updates to props won't be reflected in state. \" + 'In most cases, it is better to use props directly.', componentName);\n      }\n    }\n\n    if (workInProgress.mode & StrictLegacyMode) {\n      ReactStrictModeWarnings.recordLegacyContextWarning(workInProgress, instance);\n    }\n\n    {\n      ReactStrictModeWarnings.recordUnsafeLifecycleWarnings(workInProgress, instance);\n    }\n  }\n\n  instance.state = workInProgress.memoizedState;\n  var getDerivedStateFromProps = ctor.getDerivedStateFromProps;\n\n  if (typeof getDerivedStateFromProps === 'function') {\n    applyDerivedStateFromProps(workInProgress, ctor, getDerivedStateFromProps, newProps);\n    instance.state = workInProgress.memoizedState;\n  } // In order to support react-lifecycles-compat polyfilled components,\n  // Unsafe lifecycles should not be invoked for components using the new APIs.\n\n\n  if (typeof ctor.getDerivedStateFromProps !== 'function' && typeof instance.getSnapshotBeforeUpdate !== 'function' && (typeof instance.UNSAFE_componentWillMount === 'function' || typeof instance.componentWillMount === 'function')) {\n    callComponentWillMount(workInProgress, instance); // If we had additional state updates during this life-cycle, let's\n    // process them now.\n\n    processUpdateQueue(workInProgress, newProps, instance, renderLanes);\n    instance.state = workInProgress.memoizedState;\n  }\n\n  if (typeof instance.componentDidMount === 'function') {\n    var fiberFlags = Update;\n\n    {\n      fiberFlags |= LayoutStatic;\n    }\n\n    if ( (workInProgress.mode & StrictEffectsMode) !== NoMode) {\n      fiberFlags |= MountLayoutDev;\n    }\n\n    workInProgress.flags |= fiberFlags;\n  }\n}\n\nfunction resumeMountClassInstance(workInProgress, ctor, newProps, renderLanes) {\n  var instance = workInProgress.stateNode;\n  var oldProps = workInProgress.memoizedProps;\n  instance.props = oldProps;\n  var oldContext = instance.context;\n  var contextType = ctor.contextType;\n  var nextContext = emptyContextObject;\n\n  if (typeof contextType === 'object' && contextType !== null) {\n    nextContext = readContext(contextType);\n  } else {\n    var nextLegacyUnmaskedContext = getUnmaskedContext(workInProgress, ctor, true);\n    nextContext = getMaskedContext(workInProgress, nextLegacyUnmaskedContext);\n  }\n\n  var getDerivedStateFromProps = ctor.getDerivedStateFromProps;\n  var hasNewLifecycles = typeof getDerivedStateFromProps === 'function' || typeof instance.getSnapshotBeforeUpdate === 'function'; // Note: During these life-cycles, instance.props/instance.state are what\n  // ever the previously attempted to render - not the \"current\". However,\n  // during componentDidUpdate we pass the \"current\" props.\n  // In order to support react-lifecycles-compat polyfilled components,\n  // Unsafe lifecycles should not be invoked for components using the new APIs.\n\n  if (!hasNewLifecycles && (typeof instance.UNSAFE_componentWillReceiveProps === 'function' || typeof instance.componentWillReceiveProps === 'function')) {\n    if (oldProps !== newProps || oldContext !== nextContext) {\n      callComponentWillReceiveProps(workInProgress, instance, newProps, nextContext);\n    }\n  }\n\n  resetHasForceUpdateBeforeProcessing();\n  var oldState = workInProgress.memoizedState;\n  var newState = instance.state = oldState;\n  processUpdateQueue(workInProgress, newProps, instance, renderLanes);\n  newState = workInProgress.memoizedState;\n\n  if (oldProps === newProps && oldState === newState && !hasContextChanged() && !checkHasForceUpdateAfterProcessing()) {\n    // If an update was already in progress, we should schedule an Update\n    // effect even though we're bailing out, so that cWU/cDU are called.\n    if (typeof instance.componentDidMount === 'function') {\n      var fiberFlags = Update;\n\n      {\n        fiberFlags |= LayoutStatic;\n      }\n\n      if ( (workInProgress.mode & StrictEffectsMode) !== NoMode) {\n        fiberFlags |= MountLayoutDev;\n      }\n\n      workInProgress.flags |= fiberFlags;\n    }\n\n    return false;\n  }\n\n  if (typeof getDerivedStateFromProps === 'function') {\n    applyDerivedStateFromProps(workInProgress, ctor, getDerivedStateFromProps, newProps);\n    newState = workInProgress.memoizedState;\n  }\n\n  var shouldUpdate = checkHasForceUpdateAfterProcessing() || checkShouldComponentUpdate(workInProgress, ctor, oldProps, newProps, oldState, newState, nextContext);\n\n  if (shouldUpdate) {\n    // In order to support react-lifecycles-compat polyfilled components,\n    // Unsafe lifecycles should not be invoked for components using the new APIs.\n    if (!hasNewLifecycles && (typeof instance.UNSAFE_componentWillMount === 'function' || typeof instance.componentWillMount === 'function')) {\n      if (typeof instance.componentWillMount === 'function') {\n        instance.componentWillMount();\n      }\n\n      if (typeof instance.UNSAFE_componentWillMount === 'function') {\n        instance.UNSAFE_componentWillMount();\n      }\n    }\n\n    if (typeof instance.componentDidMount === 'function') {\n      var _fiberFlags = Update;\n\n      {\n        _fiberFlags |= LayoutStatic;\n      }\n\n      if ( (workInProgress.mode & StrictEffectsMode) !== NoMode) {\n        _fiberFlags |= MountLayoutDev;\n      }\n\n      workInProgress.flags |= _fiberFlags;\n    }\n  } else {\n    // If an update was already in progress, we should schedule an Update\n    // effect even though we're bailing out, so that cWU/cDU are called.\n    if (typeof instance.componentDidMount === 'function') {\n      var _fiberFlags2 = Update;\n\n      {\n        _fiberFlags2 |= LayoutStatic;\n      }\n\n      if ( (workInProgress.mode & StrictEffectsMode) !== NoMode) {\n        _fiberFlags2 |= MountLayoutDev;\n      }\n\n      workInProgress.flags |= _fiberFlags2;\n    } // If shouldComponentUpdate returned false, we should still update the\n    // memoized state to indicate that this work can be reused.\n\n\n    workInProgress.memoizedProps = newProps;\n    workInProgress.memoizedState = newState;\n  } // Update the existing instance's state, props, and context pointers even\n  // if shouldComponentUpdate returns false.\n\n\n  instance.props = newProps;\n  instance.state = newState;\n  instance.context = nextContext;\n  return shouldUpdate;\n} // Invokes the update life-cycles and returns false if it shouldn't rerender.\n\n\nfunction updateClassInstance(current, workInProgress, ctor, newProps, renderLanes) {\n  var instance = workInProgress.stateNode;\n  cloneUpdateQueue(current, workInProgress);\n  var unresolvedOldProps = workInProgress.memoizedProps;\n  var oldProps = workInProgress.type === workInProgress.elementType ? unresolvedOldProps : resolveDefaultProps(workInProgress.type, unresolvedOldProps);\n  instance.props = oldProps;\n  var unresolvedNewProps = workInProgress.pendingProps;\n  var oldContext = instance.context;\n  var contextType = ctor.contextType;\n  var nextContext = emptyContextObject;\n\n  if (typeof contextType === 'object' && contextType !== null) {\n    nextContext = readContext(contextType);\n  } else {\n    var nextUnmaskedContext = getUnmaskedContext(workInProgress, ctor, true);\n    nextContext = getMaskedContext(workInProgress, nextUnmaskedContext);\n  }\n\n  var getDerivedStateFromProps = ctor.getDerivedStateFromProps;\n  var hasNewLifecycles = typeof getDerivedStateFromProps === 'function' || typeof instance.getSnapshotBeforeUpdate === 'function'; // Note: During these life-cycles, instance.props/instance.state are what\n  // ever the previously attempted to render - not the \"current\". However,\n  // during componentDidUpdate we pass the \"current\" props.\n  // In order to support react-lifecycles-compat polyfilled components,\n  // Unsafe lifecycles should not be invoked for components using the new APIs.\n\n  if (!hasNewLifecycles && (typeof instance.UNSAFE_componentWillReceiveProps === 'function' || typeof instance.componentWillReceiveProps === 'function')) {\n    if (unresolvedOldProps !== unresolvedNewProps || oldContext !== nextContext) {\n      callComponentWillReceiveProps(workInProgress, instance, newProps, nextContext);\n    }\n  }\n\n  resetHasForceUpdateBeforeProcessing();\n  var oldState = workInProgress.memoizedState;\n  var newState = instance.state = oldState;\n  processUpdateQueue(workInProgress, newProps, instance, renderLanes);\n  newState = workInProgress.memoizedState;\n\n  if (unresolvedOldProps === unresolvedNewProps && oldState === newState && !hasContextChanged() && !checkHasForceUpdateAfterProcessing() && !(enableLazyContextPropagation   )) {\n    // If an update was already in progress, we should schedule an Update\n    // effect even though we're bailing out, so that cWU/cDU are called.\n    if (typeof instance.componentDidUpdate === 'function') {\n      if (unresolvedOldProps !== current.memoizedProps || oldState !== current.memoizedState) {\n        workInProgress.flags |= Update;\n      }\n    }\n\n    if (typeof instance.getSnapshotBeforeUpdate === 'function') {\n      if (unresolvedOldProps !== current.memoizedProps || oldState !== current.memoizedState) {\n        workInProgress.flags |= Snapshot;\n      }\n    }\n\n    return false;\n  }\n\n  if (typeof getDerivedStateFromProps === 'function') {\n    applyDerivedStateFromProps(workInProgress, ctor, getDerivedStateFromProps, newProps);\n    newState = workInProgress.memoizedState;\n  }\n\n  var shouldUpdate = checkHasForceUpdateAfterProcessing() || checkShouldComponentUpdate(workInProgress, ctor, oldProps, newProps, oldState, newState, nextContext) || // TODO: In some cases, we'll end up checking if context has changed twice,\n  // both before and after `shouldComponentUpdate` has been called. Not ideal,\n  // but I'm loath to refactor this function. This only happens for memoized\n  // components so it's not that common.\n  enableLazyContextPropagation   ;\n\n  if (shouldUpdate) {\n    // In order to support react-lifecycles-compat polyfilled components,\n    // Unsafe lifecycles should not be invoked for components using the new APIs.\n    if (!hasNewLifecycles && (typeof instance.UNSAFE_componentWillUpdate === 'function' || typeof instance.componentWillUpdate === 'function')) {\n      if (typeof instance.componentWillUpdate === 'function') {\n        instance.componentWillUpdate(newProps, newState, nextContext);\n      }\n\n      if (typeof instance.UNSAFE_componentWillUpdate === 'function') {\n        instance.UNSAFE_componentWillUpdate(newProps, newState, nextContext);\n      }\n    }\n\n    if (typeof instance.componentDidUpdate === 'function') {\n      workInProgress.flags |= Update;\n    }\n\n    if (typeof instance.getSnapshotBeforeUpdate === 'function') {\n      workInProgress.flags |= Snapshot;\n    }\n  } else {\n    // If an update was already in progress, we should schedule an Update\n    // effect even though we're bailing out, so that cWU/cDU are called.\n    if (typeof instance.componentDidUpdate === 'function') {\n      if (unresolvedOldProps !== current.memoizedProps || oldState !== current.memoizedState) {\n        workInProgress.flags |= Update;\n      }\n    }\n\n    if (typeof instance.getSnapshotBeforeUpdate === 'function') {\n      if (unresolvedOldProps !== current.memoizedProps || oldState !== current.memoizedState) {\n        workInProgress.flags |= Snapshot;\n      }\n    } // If shouldComponentUpdate returned false, we should still update the\n    // memoized props/state to indicate that this work can be reused.\n\n\n    workInProgress.memoizedProps = newProps;\n    workInProgress.memoizedState = newState;\n  } // Update the existing instance's state, props, and context pointers even\n  // if shouldComponentUpdate returns false.\n\n\n  instance.props = newProps;\n  instance.state = newState;\n  instance.context = nextContext;\n  return shouldUpdate;\n}\n\nfunction createCapturedValueAtFiber(value, source) {\n  // If the value is an error, call this function immediately after it is thrown\n  // so the stack is accurate.\n  return {\n    value: value,\n    source: source,\n    stack: getStackByFiberInDevAndProd(source),\n    digest: null\n  };\n}\nfunction createCapturedValue(value, digest, stack) {\n  return {\n    value: value,\n    source: null,\n    stack: stack != null ? stack : null,\n    digest: digest != null ? digest : null\n  };\n}\n\n// This module is forked in different environments.\n// By default, return `true` to log errors to the console.\n// Forks can return `false` if this isn't desirable.\nfunction showErrorDialog(boundary, errorInfo) {\n  return true;\n}\n\nfunction logCapturedError(boundary, errorInfo) {\n  try {\n    var logError = showErrorDialog(boundary, errorInfo); // Allow injected showErrorDialog() to prevent default console.error logging.\n    // This enables renderers like ReactNative to better manage redbox behavior.\n\n    if (logError === false) {\n      return;\n    }\n\n    var error = errorInfo.value;\n\n    if (true) {\n      var source = errorInfo.source;\n      var stack = errorInfo.stack;\n      var componentStack = stack !== null ? stack : ''; // Browsers support silencing uncaught errors by calling\n      // `preventDefault()` in window `error` handler.\n      // We record this information as an expando on the error.\n\n      if (error != null && error._suppressLogging) {\n        if (boundary.tag === ClassComponent) {\n          // The error is recoverable and was silenced.\n          // Ignore it and don't print the stack addendum.\n          // This is handy for testing error boundaries without noise.\n          return;\n        } // The error is fatal. Since the silencing might have\n        // been accidental, we'll surface it anyway.\n        // However, the browser would have silenced the original error\n        // so we'll print it first, and then print the stack addendum.\n\n\n        console['error'](error); // Don't transform to our wrapper\n        // For a more detailed description of this block, see:\n        // https://github.com/facebook/react/pull/13384\n      }\n\n      var componentName = source ? getComponentNameFromFiber(source) : null;\n      var componentNameMessage = componentName ? \"The above error occurred in the <\" + componentName + \"> component:\" : 'The above error occurred in one of your React components:';\n      var errorBoundaryMessage;\n\n      if (boundary.tag === HostRoot) {\n        errorBoundaryMessage = 'Consider adding an error boundary to your tree to customize error handling behavior.\\n' + 'Visit https://reactjs.org/link/error-boundaries to learn more about error boundaries.';\n      } else {\n        var errorBoundaryName = getComponentNameFromFiber(boundary) || 'Anonymous';\n        errorBoundaryMessage = \"React will try to recreate this component tree from scratch \" + (\"using the error boundary you provided, \" + errorBoundaryName + \".\");\n      }\n\n      var combinedMessage = componentNameMessage + \"\\n\" + componentStack + \"\\n\\n\" + (\"\" + errorBoundaryMessage); // In development, we provide our own message with just the component stack.\n      // We don't include the original error message and JS stack because the browser\n      // has already printed it. Even if the application swallows the error, it is still\n      // displayed by the browser thanks to the DEV-only fake event trick in ReactErrorUtils.\n\n      console['error'](combinedMessage); // Don't transform to our wrapper\n    } else {}\n  } catch (e) {\n    // This method must not throw, or React internal state will get messed up.\n    // If console.error is overridden, or logCapturedError() shows a dialog that throws,\n    // we want to report this error outside of the normal stack as a last resort.\n    // https://github.com/facebook/react/issues/13188\n    setTimeout(function () {\n      throw e;\n    });\n  }\n}\n\nvar PossiblyWeakMap$1 = typeof WeakMap === 'function' ? WeakMap : Map;\n\nfunction createRootErrorUpdate(fiber, errorInfo, lane) {\n  var update = createUpdate(NoTimestamp, lane); // Unmount the root by rendering null.\n\n  update.tag = CaptureUpdate; // Caution: React DevTools currently depends on this property\n  // being called \"element\".\n\n  update.payload = {\n    element: null\n  };\n  var error = errorInfo.value;\n\n  update.callback = function () {\n    onUncaughtError(error);\n    logCapturedError(fiber, errorInfo);\n  };\n\n  return update;\n}\n\nfunction createClassErrorUpdate(fiber, errorInfo, lane) {\n  var update = createUpdate(NoTimestamp, lane);\n  update.tag = CaptureUpdate;\n  var getDerivedStateFromError = fiber.type.getDerivedStateFromError;\n\n  if (typeof getDerivedStateFromError === 'function') {\n    var error$1 = errorInfo.value;\n\n    update.payload = function () {\n      return getDerivedStateFromError(error$1);\n    };\n\n    update.callback = function () {\n      {\n        markFailedErrorBoundaryForHotReloading(fiber);\n      }\n\n      logCapturedError(fiber, errorInfo);\n    };\n  }\n\n  var inst = fiber.stateNode;\n\n  if (inst !== null && typeof inst.componentDidCatch === 'function') {\n    update.callback = function callback() {\n      {\n        markFailedErrorBoundaryForHotReloading(fiber);\n      }\n\n      logCapturedError(fiber, errorInfo);\n\n      if (typeof getDerivedStateFromError !== 'function') {\n        // To preserve the preexisting retry behavior of error boundaries,\n        // we keep track of which ones already failed during this batch.\n        // This gets reset before we yield back to the browser.\n        // TODO: Warn in strict mode if getDerivedStateFromError is\n        // not defined.\n        markLegacyErrorBoundaryAsFailed(this);\n      }\n\n      var error$1 = errorInfo.value;\n      var stack = errorInfo.stack;\n      this.componentDidCatch(error$1, {\n        componentStack: stack !== null ? stack : ''\n      });\n\n      {\n        if (typeof getDerivedStateFromError !== 'function') {\n          // If componentDidCatch is the only error boundary method defined,\n          // then it needs to call setState to recover from errors.\n          // If no state update is scheduled then the boundary will swallow the error.\n          if (!includesSomeLane(fiber.lanes, SyncLane)) {\n            error('%s: Error boundaries should implement getDerivedStateFromError(). ' + 'In that method, return a state update to display an error message or fallback UI.', getComponentNameFromFiber(fiber) || 'Unknown');\n          }\n        }\n      }\n    };\n  }\n\n  return update;\n}\n\nfunction attachPingListener(root, wakeable, lanes) {\n  // Attach a ping listener\n  //\n  // The data might resolve before we have a chance to commit the fallback. Or,\n  // in the case of a refresh, we'll never commit a fallback. So we need to\n  // attach a listener now. When it resolves (\"pings\"), we can decide whether to\n  // try rendering the tree again.\n  //\n  // Only attach a listener if one does not already exist for the lanes\n  // we're currently rendering (which acts like a \"thread ID\" here).\n  //\n  // We only need to do this in concurrent mode. Legacy Suspense always\n  // commits fallbacks synchronously, so there are no pings.\n  var pingCache = root.pingCache;\n  var threadIDs;\n\n  if (pingCache === null) {\n    pingCache = root.pingCache = new PossiblyWeakMap$1();\n    threadIDs = new Set();\n    pingCache.set(wakeable, threadIDs);\n  } else {\n    threadIDs = pingCache.get(wakeable);\n\n    if (threadIDs === undefined) {\n      threadIDs = new Set();\n      pingCache.set(wakeable, threadIDs);\n    }\n  }\n\n  if (!threadIDs.has(lanes)) {\n    // Memoize using the thread ID to prevent redundant listeners.\n    threadIDs.add(lanes);\n    var ping = pingSuspendedRoot.bind(null, root, wakeable, lanes);\n\n    {\n      if (isDevToolsPresent) {\n        // If we have pending work still, restore the original updaters\n        restorePendingUpdaters(root, lanes);\n      }\n    }\n\n    wakeable.then(ping, ping);\n  }\n}\n\nfunction attachRetryListener(suspenseBoundary, root, wakeable, lanes) {\n  // Retry listener\n  //\n  // If the fallback does commit, we need to attach a different type of\n  // listener. This one schedules an update on the Suspense boundary to turn\n  // the fallback state off.\n  //\n  // Stash the wakeable on the boundary fiber so we can access it in the\n  // commit phase.\n  //\n  // When the wakeable resolves, we'll attempt to render the boundary\n  // again (\"retry\").\n  var wakeables = suspenseBoundary.updateQueue;\n\n  if (wakeables === null) {\n    var updateQueue = new Set();\n    updateQueue.add(wakeable);\n    suspenseBoundary.updateQueue = updateQueue;\n  } else {\n    wakeables.add(wakeable);\n  }\n}\n\nfunction resetSuspendedComponent(sourceFiber, rootRenderLanes) {\n  // A legacy mode Suspense quirk, only relevant to hook components.\n\n\n  var tag = sourceFiber.tag;\n\n  if ((sourceFiber.mode & ConcurrentMode) === NoMode && (tag === FunctionComponent || tag === ForwardRef || tag === SimpleMemoComponent)) {\n    var currentSource = sourceFiber.alternate;\n\n    if (currentSource) {\n      sourceFiber.updateQueue = currentSource.updateQueue;\n      sourceFiber.memoizedState = currentSource.memoizedState;\n      sourceFiber.lanes = currentSource.lanes;\n    } else {\n      sourceFiber.updateQueue = null;\n      sourceFiber.memoizedState = null;\n    }\n  }\n}\n\nfunction getNearestSuspenseBoundaryToCapture(returnFiber) {\n  var node = returnFiber;\n\n  do {\n    if (node.tag === SuspenseComponent && shouldCaptureSuspense(node)) {\n      return node;\n    } // This boundary already captured during this render. Continue to the next\n    // boundary.\n\n\n    node = node.return;\n  } while (node !== null);\n\n  return null;\n}\n\nfunction markSuspenseBoundaryShouldCapture(suspenseBoundary, returnFiber, sourceFiber, root, rootRenderLanes) {\n  // This marks a Suspense boundary so that when we're unwinding the stack,\n  // it captures the suspended \"exception\" and does a second (fallback) pass.\n  if ((suspenseBoundary.mode & ConcurrentMode) === NoMode) {\n    // Legacy Mode Suspense\n    //\n    // If the boundary is in legacy mode, we should *not*\n    // suspend the commit. Pretend as if the suspended component rendered\n    // null and keep rendering. When the Suspense boundary completes,\n    // we'll do a second pass to render the fallback.\n    if (suspenseBoundary === returnFiber) {\n      // Special case where we suspended while reconciling the children of\n      // a Suspense boundary's inner Offscreen wrapper fiber. This happens\n      // when a React.lazy component is a direct child of a\n      // Suspense boundary.\n      //\n      // Suspense boundaries are implemented as multiple fibers, but they\n      // are a single conceptual unit. The legacy mode behavior where we\n      // pretend the suspended fiber committed as `null` won't work,\n      // because in this case the \"suspended\" fiber is the inner\n      // Offscreen wrapper.\n      //\n      // Because the contents of the boundary haven't started rendering\n      // yet (i.e. nothing in the tree has partially rendered) we can\n      // switch to the regular, concurrent mode behavior: mark the\n      // boundary with ShouldCapture and enter the unwind phase.\n      suspenseBoundary.flags |= ShouldCapture;\n    } else {\n      suspenseBoundary.flags |= DidCapture;\n      sourceFiber.flags |= ForceUpdateForLegacySuspense; // We're going to commit this fiber even though it didn't complete.\n      // But we shouldn't call any lifecycle methods or callbacks. Remove\n      // all lifecycle effect tags.\n\n      sourceFiber.flags &= ~(LifecycleEffectMask | Incomplete);\n\n      if (sourceFiber.tag === ClassComponent) {\n        var currentSourceFiber = sourceFiber.alternate;\n\n        if (currentSourceFiber === null) {\n          // This is a new mount. Change the tag so it's not mistaken for a\n          // completed class component. For example, we should not call\n          // componentWillUnmount if it is deleted.\n          sourceFiber.tag = IncompleteClassComponent;\n        } else {\n          // When we try rendering again, we should not reuse the current fiber,\n          // since it's known to be in an inconsistent state. Use a force update to\n          // prevent a bail out.\n          var update = createUpdate(NoTimestamp, SyncLane);\n          update.tag = ForceUpdate;\n          enqueueUpdate(sourceFiber, update, SyncLane);\n        }\n      } // The source fiber did not complete. Mark it with Sync priority to\n      // indicate that it still has pending work.\n\n\n      sourceFiber.lanes = mergeLanes(sourceFiber.lanes, SyncLane);\n    }\n\n    return suspenseBoundary;\n  } // Confirmed that the boundary is in a concurrent mode tree. Continue\n  // with the normal suspend path.\n  //\n  // After this we'll use a set of heuristics to determine whether this\n  // render pass will run to completion or restart or \"suspend\" the commit.\n  // The actual logic for this is spread out in different places.\n  //\n  // This first principle is that if we're going to suspend when we complete\n  // a root, then we should also restart if we get an update or ping that\n  // might unsuspend it, and vice versa. The only reason to suspend is\n  // because you think you might want to restart before committing. However,\n  // it doesn't make sense to restart only while in the period we're suspended.\n  //\n  // Restarting too aggressively is also not good because it starves out any\n  // intermediate loading state. So we use heuristics to determine when.\n  // Suspense Heuristics\n  //\n  // If nothing threw a Promise or all the same fallbacks are already showing,\n  // then don't suspend/restart.\n  //\n  // If this is an initial render of a new tree of Suspense boundaries and\n  // those trigger a fallback, then don't suspend/restart. We want to ensure\n  // that we can show the initial loading state as quickly as possible.\n  //\n  // If we hit a \"Delayed\" case, such as when we'd switch from content back into\n  // a fallback, then we should always suspend/restart. Transitions apply\n  // to this case. If none is defined, JND is used instead.\n  //\n  // If we're already showing a fallback and it gets \"retried\", allowing us to show\n  // another level, but there's still an inner boundary that would show a fallback,\n  // then we suspend/restart for 500ms since the last time we showed a fallback\n  // anywhere in the tree. This effectively throttles progressive loading into a\n  // consistent train of commits. This also gives us an opportunity to restart to\n  // get to the completed state slightly earlier.\n  //\n  // If there's ambiguity due to batching it's resolved in preference of:\n  // 1) \"delayed\", 2) \"initial render\", 3) \"retry\".\n  //\n  // We want to ensure that a \"busy\" state doesn't get force committed. We want to\n  // ensure that new initial loading states can commit as soon as possible.\n\n\n  suspenseBoundary.flags |= ShouldCapture; // TODO: I think we can remove this, since we now use `DidCapture` in\n  // the begin phase to prevent an early bailout.\n\n  suspenseBoundary.lanes = rootRenderLanes;\n  return suspenseBoundary;\n}\n\nfunction throwException(root, returnFiber, sourceFiber, value, rootRenderLanes) {\n  // The source fiber did not complete.\n  sourceFiber.flags |= Incomplete;\n\n  {\n    if (isDevToolsPresent) {\n      // If we have pending work still, restore the original updaters\n      restorePendingUpdaters(root, rootRenderLanes);\n    }\n  }\n\n  if (value !== null && typeof value === 'object' && typeof value.then === 'function') {\n    // This is a wakeable. The component suspended.\n    var wakeable = value;\n    resetSuspendedComponent(sourceFiber);\n\n    {\n      if (getIsHydrating() && sourceFiber.mode & ConcurrentMode) {\n        markDidThrowWhileHydratingDEV();\n      }\n    }\n\n\n    var suspenseBoundary = getNearestSuspenseBoundaryToCapture(returnFiber);\n\n    if (suspenseBoundary !== null) {\n      suspenseBoundary.flags &= ~ForceClientRender;\n      markSuspenseBoundaryShouldCapture(suspenseBoundary, returnFiber, sourceFiber, root, rootRenderLanes); // We only attach ping listeners in concurrent mode. Legacy Suspense always\n      // commits fallbacks synchronously, so there are no pings.\n\n      if (suspenseBoundary.mode & ConcurrentMode) {\n        attachPingListener(root, wakeable, rootRenderLanes);\n      }\n\n      attachRetryListener(suspenseBoundary, root, wakeable);\n      return;\n    } else {\n      // No boundary was found. Unless this is a sync update, this is OK.\n      // We can suspend and wait for more data to arrive.\n      if (!includesSyncLane(rootRenderLanes)) {\n        // This is not a sync update. Suspend. Since we're not activating a\n        // Suspense boundary, this will unwind all the way to the root without\n        // performing a second pass to render a fallback. (This is arguably how\n        // refresh transitions should work, too, since we're not going to commit\n        // the fallbacks anyway.)\n        //\n        // This case also applies to initial hydration.\n        attachPingListener(root, wakeable, rootRenderLanes);\n        renderDidSuspendDelayIfPossible();\n        return;\n      } // This is a sync/discrete update. We treat this case like an error\n      // because discrete renders are expected to produce a complete tree\n      // synchronously to maintain consistency with external state.\n\n\n      var uncaughtSuspenseError = new Error('A component suspended while responding to synchronous input. This ' + 'will cause the UI to be replaced with a loading indicator. To ' + 'fix, updates that suspend should be wrapped ' + 'with startTransition.'); // If we're outside a transition, fall through to the regular error path.\n      // The error will be caught by the nearest suspense boundary.\n\n      value = uncaughtSuspenseError;\n    }\n  } else {\n    // This is a regular error, not a Suspense wakeable.\n    if (getIsHydrating() && sourceFiber.mode & ConcurrentMode) {\n      markDidThrowWhileHydratingDEV();\n\n      var _suspenseBoundary = getNearestSuspenseBoundaryToCapture(returnFiber); // If the error was thrown during hydration, we may be able to recover by\n      // discarding the dehydrated content and switching to a client render.\n      // Instead of surfacing the error, find the nearest Suspense boundary\n      // and render it again without hydration.\n\n\n      if (_suspenseBoundary !== null) {\n        if ((_suspenseBoundary.flags & ShouldCapture) === NoFlags) {\n          // Set a flag to indicate that we should try rendering the normal\n          // children again, not the fallback.\n          _suspenseBoundary.flags |= ForceClientRender;\n        }\n\n        markSuspenseBoundaryShouldCapture(_suspenseBoundary, returnFiber, sourceFiber, root, rootRenderLanes); // Even though the user may not be affected by this error, we should\n        // still log it so it can be fixed.\n\n        queueHydrationError(createCapturedValueAtFiber(value, sourceFiber));\n        return;\n      }\n    }\n  }\n\n  value = createCapturedValueAtFiber(value, sourceFiber);\n  renderDidError(value); // We didn't find a boundary that could handle this type of exception. Start\n  // over and traverse parent path again, this time treating the exception\n  // as an error.\n\n  var workInProgress = returnFiber;\n\n  do {\n    switch (workInProgress.tag) {\n      case HostRoot:\n        {\n          var _errorInfo = value;\n          workInProgress.flags |= ShouldCapture;\n          var lane = pickArbitraryLane(rootRenderLanes);\n          workInProgress.lanes = mergeLanes(workInProgress.lanes, lane);\n          var update = createRootErrorUpdate(workInProgress, _errorInfo, lane);\n          enqueueCapturedUpdate(workInProgress, update);\n          return;\n        }\n\n      case ClassComponent:\n        // Capture and retry\n        var errorInfo = value;\n        var ctor = workInProgress.type;\n        var instance = workInProgress.stateNode;\n\n        if ((workInProgress.flags & DidCapture) === NoFlags && (typeof ctor.getDerivedStateFromError === 'function' || instance !== null && typeof instance.componentDidCatch === 'function' && !isAlreadyFailedLegacyErrorBoundary(instance))) {\n          workInProgress.flags |= ShouldCapture;\n\n          var _lane = pickArbitraryLane(rootRenderLanes);\n\n          workInProgress.lanes = mergeLanes(workInProgress.lanes, _lane); // Schedule the error boundary to re-render using updated state\n\n          var _update = createClassErrorUpdate(workInProgress, errorInfo, _lane);\n\n          enqueueCapturedUpdate(workInProgress, _update);\n          return;\n        }\n\n        break;\n    }\n\n    workInProgress = workInProgress.return;\n  } while (workInProgress !== null);\n}\n\nfunction getSuspendedCache() {\n  {\n    return null;\n  } // This function is called when a Suspense boundary suspends. It returns the\n}\n\nvar ReactCurrentOwner$1 = ReactSharedInternals.ReactCurrentOwner;\nvar didReceiveUpdate = false;\nvar didWarnAboutBadClass;\nvar didWarnAboutModulePatternComponent;\nvar didWarnAboutContextTypeOnFunctionComponent;\nvar didWarnAboutGetDerivedStateOnFunctionComponent;\nvar didWarnAboutFunctionRefs;\nvar didWarnAboutReassigningProps;\nvar didWarnAboutRevealOrder;\nvar didWarnAboutTailOptions;\nvar didWarnAboutDefaultPropsOnFunctionComponent;\n\n{\n  didWarnAboutBadClass = {};\n  didWarnAboutModulePatternComponent = {};\n  didWarnAboutContextTypeOnFunctionComponent = {};\n  didWarnAboutGetDerivedStateOnFunctionComponent = {};\n  didWarnAboutFunctionRefs = {};\n  didWarnAboutReassigningProps = false;\n  didWarnAboutRevealOrder = {};\n  didWarnAboutTailOptions = {};\n  didWarnAboutDefaultPropsOnFunctionComponent = {};\n}\n\nfunction reconcileChildren(current, workInProgress, nextChildren, renderLanes) {\n  if (current === null) {\n    // If this is a fresh new component that hasn't been rendered yet, we\n    // won't update its child set by applying minimal side-effects. Instead,\n    // we will add them all to the child before it gets rendered. That means\n    // we can optimize this reconciliation pass by not tracking side-effects.\n    workInProgress.child = mountChildFibers(workInProgress, null, nextChildren, renderLanes);\n  } else {\n    // If the current child is the same as the work in progress, it means that\n    // we haven't yet started any work on these children. Therefore, we use\n    // the clone algorithm to create a copy of all the current children.\n    // If we had any progressed work already, that is invalid at this point so\n    // let's throw it out.\n    workInProgress.child = reconcileChildFibers(workInProgress, current.child, nextChildren, renderLanes);\n  }\n}\n\nfunction forceUnmountCurrentAndReconcile(current, workInProgress, nextChildren, renderLanes) {\n  // This function is fork of reconcileChildren. It's used in cases where we\n  // want to reconcile without matching against the existing set. This has the\n  // effect of all current children being unmounted; even if the type and key\n  // are the same, the old child is unmounted and a new child is created.\n  //\n  // To do this, we're going to go through the reconcile algorithm twice. In\n  // the first pass, we schedule a deletion for all the current children by\n  // passing null.\n  workInProgress.child = reconcileChildFibers(workInProgress, current.child, null, renderLanes); // In the second pass, we mount the new children. The trick here is that we\n  // pass null in place of where we usually pass the current child set. This has\n  // the effect of remounting all children regardless of whether their\n  // identities match.\n\n  workInProgress.child = reconcileChildFibers(workInProgress, null, nextChildren, renderLanes);\n}\n\nfunction updateForwardRef(current, workInProgress, Component, nextProps, renderLanes) {\n  // TODO: current can be non-null here even if the component\n  // hasn't yet mounted. This happens after the first render suspends.\n  // We'll need to figure out if this is fine or can cause issues.\n  {\n    if (workInProgress.type !== workInProgress.elementType) {\n      // Lazy component props can't be validated in createElement\n      // because they're only guaranteed to be resolved here.\n      var innerPropTypes = Component.propTypes;\n\n      if (innerPropTypes) {\n        checkPropTypes(innerPropTypes, nextProps, // Resolved props\n        'prop', getComponentNameFromType(Component));\n      }\n    }\n  }\n\n  var render = Component.render;\n  var ref = workInProgress.ref; // The rest is a fork of updateFunctionComponent\n\n  var nextChildren;\n  var hasId;\n  prepareToReadContext(workInProgress, renderLanes);\n\n  {\n    markComponentRenderStarted(workInProgress);\n  }\n\n  {\n    ReactCurrentOwner$1.current = workInProgress;\n    setIsRendering(true);\n    nextChildren = renderWithHooks(current, workInProgress, render, nextProps, ref, renderLanes);\n    hasId = checkDidRenderIdHook();\n\n    if ( workInProgress.mode & StrictLegacyMode) {\n      setIsStrictModeForDevtools(true);\n\n      try {\n        nextChildren = renderWithHooks(current, workInProgress, render, nextProps, ref, renderLanes);\n        hasId = checkDidRenderIdHook();\n      } finally {\n        setIsStrictModeForDevtools(false);\n      }\n    }\n\n    setIsRendering(false);\n  }\n\n  {\n    markComponentRenderStopped();\n  }\n\n  if (current !== null && !didReceiveUpdate) {\n    bailoutHooks(current, workInProgress, renderLanes);\n    return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n  }\n\n  if (getIsHydrating() && hasId) {\n    pushMaterializedTreeId(workInProgress);\n  } // React DevTools reads this flag.\n\n\n  workInProgress.flags |= PerformedWork;\n  reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  return workInProgress.child;\n}\n\nfunction updateMemoComponent(current, workInProgress, Component, nextProps, renderLanes) {\n  if (current === null) {\n    var type = Component.type;\n\n    if (isSimpleFunctionComponent(type) && Component.compare === null && // SimpleMemoComponent codepath doesn't resolve outer props either.\n    Component.defaultProps === undefined) {\n      var resolvedType = type;\n\n      {\n        resolvedType = resolveFunctionForHotReloading(type);\n      } // If this is a plain function component without default props,\n      // and with only the default shallow comparison, we upgrade it\n      // to a SimpleMemoComponent to allow fast path updates.\n\n\n      workInProgress.tag = SimpleMemoComponent;\n      workInProgress.type = resolvedType;\n\n      {\n        validateFunctionComponentInDev(workInProgress, type);\n      }\n\n      return updateSimpleMemoComponent(current, workInProgress, resolvedType, nextProps, renderLanes);\n    }\n\n    {\n      var innerPropTypes = type.propTypes;\n\n      if (innerPropTypes) {\n        // Inner memo component props aren't currently validated in createElement.\n        // We could move it there, but we'd still need this for lazy code path.\n        checkPropTypes(innerPropTypes, nextProps, // Resolved props\n        'prop', getComponentNameFromType(type));\n      }\n\n      if ( Component.defaultProps !== undefined) {\n        var componentName = getComponentNameFromType(type) || 'Unknown';\n\n        if (!didWarnAboutDefaultPropsOnFunctionComponent[componentName]) {\n          error('%s: Support for defaultProps will be removed from memo components ' + 'in a future major release. Use JavaScript default parameters instead.', componentName);\n\n          didWarnAboutDefaultPropsOnFunctionComponent[componentName] = true;\n        }\n      }\n    }\n\n    var child = createFiberFromTypeAndProps(Component.type, null, nextProps, workInProgress, workInProgress.mode, renderLanes);\n    child.ref = workInProgress.ref;\n    child.return = workInProgress;\n    workInProgress.child = child;\n    return child;\n  }\n\n  {\n    var _type = Component.type;\n    var _innerPropTypes = _type.propTypes;\n\n    if (_innerPropTypes) {\n      // Inner memo component props aren't currently validated in createElement.\n      // We could move it there, but we'd still need this for lazy code path.\n      checkPropTypes(_innerPropTypes, nextProps, // Resolved props\n      'prop', getComponentNameFromType(_type));\n    }\n  }\n\n  var currentChild = current.child; // This is always exactly one child\n\n  var hasScheduledUpdateOrContext = checkScheduledUpdateOrContext(current, renderLanes);\n\n  if (!hasScheduledUpdateOrContext) {\n    // This will be the props with resolved defaultProps,\n    // unlike current.memoizedProps which will be the unresolved ones.\n    var prevProps = currentChild.memoizedProps; // Default to shallow comparison\n\n    var compare = Component.compare;\n    compare = compare !== null ? compare : shallowEqual;\n\n    if (compare(prevProps, nextProps) && current.ref === workInProgress.ref) {\n      return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n    }\n  } // React DevTools reads this flag.\n\n\n  workInProgress.flags |= PerformedWork;\n  var newChild = createWorkInProgress(currentChild, nextProps);\n  newChild.ref = workInProgress.ref;\n  newChild.return = workInProgress;\n  workInProgress.child = newChild;\n  return newChild;\n}\n\nfunction updateSimpleMemoComponent(current, workInProgress, Component, nextProps, renderLanes) {\n  // TODO: current can be non-null here even if the component\n  // hasn't yet mounted. This happens when the inner render suspends.\n  // We'll need to figure out if this is fine or can cause issues.\n  {\n    if (workInProgress.type !== workInProgress.elementType) {\n      // Lazy component props can't be validated in createElement\n      // because they're only guaranteed to be resolved here.\n      var outerMemoType = workInProgress.elementType;\n\n      if (outerMemoType.$$typeof === REACT_LAZY_TYPE) {\n        // We warn when you define propTypes on lazy()\n        // so let's just skip over it to find memo() outer wrapper.\n        // Inner props for memo are validated later.\n        var lazyComponent = outerMemoType;\n        var payload = lazyComponent._payload;\n        var init = lazyComponent._init;\n\n        try {\n          outerMemoType = init(payload);\n        } catch (x) {\n          outerMemoType = null;\n        } // Inner propTypes will be validated in the function component path.\n\n\n        var outerPropTypes = outerMemoType && outerMemoType.propTypes;\n\n        if (outerPropTypes) {\n          checkPropTypes(outerPropTypes, nextProps, // Resolved (SimpleMemoComponent has no defaultProps)\n          'prop', getComponentNameFromType(outerMemoType));\n        }\n      }\n    }\n  }\n\n  if (current !== null) {\n    var prevProps = current.memoizedProps;\n\n    if (shallowEqual(prevProps, nextProps) && current.ref === workInProgress.ref && ( // Prevent bailout if the implementation changed due to hot reload.\n     workInProgress.type === current.type )) {\n      didReceiveUpdate = false; // The props are shallowly equal. Reuse the previous props object, like we\n      // would during a normal fiber bailout.\n      //\n      // We don't have strong guarantees that the props object is referentially\n      // equal during updates where we can't bail out anyway — like if the props\n      // are shallowly equal, but there's a local state or context update in the\n      // same batch.\n      //\n      // However, as a principle, we should aim to make the behavior consistent\n      // across different ways of memoizing a component. For example, React.memo\n      // has a different internal Fiber layout if you pass a normal function\n      // component (SimpleMemoComponent) versus if you pass a different type\n      // like forwardRef (MemoComponent). But this is an implementation detail.\n      // Wrapping a component in forwardRef (or React.lazy, etc) shouldn't\n      // affect whether the props object is reused during a bailout.\n\n      workInProgress.pendingProps = nextProps = prevProps;\n\n      if (!checkScheduledUpdateOrContext(current, renderLanes)) {\n        // The pending lanes were cleared at the beginning of beginWork. We're\n        // about to bail out, but there might be other lanes that weren't\n        // included in the current render. Usually, the priority level of the\n        // remaining updates is accumulated during the evaluation of the\n        // component (i.e. when processing the update queue). But since since\n        // we're bailing out early *without* evaluating the component, we need\n        // to account for it here, too. Reset to the value of the current fiber.\n        // NOTE: This only applies to SimpleMemoComponent, not MemoComponent,\n        // because a MemoComponent fiber does not have hooks or an update queue;\n        // rather, it wraps around an inner component, which may or may not\n        // contains hooks.\n        // TODO: Move the reset at in beginWork out of the common path so that\n        // this is no longer necessary.\n        workInProgress.lanes = current.lanes;\n        return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n      } else if ((current.flags & ForceUpdateForLegacySuspense) !== NoFlags) {\n        // This is a special case that only exists for legacy mode.\n        // See https://github.com/facebook/react/pull/19216.\n        didReceiveUpdate = true;\n      }\n    }\n  }\n\n  return updateFunctionComponent(current, workInProgress, Component, nextProps, renderLanes);\n}\n\nfunction updateOffscreenComponent(current, workInProgress, renderLanes) {\n  var nextProps = workInProgress.pendingProps;\n  var nextChildren = nextProps.children;\n  var prevState = current !== null ? current.memoizedState : null;\n\n  if (nextProps.mode === 'hidden' || enableLegacyHidden ) {\n    // Rendering a hidden tree.\n    if ((workInProgress.mode & ConcurrentMode) === NoMode) {\n      // In legacy sync mode, don't defer the subtree. Render it now.\n      // TODO: Consider how Offscreen should work with transitions in the future\n      var nextState = {\n        baseLanes: NoLanes,\n        cachePool: null,\n        transitions: null\n      };\n      workInProgress.memoizedState = nextState;\n\n      pushRenderLanes(workInProgress, renderLanes);\n    } else if (!includesSomeLane(renderLanes, OffscreenLane)) {\n      var spawnedCachePool = null; // We're hidden, and we're not rendering at Offscreen. We will bail out\n      // and resume this tree later.\n\n      var nextBaseLanes;\n\n      if (prevState !== null) {\n        var prevBaseLanes = prevState.baseLanes;\n        nextBaseLanes = mergeLanes(prevBaseLanes, renderLanes);\n      } else {\n        nextBaseLanes = renderLanes;\n      } // Schedule this fiber to re-render at offscreen priority. Then bailout.\n\n\n      workInProgress.lanes = workInProgress.childLanes = laneToLanes(OffscreenLane);\n      var _nextState = {\n        baseLanes: nextBaseLanes,\n        cachePool: spawnedCachePool,\n        transitions: null\n      };\n      workInProgress.memoizedState = _nextState;\n      workInProgress.updateQueue = null;\n      // to avoid a push/pop misalignment.\n\n\n      pushRenderLanes(workInProgress, nextBaseLanes);\n\n      return null;\n    } else {\n      // This is the second render. The surrounding visible content has already\n      // committed. Now we resume rendering the hidden tree.\n      // Rendering at offscreen, so we can clear the base lanes.\n      var _nextState2 = {\n        baseLanes: NoLanes,\n        cachePool: null,\n        transitions: null\n      };\n      workInProgress.memoizedState = _nextState2; // Push the lanes that were skipped when we bailed out.\n\n      var subtreeRenderLanes = prevState !== null ? prevState.baseLanes : renderLanes;\n\n      pushRenderLanes(workInProgress, subtreeRenderLanes);\n    }\n  } else {\n    // Rendering a visible tree.\n    var _subtreeRenderLanes;\n\n    if (prevState !== null) {\n      // We're going from hidden -> visible.\n      _subtreeRenderLanes = mergeLanes(prevState.baseLanes, renderLanes);\n\n      workInProgress.memoizedState = null;\n    } else {\n      // We weren't previously hidden, and we still aren't, so there's nothing\n      // special to do. Need to push to the stack regardless, though, to avoid\n      // a push/pop misalignment.\n      _subtreeRenderLanes = renderLanes;\n    }\n\n    pushRenderLanes(workInProgress, _subtreeRenderLanes);\n  }\n\n  reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  return workInProgress.child;\n} // Note: These happen to have identical begin phases, for now. We shouldn't hold\n\nfunction updateFragment(current, workInProgress, renderLanes) {\n  var nextChildren = workInProgress.pendingProps;\n  reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  return workInProgress.child;\n}\n\nfunction updateMode(current, workInProgress, renderLanes) {\n  var nextChildren = workInProgress.pendingProps.children;\n  reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  return workInProgress.child;\n}\n\nfunction updateProfiler(current, workInProgress, renderLanes) {\n  {\n    workInProgress.flags |= Update;\n\n    {\n      // Reset effect durations for the next eventual effect phase.\n      // These are reset during render to allow the DevTools commit hook a chance to read them,\n      var stateNode = workInProgress.stateNode;\n      stateNode.effectDuration = 0;\n      stateNode.passiveEffectDuration = 0;\n    }\n  }\n\n  var nextProps = workInProgress.pendingProps;\n  var nextChildren = nextProps.children;\n  reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  return workInProgress.child;\n}\n\nfunction markRef(current, workInProgress) {\n  var ref = workInProgress.ref;\n\n  if (current === null && ref !== null || current !== null && current.ref !== ref) {\n    // Schedule a Ref effect\n    workInProgress.flags |= Ref;\n\n    {\n      workInProgress.flags |= RefStatic;\n    }\n  }\n}\n\nfunction updateFunctionComponent(current, workInProgress, Component, nextProps, renderLanes) {\n  {\n    if (workInProgress.type !== workInProgress.elementType) {\n      // Lazy component props can't be validated in createElement\n      // because they're only guaranteed to be resolved here.\n      var innerPropTypes = Component.propTypes;\n\n      if (innerPropTypes) {\n        checkPropTypes(innerPropTypes, nextProps, // Resolved props\n        'prop', getComponentNameFromType(Component));\n      }\n    }\n  }\n\n  var context;\n\n  {\n    var unmaskedContext = getUnmaskedContext(workInProgress, Component, true);\n    context = getMaskedContext(workInProgress, unmaskedContext);\n  }\n\n  var nextChildren;\n  var hasId;\n  prepareToReadContext(workInProgress, renderLanes);\n\n  {\n    markComponentRenderStarted(workInProgress);\n  }\n\n  {\n    ReactCurrentOwner$1.current = workInProgress;\n    setIsRendering(true);\n    nextChildren = renderWithHooks(current, workInProgress, Component, nextProps, context, renderLanes);\n    hasId = checkDidRenderIdHook();\n\n    if ( workInProgress.mode & StrictLegacyMode) {\n      setIsStrictModeForDevtools(true);\n\n      try {\n        nextChildren = renderWithHooks(current, workInProgress, Component, nextProps, context, renderLanes);\n        hasId = checkDidRenderIdHook();\n      } finally {\n        setIsStrictModeForDevtools(false);\n      }\n    }\n\n    setIsRendering(false);\n  }\n\n  {\n    markComponentRenderStopped();\n  }\n\n  if (current !== null && !didReceiveUpdate) {\n    bailoutHooks(current, workInProgress, renderLanes);\n    return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n  }\n\n  if (getIsHydrating() && hasId) {\n    pushMaterializedTreeId(workInProgress);\n  } // React DevTools reads this flag.\n\n\n  workInProgress.flags |= PerformedWork;\n  reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  return workInProgress.child;\n}\n\nfunction updateClassComponent(current, workInProgress, Component, nextProps, renderLanes) {\n  {\n    // This is used by DevTools to force a boundary to error.\n    switch (shouldError(workInProgress)) {\n      case false:\n        {\n          var _instance = workInProgress.stateNode;\n          var ctor = workInProgress.type; // TODO This way of resetting the error boundary state is a hack.\n          // Is there a better way to do this?\n\n          var tempInstance = new ctor(workInProgress.memoizedProps, _instance.context);\n          var state = tempInstance.state;\n\n          _instance.updater.enqueueSetState(_instance, state, null);\n\n          break;\n        }\n\n      case true:\n        {\n          workInProgress.flags |= DidCapture;\n          workInProgress.flags |= ShouldCapture; // eslint-disable-next-line react-internal/prod-error-codes\n\n          var error$1 = new Error('Simulated error coming from DevTools');\n          var lane = pickArbitraryLane(renderLanes);\n          workInProgress.lanes = mergeLanes(workInProgress.lanes, lane); // Schedule the error boundary to re-render using updated state\n\n          var update = createClassErrorUpdate(workInProgress, createCapturedValueAtFiber(error$1, workInProgress), lane);\n          enqueueCapturedUpdate(workInProgress, update);\n          break;\n        }\n    }\n\n    if (workInProgress.type !== workInProgress.elementType) {\n      // Lazy component props can't be validated in createElement\n      // because they're only guaranteed to be resolved here.\n      var innerPropTypes = Component.propTypes;\n\n      if (innerPropTypes) {\n        checkPropTypes(innerPropTypes, nextProps, // Resolved props\n        'prop', getComponentNameFromType(Component));\n      }\n    }\n  } // Push context providers early to prevent context stack mismatches.\n  // During mounting we don't know the child context yet as the instance doesn't exist.\n  // We will invalidate the child context in finishClassComponent() right after rendering.\n\n\n  var hasContext;\n\n  if (isContextProvider(Component)) {\n    hasContext = true;\n    pushContextProvider(workInProgress);\n  } else {\n    hasContext = false;\n  }\n\n  prepareToReadContext(workInProgress, renderLanes);\n  var instance = workInProgress.stateNode;\n  var shouldUpdate;\n\n  if (instance === null) {\n    resetSuspendedCurrentOnMountInLegacyMode(current, workInProgress); // In the initial pass we might need to construct the instance.\n\n    constructClassInstance(workInProgress, Component, nextProps);\n    mountClassInstance(workInProgress, Component, nextProps, renderLanes);\n    shouldUpdate = true;\n  } else if (current === null) {\n    // In a resume, we'll already have an instance we can reuse.\n    shouldUpdate = resumeMountClassInstance(workInProgress, Component, nextProps, renderLanes);\n  } else {\n    shouldUpdate = updateClassInstance(current, workInProgress, Component, nextProps, renderLanes);\n  }\n\n  var nextUnitOfWork = finishClassComponent(current, workInProgress, Component, shouldUpdate, hasContext, renderLanes);\n\n  {\n    var inst = workInProgress.stateNode;\n\n    if (shouldUpdate && inst.props !== nextProps) {\n      if (!didWarnAboutReassigningProps) {\n        error('It looks like %s is reassigning its own `this.props` while rendering. ' + 'This is not supported and can lead to confusing bugs.', getComponentNameFromFiber(workInProgress) || 'a component');\n      }\n\n      didWarnAboutReassigningProps = true;\n    }\n  }\n\n  return nextUnitOfWork;\n}\n\nfunction finishClassComponent(current, workInProgress, Component, shouldUpdate, hasContext, renderLanes) {\n  // Refs should update even if shouldComponentUpdate returns false\n  markRef(current, workInProgress);\n  var didCaptureError = (workInProgress.flags & DidCapture) !== NoFlags;\n\n  if (!shouldUpdate && !didCaptureError) {\n    // Context providers should defer to sCU for rendering\n    if (hasContext) {\n      invalidateContextProvider(workInProgress, Component, false);\n    }\n\n    return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n  }\n\n  var instance = workInProgress.stateNode; // Rerender\n\n  ReactCurrentOwner$1.current = workInProgress;\n  var nextChildren;\n\n  if (didCaptureError && typeof Component.getDerivedStateFromError !== 'function') {\n    // If we captured an error, but getDerivedStateFromError is not defined,\n    // unmount all the children. componentDidCatch will schedule an update to\n    // re-render a fallback. This is temporary until we migrate everyone to\n    // the new API.\n    // TODO: Warn in a future release.\n    nextChildren = null;\n\n    {\n      stopProfilerTimerIfRunning();\n    }\n  } else {\n    {\n      markComponentRenderStarted(workInProgress);\n    }\n\n    {\n      setIsRendering(true);\n      nextChildren = instance.render();\n\n      if ( workInProgress.mode & StrictLegacyMode) {\n        setIsStrictModeForDevtools(true);\n\n        try {\n          instance.render();\n        } finally {\n          setIsStrictModeForDevtools(false);\n        }\n      }\n\n      setIsRendering(false);\n    }\n\n    {\n      markComponentRenderStopped();\n    }\n  } // React DevTools reads this flag.\n\n\n  workInProgress.flags |= PerformedWork;\n\n  if (current !== null && didCaptureError) {\n    // If we're recovering from an error, reconcile without reusing any of\n    // the existing children. Conceptually, the normal children and the children\n    // that are shown on error are two different sets, so we shouldn't reuse\n    // normal children even if their identities match.\n    forceUnmountCurrentAndReconcile(current, workInProgress, nextChildren, renderLanes);\n  } else {\n    reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  } // Memoize state using the values we just used to render.\n  // TODO: Restructure so we never read values from the instance.\n\n\n  workInProgress.memoizedState = instance.state; // The context might have changed so we need to recalculate it.\n\n  if (hasContext) {\n    invalidateContextProvider(workInProgress, Component, true);\n  }\n\n  return workInProgress.child;\n}\n\nfunction pushHostRootContext(workInProgress) {\n  var root = workInProgress.stateNode;\n\n  if (root.pendingContext) {\n    pushTopLevelContextObject(workInProgress, root.pendingContext, root.pendingContext !== root.context);\n  } else if (root.context) {\n    // Should always be set\n    pushTopLevelContextObject(workInProgress, root.context, false);\n  }\n\n  pushHostContainer(workInProgress, root.containerInfo);\n}\n\nfunction updateHostRoot(current, workInProgress, renderLanes) {\n  pushHostRootContext(workInProgress);\n\n  if (current === null) {\n    throw new Error('Should have a current fiber. This is a bug in React.');\n  }\n\n  var nextProps = workInProgress.pendingProps;\n  var prevState = workInProgress.memoizedState;\n  var prevChildren = prevState.element;\n  cloneUpdateQueue(current, workInProgress);\n  processUpdateQueue(workInProgress, nextProps, null, renderLanes);\n  var nextState = workInProgress.memoizedState;\n  var root = workInProgress.stateNode;\n  // being called \"element\".\n\n\n  var nextChildren = nextState.element;\n\n  if ( prevState.isDehydrated) {\n    // This is a hydration root whose shell has not yet hydrated. We should\n    // attempt to hydrate.\n    // Flip isDehydrated to false to indicate that when this render\n    // finishes, the root will no longer be dehydrated.\n    var overrideState = {\n      element: nextChildren,\n      isDehydrated: false,\n      cache: nextState.cache,\n      pendingSuspenseBoundaries: nextState.pendingSuspenseBoundaries,\n      transitions: nextState.transitions\n    };\n    var updateQueue = workInProgress.updateQueue; // `baseState` can always be the last state because the root doesn't\n    // have reducer functions so it doesn't need rebasing.\n\n    updateQueue.baseState = overrideState;\n    workInProgress.memoizedState = overrideState;\n\n    if (workInProgress.flags & ForceClientRender) {\n      // Something errored during a previous attempt to hydrate the shell, so we\n      // forced a client render.\n      var recoverableError = createCapturedValueAtFiber(new Error('There was an error while hydrating. Because the error happened outside ' + 'of a Suspense boundary, the entire root will switch to ' + 'client rendering.'), workInProgress);\n      return mountHostRootWithoutHydrating(current, workInProgress, nextChildren, renderLanes, recoverableError);\n    } else if (nextChildren !== prevChildren) {\n      var _recoverableError = createCapturedValueAtFiber(new Error('This root received an early update, before anything was able ' + 'hydrate. Switched the entire root to client rendering.'), workInProgress);\n\n      return mountHostRootWithoutHydrating(current, workInProgress, nextChildren, renderLanes, _recoverableError);\n    } else {\n      // The outermost shell has not hydrated yet. Start hydrating.\n      enterHydrationState(workInProgress);\n\n      var child = mountChildFibers(workInProgress, null, nextChildren, renderLanes);\n      workInProgress.child = child;\n      var node = child;\n\n      while (node) {\n        // Mark each child as hydrating. This is a fast path to know whether this\n        // tree is part of a hydrating tree. This is used to determine if a child\n        // node has fully mounted yet, and for scheduling event replaying.\n        // Conceptually this is similar to Placement in that a new subtree is\n        // inserted into the React tree here. It just happens to not need DOM\n        // mutations because it already exists.\n        node.flags = node.flags & ~Placement | Hydrating;\n        node = node.sibling;\n      }\n    }\n  } else {\n    // Root is not dehydrated. Either this is a client-only root, or it\n    // already hydrated.\n    resetHydrationState();\n\n    if (nextChildren === prevChildren) {\n      return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n    }\n\n    reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  }\n\n  return workInProgress.child;\n}\n\nfunction mountHostRootWithoutHydrating(current, workInProgress, nextChildren, renderLanes, recoverableError) {\n  // Revert to client rendering.\n  resetHydrationState();\n  queueHydrationError(recoverableError);\n  workInProgress.flags |= ForceClientRender;\n  reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  return workInProgress.child;\n}\n\nfunction updateHostComponent(current, workInProgress, renderLanes) {\n  pushHostContext(workInProgress);\n\n  if (current === null) {\n    tryToClaimNextHydratableInstance(workInProgress);\n  }\n\n  var type = workInProgress.type;\n  var nextProps = workInProgress.pendingProps;\n  var prevProps = current !== null ? current.memoizedProps : null;\n  var nextChildren = nextProps.children;\n  var isDirectTextChild = shouldSetTextContent(type, nextProps);\n\n  if (isDirectTextChild) {\n    // We special case a direct text child of a host node. This is a common\n    // case. We won't handle it as a reified child. We will instead handle\n    // this in the host environment that also has access to this prop. That\n    // avoids allocating another HostText fiber and traversing it.\n    nextChildren = null;\n  } else if (prevProps !== null && shouldSetTextContent(type, prevProps)) {\n    // If we're switching from a direct text child to a normal child, or to\n    // empty, we need to schedule the text content to be reset.\n    workInProgress.flags |= ContentReset;\n  }\n\n  markRef(current, workInProgress);\n  reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  return workInProgress.child;\n}\n\nfunction updateHostText(current, workInProgress) {\n  if (current === null) {\n    tryToClaimNextHydratableInstance(workInProgress);\n  } // Nothing to do here. This is terminal. We'll do the completion step\n  // immediately after.\n\n\n  return null;\n}\n\nfunction mountLazyComponent(_current, workInProgress, elementType, renderLanes) {\n  resetSuspendedCurrentOnMountInLegacyMode(_current, workInProgress);\n  var props = workInProgress.pendingProps;\n  var lazyComponent = elementType;\n  var payload = lazyComponent._payload;\n  var init = lazyComponent._init;\n  var Component = init(payload); // Store the unwrapped component in the type.\n\n  workInProgress.type = Component;\n  var resolvedTag = workInProgress.tag = resolveLazyComponentTag(Component);\n  var resolvedProps = resolveDefaultProps(Component, props);\n  var child;\n\n  switch (resolvedTag) {\n    case FunctionComponent:\n      {\n        {\n          validateFunctionComponentInDev(workInProgress, Component);\n          workInProgress.type = Component = resolveFunctionForHotReloading(Component);\n        }\n\n        child = updateFunctionComponent(null, workInProgress, Component, resolvedProps, renderLanes);\n        return child;\n      }\n\n    case ClassComponent:\n      {\n        {\n          workInProgress.type = Component = resolveClassForHotReloading(Component);\n        }\n\n        child = updateClassComponent(null, workInProgress, Component, resolvedProps, renderLanes);\n        return child;\n      }\n\n    case ForwardRef:\n      {\n        {\n          workInProgress.type = Component = resolveForwardRefForHotReloading(Component);\n        }\n\n        child = updateForwardRef(null, workInProgress, Component, resolvedProps, renderLanes);\n        return child;\n      }\n\n    case MemoComponent:\n      {\n        {\n          if (workInProgress.type !== workInProgress.elementType) {\n            var outerPropTypes = Component.propTypes;\n\n            if (outerPropTypes) {\n              checkPropTypes(outerPropTypes, resolvedProps, // Resolved for outer only\n              'prop', getComponentNameFromType(Component));\n            }\n          }\n        }\n\n        child = updateMemoComponent(null, workInProgress, Component, resolveDefaultProps(Component.type, resolvedProps), // The inner type can have defaults too\n        renderLanes);\n        return child;\n      }\n  }\n\n  var hint = '';\n\n  {\n    if (Component !== null && typeof Component === 'object' && Component.$$typeof === REACT_LAZY_TYPE) {\n      hint = ' Did you wrap a component in React.lazy() more than once?';\n    }\n  } // This message intentionally doesn't mention ForwardRef or MemoComponent\n  // because the fact that it's a separate type of work is an\n  // implementation detail.\n\n\n  throw new Error(\"Element type is invalid. Received a promise that resolves to: \" + Component + \". \" + (\"Lazy element type must resolve to a class or function.\" + hint));\n}\n\nfunction mountIncompleteClassComponent(_current, workInProgress, Component, nextProps, renderLanes) {\n  resetSuspendedCurrentOnMountInLegacyMode(_current, workInProgress); // Promote the fiber to a class and try rendering again.\n\n  workInProgress.tag = ClassComponent; // The rest of this function is a fork of `updateClassComponent`\n  // Push context providers early to prevent context stack mismatches.\n  // During mounting we don't know the child context yet as the instance doesn't exist.\n  // We will invalidate the child context in finishClassComponent() right after rendering.\n\n  var hasContext;\n\n  if (isContextProvider(Component)) {\n    hasContext = true;\n    pushContextProvider(workInProgress);\n  } else {\n    hasContext = false;\n  }\n\n  prepareToReadContext(workInProgress, renderLanes);\n  constructClassInstance(workInProgress, Component, nextProps);\n  mountClassInstance(workInProgress, Component, nextProps, renderLanes);\n  return finishClassComponent(null, workInProgress, Component, true, hasContext, renderLanes);\n}\n\nfunction mountIndeterminateComponent(_current, workInProgress, Component, renderLanes) {\n  resetSuspendedCurrentOnMountInLegacyMode(_current, workInProgress);\n  var props = workInProgress.pendingProps;\n  var context;\n\n  {\n    var unmaskedContext = getUnmaskedContext(workInProgress, Component, false);\n    context = getMaskedContext(workInProgress, unmaskedContext);\n  }\n\n  prepareToReadContext(workInProgress, renderLanes);\n  var value;\n  var hasId;\n\n  {\n    markComponentRenderStarted(workInProgress);\n  }\n\n  {\n    if (Component.prototype && typeof Component.prototype.render === 'function') {\n      var componentName = getComponentNameFromType(Component) || 'Unknown';\n\n      if (!didWarnAboutBadClass[componentName]) {\n        error(\"The <%s /> component appears to have a render method, but doesn't extend React.Component. \" + 'This is likely to cause errors. Change %s to extend React.Component instead.', componentName, componentName);\n\n        didWarnAboutBadClass[componentName] = true;\n      }\n    }\n\n    if (workInProgress.mode & StrictLegacyMode) {\n      ReactStrictModeWarnings.recordLegacyContextWarning(workInProgress, null);\n    }\n\n    setIsRendering(true);\n    ReactCurrentOwner$1.current = workInProgress;\n    value = renderWithHooks(null, workInProgress, Component, props, context, renderLanes);\n    hasId = checkDidRenderIdHook();\n    setIsRendering(false);\n  }\n\n  {\n    markComponentRenderStopped();\n  } // React DevTools reads this flag.\n\n\n  workInProgress.flags |= PerformedWork;\n\n  {\n    // Support for module components is deprecated and is removed behind a flag.\n    // Whether or not it would crash later, we want to show a good message in DEV first.\n    if (typeof value === 'object' && value !== null && typeof value.render === 'function' && value.$$typeof === undefined) {\n      var _componentName = getComponentNameFromType(Component) || 'Unknown';\n\n      if (!didWarnAboutModulePatternComponent[_componentName]) {\n        error('The <%s /> component appears to be a function component that returns a class instance. ' + 'Change %s to a class that extends React.Component instead. ' + \"If you can't use a class try assigning the prototype on the function as a workaround. \" + \"`%s.prototype = React.Component.prototype`. Don't use an arrow function since it \" + 'cannot be called with `new` by React.', _componentName, _componentName, _componentName);\n\n        didWarnAboutModulePatternComponent[_componentName] = true;\n      }\n    }\n  }\n\n  if ( // Run these checks in production only if the flag is off.\n  // Eventually we'll delete this branch altogether.\n   typeof value === 'object' && value !== null && typeof value.render === 'function' && value.$$typeof === undefined) {\n    {\n      var _componentName2 = getComponentNameFromType(Component) || 'Unknown';\n\n      if (!didWarnAboutModulePatternComponent[_componentName2]) {\n        error('The <%s /> component appears to be a function component that returns a class instance. ' + 'Change %s to a class that extends React.Component instead. ' + \"If you can't use a class try assigning the prototype on the function as a workaround. \" + \"`%s.prototype = React.Component.prototype`. Don't use an arrow function since it \" + 'cannot be called with `new` by React.', _componentName2, _componentName2, _componentName2);\n\n        didWarnAboutModulePatternComponent[_componentName2] = true;\n      }\n    } // Proceed under the assumption that this is a class instance\n\n\n    workInProgress.tag = ClassComponent; // Throw out any hooks that were used.\n\n    workInProgress.memoizedState = null;\n    workInProgress.updateQueue = null; // Push context providers early to prevent context stack mismatches.\n    // During mounting we don't know the child context yet as the instance doesn't exist.\n    // We will invalidate the child context in finishClassComponent() right after rendering.\n\n    var hasContext = false;\n\n    if (isContextProvider(Component)) {\n      hasContext = true;\n      pushContextProvider(workInProgress);\n    } else {\n      hasContext = false;\n    }\n\n    workInProgress.memoizedState = value.state !== null && value.state !== undefined ? value.state : null;\n    initializeUpdateQueue(workInProgress);\n    adoptClassInstance(workInProgress, value);\n    mountClassInstance(workInProgress, Component, props, renderLanes);\n    return finishClassComponent(null, workInProgress, Component, true, hasContext, renderLanes);\n  } else {\n    // Proceed under the assumption that this is a function component\n    workInProgress.tag = FunctionComponent;\n\n    {\n\n      if ( workInProgress.mode & StrictLegacyMode) {\n        setIsStrictModeForDevtools(true);\n\n        try {\n          value = renderWithHooks(null, workInProgress, Component, props, context, renderLanes);\n          hasId = checkDidRenderIdHook();\n        } finally {\n          setIsStrictModeForDevtools(false);\n        }\n      }\n    }\n\n    if (getIsHydrating() && hasId) {\n      pushMaterializedTreeId(workInProgress);\n    }\n\n    reconcileChildren(null, workInProgress, value, renderLanes);\n\n    {\n      validateFunctionComponentInDev(workInProgress, Component);\n    }\n\n    return workInProgress.child;\n  }\n}\n\nfunction validateFunctionComponentInDev(workInProgress, Component) {\n  {\n    if (Component) {\n      if (Component.childContextTypes) {\n        error('%s(...): childContextTypes cannot be defined on a function component.', Component.displayName || Component.name || 'Component');\n      }\n    }\n\n    if (workInProgress.ref !== null) {\n      var info = '';\n      var ownerName = getCurrentFiberOwnerNameInDevOrNull();\n\n      if (ownerName) {\n        info += '\\n\\nCheck the render method of `' + ownerName + '`.';\n      }\n\n      var warningKey = ownerName || '';\n      var debugSource = workInProgress._debugSource;\n\n      if (debugSource) {\n        warningKey = debugSource.fileName + ':' + debugSource.lineNumber;\n      }\n\n      if (!didWarnAboutFunctionRefs[warningKey]) {\n        didWarnAboutFunctionRefs[warningKey] = true;\n\n        error('Function components cannot be given refs. ' + 'Attempts to access this ref will fail. ' + 'Did you mean to use React.forwardRef()?%s', info);\n      }\n    }\n\n    if ( Component.defaultProps !== undefined) {\n      var componentName = getComponentNameFromType(Component) || 'Unknown';\n\n      if (!didWarnAboutDefaultPropsOnFunctionComponent[componentName]) {\n        error('%s: Support for defaultProps will be removed from function components ' + 'in a future major release. Use JavaScript default parameters instead.', componentName);\n\n        didWarnAboutDefaultPropsOnFunctionComponent[componentName] = true;\n      }\n    }\n\n    if (typeof Component.getDerivedStateFromProps === 'function') {\n      var _componentName3 = getComponentNameFromType(Component) || 'Unknown';\n\n      if (!didWarnAboutGetDerivedStateOnFunctionComponent[_componentName3]) {\n        error('%s: Function components do not support getDerivedStateFromProps.', _componentName3);\n\n        didWarnAboutGetDerivedStateOnFunctionComponent[_componentName3] = true;\n      }\n    }\n\n    if (typeof Component.contextType === 'object' && Component.contextType !== null) {\n      var _componentName4 = getComponentNameFromType(Component) || 'Unknown';\n\n      if (!didWarnAboutContextTypeOnFunctionComponent[_componentName4]) {\n        error('%s: Function components do not support contextType.', _componentName4);\n\n        didWarnAboutContextTypeOnFunctionComponent[_componentName4] = true;\n      }\n    }\n  }\n}\n\nvar SUSPENDED_MARKER = {\n  dehydrated: null,\n  treeContext: null,\n  retryLane: NoLane\n};\n\nfunction mountSuspenseOffscreenState(renderLanes) {\n  return {\n    baseLanes: renderLanes,\n    cachePool: getSuspendedCache(),\n    transitions: null\n  };\n}\n\nfunction updateSuspenseOffscreenState(prevOffscreenState, renderLanes) {\n  var cachePool = null;\n\n  return {\n    baseLanes: mergeLanes(prevOffscreenState.baseLanes, renderLanes),\n    cachePool: cachePool,\n    transitions: prevOffscreenState.transitions\n  };\n} // TODO: Probably should inline this back\n\n\nfunction shouldRemainOnFallback(suspenseContext, current, workInProgress, renderLanes) {\n  // If we're already showing a fallback, there are cases where we need to\n  // remain on that fallback regardless of whether the content has resolved.\n  // For example, SuspenseList coordinates when nested content appears.\n  if (current !== null) {\n    var suspenseState = current.memoizedState;\n\n    if (suspenseState === null) {\n      // Currently showing content. Don't hide it, even if ForceSuspenseFallback\n      // is true. More precise name might be \"ForceRemainSuspenseFallback\".\n      // Note: This is a factoring smell. Can't remain on a fallback if there's\n      // no fallback to remain on.\n      return false;\n    }\n  } // Not currently showing content. Consult the Suspense context.\n\n\n  return hasSuspenseContext(suspenseContext, ForceSuspenseFallback);\n}\n\nfunction getRemainingWorkInPrimaryTree(current, renderLanes) {\n  // TODO: Should not remove render lanes that were pinged during this render\n  return removeLanes(current.childLanes, renderLanes);\n}\n\nfunction updateSuspenseComponent(current, workInProgress, renderLanes) {\n  var nextProps = workInProgress.pendingProps; // This is used by DevTools to force a boundary to suspend.\n\n  {\n    if (shouldSuspend(workInProgress)) {\n      workInProgress.flags |= DidCapture;\n    }\n  }\n\n  var suspenseContext = suspenseStackCursor.current;\n  var showFallback = false;\n  var didSuspend = (workInProgress.flags & DidCapture) !== NoFlags;\n\n  if (didSuspend || shouldRemainOnFallback(suspenseContext, current)) {\n    // Something in this boundary's subtree already suspended. Switch to\n    // rendering the fallback children.\n    showFallback = true;\n    workInProgress.flags &= ~DidCapture;\n  } else {\n    // Attempting the main content\n    if (current === null || current.memoizedState !== null) {\n      // This is a new mount or this boundary is already showing a fallback state.\n      // Mark this subtree context as having at least one invisible parent that could\n      // handle the fallback state.\n      // Avoided boundaries are not considered since they cannot handle preferred fallback states.\n      {\n        suspenseContext = addSubtreeSuspenseContext(suspenseContext, InvisibleParentSuspenseContext);\n      }\n    }\n  }\n\n  suspenseContext = setDefaultShallowSuspenseContext(suspenseContext);\n  pushSuspenseContext(workInProgress, suspenseContext); // OK, the next part is confusing. We're about to reconcile the Suspense\n  // boundary's children. This involves some custom reconciliation logic. Two\n  // main reasons this is so complicated.\n  //\n  // First, Legacy Mode has different semantics for backwards compatibility. The\n  // primary tree will commit in an inconsistent state, so when we do the\n  // second pass to render the fallback, we do some exceedingly, uh, clever\n  // hacks to make that not totally break. Like transferring effects and\n  // deletions from hidden tree. In Concurrent Mode, it's much simpler,\n  // because we bailout on the primary tree completely and leave it in its old\n  // state, no effects. Same as what we do for Offscreen (except that\n  // Offscreen doesn't have the first render pass).\n  //\n  // Second is hydration. During hydration, the Suspense fiber has a slightly\n  // different layout, where the child points to a dehydrated fragment, which\n  // contains the DOM rendered by the server.\n  //\n  // Third, even if you set all that aside, Suspense is like error boundaries in\n  // that we first we try to render one tree, and if that fails, we render again\n  // and switch to a different tree. Like a try/catch block. So we have to track\n  // which branch we're currently rendering. Ideally we would model this using\n  // a stack.\n\n  if (current === null) {\n    // Initial mount\n    // Special path for hydration\n    // If we're currently hydrating, try to hydrate this boundary.\n    tryToClaimNextHydratableInstance(workInProgress); // This could've been a dehydrated suspense component.\n\n    var suspenseState = workInProgress.memoizedState;\n\n    if (suspenseState !== null) {\n      var dehydrated = suspenseState.dehydrated;\n\n      if (dehydrated !== null) {\n        return mountDehydratedSuspenseComponent(workInProgress, dehydrated);\n      }\n    }\n\n    var nextPrimaryChildren = nextProps.children;\n    var nextFallbackChildren = nextProps.fallback;\n\n    if (showFallback) {\n      var fallbackFragment = mountSuspenseFallbackChildren(workInProgress, nextPrimaryChildren, nextFallbackChildren, renderLanes);\n      var primaryChildFragment = workInProgress.child;\n      primaryChildFragment.memoizedState = mountSuspenseOffscreenState(renderLanes);\n      workInProgress.memoizedState = SUSPENDED_MARKER;\n\n      return fallbackFragment;\n    } else {\n      return mountSuspensePrimaryChildren(workInProgress, nextPrimaryChildren);\n    }\n  } else {\n    // This is an update.\n    // Special path for hydration\n    var prevState = current.memoizedState;\n\n    if (prevState !== null) {\n      var _dehydrated = prevState.dehydrated;\n\n      if (_dehydrated !== null) {\n        return updateDehydratedSuspenseComponent(current, workInProgress, didSuspend, nextProps, _dehydrated, prevState, renderLanes);\n      }\n    }\n\n    if (showFallback) {\n      var _nextFallbackChildren = nextProps.fallback;\n      var _nextPrimaryChildren = nextProps.children;\n      var fallbackChildFragment = updateSuspenseFallbackChildren(current, workInProgress, _nextPrimaryChildren, _nextFallbackChildren, renderLanes);\n      var _primaryChildFragment2 = workInProgress.child;\n      var prevOffscreenState = current.child.memoizedState;\n      _primaryChildFragment2.memoizedState = prevOffscreenState === null ? mountSuspenseOffscreenState(renderLanes) : updateSuspenseOffscreenState(prevOffscreenState, renderLanes);\n\n      _primaryChildFragment2.childLanes = getRemainingWorkInPrimaryTree(current, renderLanes);\n      workInProgress.memoizedState = SUSPENDED_MARKER;\n      return fallbackChildFragment;\n    } else {\n      var _nextPrimaryChildren2 = nextProps.children;\n\n      var _primaryChildFragment3 = updateSuspensePrimaryChildren(current, workInProgress, _nextPrimaryChildren2, renderLanes);\n\n      workInProgress.memoizedState = null;\n      return _primaryChildFragment3;\n    }\n  }\n}\n\nfunction mountSuspensePrimaryChildren(workInProgress, primaryChildren, renderLanes) {\n  var mode = workInProgress.mode;\n  var primaryChildProps = {\n    mode: 'visible',\n    children: primaryChildren\n  };\n  var primaryChildFragment = mountWorkInProgressOffscreenFiber(primaryChildProps, mode);\n  primaryChildFragment.return = workInProgress;\n  workInProgress.child = primaryChildFragment;\n  return primaryChildFragment;\n}\n\nfunction mountSuspenseFallbackChildren(workInProgress, primaryChildren, fallbackChildren, renderLanes) {\n  var mode = workInProgress.mode;\n  var progressedPrimaryFragment = workInProgress.child;\n  var primaryChildProps = {\n    mode: 'hidden',\n    children: primaryChildren\n  };\n  var primaryChildFragment;\n  var fallbackChildFragment;\n\n  if ((mode & ConcurrentMode) === NoMode && progressedPrimaryFragment !== null) {\n    // In legacy mode, we commit the primary tree as if it successfully\n    // completed, even though it's in an inconsistent state.\n    primaryChildFragment = progressedPrimaryFragment;\n    primaryChildFragment.childLanes = NoLanes;\n    primaryChildFragment.pendingProps = primaryChildProps;\n\n    if ( workInProgress.mode & ProfileMode) {\n      // Reset the durations from the first pass so they aren't included in the\n      // final amounts. This seems counterintuitive, since we're intentionally\n      // not measuring part of the render phase, but this makes it match what we\n      // do in Concurrent Mode.\n      primaryChildFragment.actualDuration = 0;\n      primaryChildFragment.actualStartTime = -1;\n      primaryChildFragment.selfBaseDuration = 0;\n      primaryChildFragment.treeBaseDuration = 0;\n    }\n\n    fallbackChildFragment = createFiberFromFragment(fallbackChildren, mode, renderLanes, null);\n  } else {\n    primaryChildFragment = mountWorkInProgressOffscreenFiber(primaryChildProps, mode);\n    fallbackChildFragment = createFiberFromFragment(fallbackChildren, mode, renderLanes, null);\n  }\n\n  primaryChildFragment.return = workInProgress;\n  fallbackChildFragment.return = workInProgress;\n  primaryChildFragment.sibling = fallbackChildFragment;\n  workInProgress.child = primaryChildFragment;\n  return fallbackChildFragment;\n}\n\nfunction mountWorkInProgressOffscreenFiber(offscreenProps, mode, renderLanes) {\n  // The props argument to `createFiberFromOffscreen` is `any` typed, so we use\n  // this wrapper function to constrain it.\n  return createFiberFromOffscreen(offscreenProps, mode, NoLanes, null);\n}\n\nfunction updateWorkInProgressOffscreenFiber(current, offscreenProps) {\n  // The props argument to `createWorkInProgress` is `any` typed, so we use this\n  // wrapper function to constrain it.\n  return createWorkInProgress(current, offscreenProps);\n}\n\nfunction updateSuspensePrimaryChildren(current, workInProgress, primaryChildren, renderLanes) {\n  var currentPrimaryChildFragment = current.child;\n  var currentFallbackChildFragment = currentPrimaryChildFragment.sibling;\n  var primaryChildFragment = updateWorkInProgressOffscreenFiber(currentPrimaryChildFragment, {\n    mode: 'visible',\n    children: primaryChildren\n  });\n\n  if ((workInProgress.mode & ConcurrentMode) === NoMode) {\n    primaryChildFragment.lanes = renderLanes;\n  }\n\n  primaryChildFragment.return = workInProgress;\n  primaryChildFragment.sibling = null;\n\n  if (currentFallbackChildFragment !== null) {\n    // Delete the fallback child fragment\n    var deletions = workInProgress.deletions;\n\n    if (deletions === null) {\n      workInProgress.deletions = [currentFallbackChildFragment];\n      workInProgress.flags |= ChildDeletion;\n    } else {\n      deletions.push(currentFallbackChildFragment);\n    }\n  }\n\n  workInProgress.child = primaryChildFragment;\n  return primaryChildFragment;\n}\n\nfunction updateSuspenseFallbackChildren(current, workInProgress, primaryChildren, fallbackChildren, renderLanes) {\n  var mode = workInProgress.mode;\n  var currentPrimaryChildFragment = current.child;\n  var currentFallbackChildFragment = currentPrimaryChildFragment.sibling;\n  var primaryChildProps = {\n    mode: 'hidden',\n    children: primaryChildren\n  };\n  var primaryChildFragment;\n\n  if ( // In legacy mode, we commit the primary tree as if it successfully\n  // completed, even though it's in an inconsistent state.\n  (mode & ConcurrentMode) === NoMode && // Make sure we're on the second pass, i.e. the primary child fragment was\n  // already cloned. In legacy mode, the only case where this isn't true is\n  // when DevTools forces us to display a fallback; we skip the first render\n  // pass entirely and go straight to rendering the fallback. (In Concurrent\n  // Mode, SuspenseList can also trigger this scenario, but this is a legacy-\n  // only codepath.)\n  workInProgress.child !== currentPrimaryChildFragment) {\n    var progressedPrimaryFragment = workInProgress.child;\n    primaryChildFragment = progressedPrimaryFragment;\n    primaryChildFragment.childLanes = NoLanes;\n    primaryChildFragment.pendingProps = primaryChildProps;\n\n    if ( workInProgress.mode & ProfileMode) {\n      // Reset the durations from the first pass so they aren't included in the\n      // final amounts. This seems counterintuitive, since we're intentionally\n      // not measuring part of the render phase, but this makes it match what we\n      // do in Concurrent Mode.\n      primaryChildFragment.actualDuration = 0;\n      primaryChildFragment.actualStartTime = -1;\n      primaryChildFragment.selfBaseDuration = currentPrimaryChildFragment.selfBaseDuration;\n      primaryChildFragment.treeBaseDuration = currentPrimaryChildFragment.treeBaseDuration;\n    } // The fallback fiber was added as a deletion during the first pass.\n    // However, since we're going to remain on the fallback, we no longer want\n    // to delete it.\n\n\n    workInProgress.deletions = null;\n  } else {\n    primaryChildFragment = updateWorkInProgressOffscreenFiber(currentPrimaryChildFragment, primaryChildProps); // Since we're reusing a current tree, we need to reuse the flags, too.\n    // (We don't do this in legacy mode, because in legacy mode we don't re-use\n    // the current tree; see previous branch.)\n\n    primaryChildFragment.subtreeFlags = currentPrimaryChildFragment.subtreeFlags & StaticMask;\n  }\n\n  var fallbackChildFragment;\n\n  if (currentFallbackChildFragment !== null) {\n    fallbackChildFragment = createWorkInProgress(currentFallbackChildFragment, fallbackChildren);\n  } else {\n    fallbackChildFragment = createFiberFromFragment(fallbackChildren, mode, renderLanes, null); // Needs a placement effect because the parent (the Suspense boundary) already\n    // mounted but this is a new fiber.\n\n    fallbackChildFragment.flags |= Placement;\n  }\n\n  fallbackChildFragment.return = workInProgress;\n  primaryChildFragment.return = workInProgress;\n  primaryChildFragment.sibling = fallbackChildFragment;\n  workInProgress.child = primaryChildFragment;\n  return fallbackChildFragment;\n}\n\nfunction retrySuspenseComponentWithoutHydrating(current, workInProgress, renderLanes, recoverableError) {\n  // Falling back to client rendering. Because this has performance\n  // implications, it's considered a recoverable error, even though the user\n  // likely won't observe anything wrong with the UI.\n  //\n  // The error is passed in as an argument to enforce that every caller provide\n  // a custom message, or explicitly opt out (currently the only path that opts\n  // out is legacy mode; every concurrent path provides an error).\n  if (recoverableError !== null) {\n    queueHydrationError(recoverableError);\n  } // This will add the old fiber to the deletion list\n\n\n  reconcileChildFibers(workInProgress, current.child, null, renderLanes); // We're now not suspended nor dehydrated.\n\n  var nextProps = workInProgress.pendingProps;\n  var primaryChildren = nextProps.children;\n  var primaryChildFragment = mountSuspensePrimaryChildren(workInProgress, primaryChildren); // Needs a placement effect because the parent (the Suspense boundary) already\n  // mounted but this is a new fiber.\n\n  primaryChildFragment.flags |= Placement;\n  workInProgress.memoizedState = null;\n  return primaryChildFragment;\n}\n\nfunction mountSuspenseFallbackAfterRetryWithoutHydrating(current, workInProgress, primaryChildren, fallbackChildren, renderLanes) {\n  var fiberMode = workInProgress.mode;\n  var primaryChildProps = {\n    mode: 'visible',\n    children: primaryChildren\n  };\n  var primaryChildFragment = mountWorkInProgressOffscreenFiber(primaryChildProps, fiberMode);\n  var fallbackChildFragment = createFiberFromFragment(fallbackChildren, fiberMode, renderLanes, null); // Needs a placement effect because the parent (the Suspense\n  // boundary) already mounted but this is a new fiber.\n\n  fallbackChildFragment.flags |= Placement;\n  primaryChildFragment.return = workInProgress;\n  fallbackChildFragment.return = workInProgress;\n  primaryChildFragment.sibling = fallbackChildFragment;\n  workInProgress.child = primaryChildFragment;\n\n  if ((workInProgress.mode & ConcurrentMode) !== NoMode) {\n    // We will have dropped the effect list which contains the\n    // deletion. We need to reconcile to delete the current child.\n    reconcileChildFibers(workInProgress, current.child, null, renderLanes);\n  }\n\n  return fallbackChildFragment;\n}\n\nfunction mountDehydratedSuspenseComponent(workInProgress, suspenseInstance, renderLanes) {\n  // During the first pass, we'll bail out and not drill into the children.\n  // Instead, we'll leave the content in place and try to hydrate it later.\n  if ((workInProgress.mode & ConcurrentMode) === NoMode) {\n    {\n      error('Cannot hydrate Suspense in legacy mode. Switch from ' + 'ReactDOM.hydrate(element, container) to ' + 'ReactDOMClient.hydrateRoot(container, <App />)' + '.render(element) or remove the Suspense components from ' + 'the server rendered components.');\n    }\n\n    workInProgress.lanes = laneToLanes(SyncLane);\n  } else if (isSuspenseInstanceFallback(suspenseInstance)) {\n    // This is a client-only boundary. Since we won't get any content from the server\n    // for this, we need to schedule that at a higher priority based on when it would\n    // have timed out. In theory we could render it in this pass but it would have the\n    // wrong priority associated with it and will prevent hydration of parent path.\n    // Instead, we'll leave work left on it to render it in a separate commit.\n    // TODO This time should be the time at which the server rendered response that is\n    // a parent to this boundary was displayed. However, since we currently don't have\n    // a protocol to transfer that time, we'll just estimate it by using the current\n    // time. This will mean that Suspense timeouts are slightly shifted to later than\n    // they should be.\n    // Schedule a normal pri update to render this content.\n    workInProgress.lanes = laneToLanes(DefaultHydrationLane);\n  } else {\n    // We'll continue hydrating the rest at offscreen priority since we'll already\n    // be showing the right content coming from the server, it is no rush.\n    workInProgress.lanes = laneToLanes(OffscreenLane);\n  }\n\n  return null;\n}\n\nfunction updateDehydratedSuspenseComponent(current, workInProgress, didSuspend, nextProps, suspenseInstance, suspenseState, renderLanes) {\n  if (!didSuspend) {\n    // This is the first render pass. Attempt to hydrate.\n    // We should never be hydrating at this point because it is the first pass,\n    // but after we've already committed once.\n    warnIfHydrating();\n\n    if ((workInProgress.mode & ConcurrentMode) === NoMode) {\n      return retrySuspenseComponentWithoutHydrating(current, workInProgress, renderLanes, // TODO: When we delete legacy mode, we should make this error argument\n      // required — every concurrent mode path that causes hydration to\n      // de-opt to client rendering should have an error message.\n      null);\n    }\n\n    if (isSuspenseInstanceFallback(suspenseInstance)) {\n      // This boundary is in a permanent fallback state. In this case, we'll never\n      // get an update and we'll never be able to hydrate the final content. Let's just try the\n      // client side render instead.\n      var digest, message, stack;\n\n      {\n        var _getSuspenseInstanceF = getSuspenseInstanceFallbackErrorDetails(suspenseInstance);\n\n        digest = _getSuspenseInstanceF.digest;\n        message = _getSuspenseInstanceF.message;\n        stack = _getSuspenseInstanceF.stack;\n      }\n\n      var error;\n\n      if (message) {\n        // eslint-disable-next-line react-internal/prod-error-codes\n        error = new Error(message);\n      } else {\n        error = new Error('The server could not finish this Suspense boundary, likely ' + 'due to an error during server rendering. Switched to ' + 'client rendering.');\n      }\n\n      var capturedValue = createCapturedValue(error, digest, stack);\n      return retrySuspenseComponentWithoutHydrating(current, workInProgress, renderLanes, capturedValue);\n    }\n    // any context has changed, we need to treat is as if the input might have changed.\n\n\n    var hasContextChanged = includesSomeLane(renderLanes, current.childLanes);\n\n    if (didReceiveUpdate || hasContextChanged) {\n      // This boundary has changed since the first render. This means that we are now unable to\n      // hydrate it. We might still be able to hydrate it using a higher priority lane.\n      var root = getWorkInProgressRoot();\n\n      if (root !== null) {\n        var attemptHydrationAtLane = getBumpedLaneForHydration(root, renderLanes);\n\n        if (attemptHydrationAtLane !== NoLane && attemptHydrationAtLane !== suspenseState.retryLane) {\n          // Intentionally mutating since this render will get interrupted. This\n          // is one of the very rare times where we mutate the current tree\n          // during the render phase.\n          suspenseState.retryLane = attemptHydrationAtLane; // TODO: Ideally this would inherit the event time of the current render\n\n          var eventTime = NoTimestamp;\n          enqueueConcurrentRenderForLane(current, attemptHydrationAtLane);\n          scheduleUpdateOnFiber(root, current, attemptHydrationAtLane, eventTime);\n        }\n      } // If we have scheduled higher pri work above, this will probably just abort the render\n      // since we now have higher priority work, but in case it doesn't, we need to prepare to\n      // render something, if we time out. Even if that requires us to delete everything and\n      // skip hydration.\n      // Delay having to do this as long as the suspense timeout allows us.\n\n\n      renderDidSuspendDelayIfPossible();\n\n      var _capturedValue = createCapturedValue(new Error('This Suspense boundary received an update before it finished ' + 'hydrating. This caused the boundary to switch to client rendering. ' + 'The usual way to fix this is to wrap the original update ' + 'in startTransition.'));\n\n      return retrySuspenseComponentWithoutHydrating(current, workInProgress, renderLanes, _capturedValue);\n    } else if (isSuspenseInstancePending(suspenseInstance)) {\n      // This component is still pending more data from the server, so we can't hydrate its\n      // content. We treat it as if this component suspended itself. It might seem as if\n      // we could just try to render it client-side instead. However, this will perform a\n      // lot of unnecessary work and is unlikely to complete since it often will suspend\n      // on missing data anyway. Additionally, the server might be able to render more\n      // than we can on the client yet. In that case we'd end up with more fallback states\n      // on the client than if we just leave it alone. If the server times out or errors\n      // these should update this boundary to the permanent Fallback state instead.\n      // Mark it as having captured (i.e. suspended).\n      workInProgress.flags |= DidCapture; // Leave the child in place. I.e. the dehydrated fragment.\n\n      workInProgress.child = current.child; // Register a callback to retry this boundary once the server has sent the result.\n\n      var retry = retryDehydratedSuspenseBoundary.bind(null, current);\n      registerSuspenseInstanceRetry(suspenseInstance, retry);\n      return null;\n    } else {\n      // This is the first attempt.\n      reenterHydrationStateFromDehydratedSuspenseInstance(workInProgress, suspenseInstance, suspenseState.treeContext);\n      var primaryChildren = nextProps.children;\n      var primaryChildFragment = mountSuspensePrimaryChildren(workInProgress, primaryChildren); // Mark the children as hydrating. This is a fast path to know whether this\n      // tree is part of a hydrating tree. This is used to determine if a child\n      // node has fully mounted yet, and for scheduling event replaying.\n      // Conceptually this is similar to Placement in that a new subtree is\n      // inserted into the React tree here. It just happens to not need DOM\n      // mutations because it already exists.\n\n      primaryChildFragment.flags |= Hydrating;\n      return primaryChildFragment;\n    }\n  } else {\n    // This is the second render pass. We already attempted to hydrated, but\n    // something either suspended or errored.\n    if (workInProgress.flags & ForceClientRender) {\n      // Something errored during hydration. Try again without hydrating.\n      workInProgress.flags &= ~ForceClientRender;\n\n      var _capturedValue2 = createCapturedValue(new Error('There was an error while hydrating this Suspense boundary. ' + 'Switched to client rendering.'));\n\n      return retrySuspenseComponentWithoutHydrating(current, workInProgress, renderLanes, _capturedValue2);\n    } else if (workInProgress.memoizedState !== null) {\n      // Something suspended and we should still be in dehydrated mode.\n      // Leave the existing child in place.\n      workInProgress.child = current.child; // The dehydrated completion pass expects this flag to be there\n      // but the normal suspense pass doesn't.\n\n      workInProgress.flags |= DidCapture;\n      return null;\n    } else {\n      // Suspended but we should no longer be in dehydrated mode.\n      // Therefore we now have to render the fallback.\n      var nextPrimaryChildren = nextProps.children;\n      var nextFallbackChildren = nextProps.fallback;\n      var fallbackChildFragment = mountSuspenseFallbackAfterRetryWithoutHydrating(current, workInProgress, nextPrimaryChildren, nextFallbackChildren, renderLanes);\n      var _primaryChildFragment4 = workInProgress.child;\n      _primaryChildFragment4.memoizedState = mountSuspenseOffscreenState(renderLanes);\n      workInProgress.memoizedState = SUSPENDED_MARKER;\n      return fallbackChildFragment;\n    }\n  }\n}\n\nfunction scheduleSuspenseWorkOnFiber(fiber, renderLanes, propagationRoot) {\n  fiber.lanes = mergeLanes(fiber.lanes, renderLanes);\n  var alternate = fiber.alternate;\n\n  if (alternate !== null) {\n    alternate.lanes = mergeLanes(alternate.lanes, renderLanes);\n  }\n\n  scheduleContextWorkOnParentPath(fiber.return, renderLanes, propagationRoot);\n}\n\nfunction propagateSuspenseContextChange(workInProgress, firstChild, renderLanes) {\n  // Mark any Suspense boundaries with fallbacks as having work to do.\n  // If they were previously forced into fallbacks, they may now be able\n  // to unblock.\n  var node = firstChild;\n\n  while (node !== null) {\n    if (node.tag === SuspenseComponent) {\n      var state = node.memoizedState;\n\n      if (state !== null) {\n        scheduleSuspenseWorkOnFiber(node, renderLanes, workInProgress);\n      }\n    } else if (node.tag === SuspenseListComponent) {\n      // If the tail is hidden there might not be an Suspense boundaries\n      // to schedule work on. In this case we have to schedule it on the\n      // list itself.\n      // We don't have to traverse to the children of the list since\n      // the list will propagate the change when it rerenders.\n      scheduleSuspenseWorkOnFiber(node, renderLanes, workInProgress);\n    } else if (node.child !== null) {\n      node.child.return = node;\n      node = node.child;\n      continue;\n    }\n\n    if (node === workInProgress) {\n      return;\n    }\n\n    while (node.sibling === null) {\n      if (node.return === null || node.return === workInProgress) {\n        return;\n      }\n\n      node = node.return;\n    }\n\n    node.sibling.return = node.return;\n    node = node.sibling;\n  }\n}\n\nfunction findLastContentRow(firstChild) {\n  // This is going to find the last row among these children that is already\n  // showing content on the screen, as opposed to being in fallback state or\n  // new. If a row has multiple Suspense boundaries, any of them being in the\n  // fallback state, counts as the whole row being in a fallback state.\n  // Note that the \"rows\" will be workInProgress, but any nested children\n  // will still be current since we haven't rendered them yet. The mounted\n  // order may not be the same as the new order. We use the new order.\n  var row = firstChild;\n  var lastContentRow = null;\n\n  while (row !== null) {\n    var currentRow = row.alternate; // New rows can't be content rows.\n\n    if (currentRow !== null && findFirstSuspended(currentRow) === null) {\n      lastContentRow = row;\n    }\n\n    row = row.sibling;\n  }\n\n  return lastContentRow;\n}\n\nfunction validateRevealOrder(revealOrder) {\n  {\n    if (revealOrder !== undefined && revealOrder !== 'forwards' && revealOrder !== 'backwards' && revealOrder !== 'together' && !didWarnAboutRevealOrder[revealOrder]) {\n      didWarnAboutRevealOrder[revealOrder] = true;\n\n      if (typeof revealOrder === 'string') {\n        switch (revealOrder.toLowerCase()) {\n          case 'together':\n          case 'forwards':\n          case 'backwards':\n            {\n              error('\"%s\" is not a valid value for revealOrder on <SuspenseList />. ' + 'Use lowercase \"%s\" instead.', revealOrder, revealOrder.toLowerCase());\n\n              break;\n            }\n\n          case 'forward':\n          case 'backward':\n            {\n              error('\"%s\" is not a valid value for revealOrder on <SuspenseList />. ' + 'React uses the -s suffix in the spelling. Use \"%ss\" instead.', revealOrder, revealOrder.toLowerCase());\n\n              break;\n            }\n\n          default:\n            error('\"%s\" is not a supported revealOrder on <SuspenseList />. ' + 'Did you mean \"together\", \"forwards\" or \"backwards\"?', revealOrder);\n\n            break;\n        }\n      } else {\n        error('%s is not a supported value for revealOrder on <SuspenseList />. ' + 'Did you mean \"together\", \"forwards\" or \"backwards\"?', revealOrder);\n      }\n    }\n  }\n}\n\nfunction validateTailOptions(tailMode, revealOrder) {\n  {\n    if (tailMode !== undefined && !didWarnAboutTailOptions[tailMode]) {\n      if (tailMode !== 'collapsed' && tailMode !== 'hidden') {\n        didWarnAboutTailOptions[tailMode] = true;\n\n        error('\"%s\" is not a supported value for tail on <SuspenseList />. ' + 'Did you mean \"collapsed\" or \"hidden\"?', tailMode);\n      } else if (revealOrder !== 'forwards' && revealOrder !== 'backwards') {\n        didWarnAboutTailOptions[tailMode] = true;\n\n        error('<SuspenseList tail=\"%s\" /> is only valid if revealOrder is ' + '\"forwards\" or \"backwards\". ' + 'Did you mean to specify revealOrder=\"forwards\"?', tailMode);\n      }\n    }\n  }\n}\n\nfunction validateSuspenseListNestedChild(childSlot, index) {\n  {\n    var isAnArray = isArray(childSlot);\n    var isIterable = !isAnArray && typeof getIteratorFn(childSlot) === 'function';\n\n    if (isAnArray || isIterable) {\n      var type = isAnArray ? 'array' : 'iterable';\n\n      error('A nested %s was passed to row #%s in <SuspenseList />. Wrap it in ' + 'an additional SuspenseList to configure its revealOrder: ' + '<SuspenseList revealOrder=...> ... ' + '<SuspenseList revealOrder=...>{%s}</SuspenseList> ... ' + '</SuspenseList>', type, index, type);\n\n      return false;\n    }\n  }\n\n  return true;\n}\n\nfunction validateSuspenseListChildren(children, revealOrder) {\n  {\n    if ((revealOrder === 'forwards' || revealOrder === 'backwards') && children !== undefined && children !== null && children !== false) {\n      if (isArray(children)) {\n        for (var i = 0; i < children.length; i++) {\n          if (!validateSuspenseListNestedChild(children[i], i)) {\n            return;\n          }\n        }\n      } else {\n        var iteratorFn = getIteratorFn(children);\n\n        if (typeof iteratorFn === 'function') {\n          var childrenIterator = iteratorFn.call(children);\n\n          if (childrenIterator) {\n            var step = childrenIterator.next();\n            var _i = 0;\n\n            for (; !step.done; step = childrenIterator.next()) {\n              if (!validateSuspenseListNestedChild(step.value, _i)) {\n                return;\n              }\n\n              _i++;\n            }\n          }\n        } else {\n          error('A single row was passed to a <SuspenseList revealOrder=\"%s\" />. ' + 'This is not useful since it needs multiple rows. ' + 'Did you mean to pass multiple children or an array?', revealOrder);\n        }\n      }\n    }\n  }\n}\n\nfunction initSuspenseListRenderState(workInProgress, isBackwards, tail, lastContentRow, tailMode) {\n  var renderState = workInProgress.memoizedState;\n\n  if (renderState === null) {\n    workInProgress.memoizedState = {\n      isBackwards: isBackwards,\n      rendering: null,\n      renderingStartTime: 0,\n      last: lastContentRow,\n      tail: tail,\n      tailMode: tailMode\n    };\n  } else {\n    // We can reuse the existing object from previous renders.\n    renderState.isBackwards = isBackwards;\n    renderState.rendering = null;\n    renderState.renderingStartTime = 0;\n    renderState.last = lastContentRow;\n    renderState.tail = tail;\n    renderState.tailMode = tailMode;\n  }\n} // This can end up rendering this component multiple passes.\n// The first pass splits the children fibers into two sets. A head and tail.\n// We first render the head. If anything is in fallback state, we do another\n// pass through beginWork to rerender all children (including the tail) with\n// the force suspend context. If the first render didn't have anything in\n// in fallback state. Then we render each row in the tail one-by-one.\n// That happens in the completeWork phase without going back to beginWork.\n\n\nfunction updateSuspenseListComponent(current, workInProgress, renderLanes) {\n  var nextProps = workInProgress.pendingProps;\n  var revealOrder = nextProps.revealOrder;\n  var tailMode = nextProps.tail;\n  var newChildren = nextProps.children;\n  validateRevealOrder(revealOrder);\n  validateTailOptions(tailMode, revealOrder);\n  validateSuspenseListChildren(newChildren, revealOrder);\n  reconcileChildren(current, workInProgress, newChildren, renderLanes);\n  var suspenseContext = suspenseStackCursor.current;\n  var shouldForceFallback = hasSuspenseContext(suspenseContext, ForceSuspenseFallback);\n\n  if (shouldForceFallback) {\n    suspenseContext = setShallowSuspenseContext(suspenseContext, ForceSuspenseFallback);\n    workInProgress.flags |= DidCapture;\n  } else {\n    var didSuspendBefore = current !== null && (current.flags & DidCapture) !== NoFlags;\n\n    if (didSuspendBefore) {\n      // If we previously forced a fallback, we need to schedule work\n      // on any nested boundaries to let them know to try to render\n      // again. This is the same as context updating.\n      propagateSuspenseContextChange(workInProgress, workInProgress.child, renderLanes);\n    }\n\n    suspenseContext = setDefaultShallowSuspenseContext(suspenseContext);\n  }\n\n  pushSuspenseContext(workInProgress, suspenseContext);\n\n  if ((workInProgress.mode & ConcurrentMode) === NoMode) {\n    // In legacy mode, SuspenseList doesn't work so we just\n    // use make it a noop by treating it as the default revealOrder.\n    workInProgress.memoizedState = null;\n  } else {\n    switch (revealOrder) {\n      case 'forwards':\n        {\n          var lastContentRow = findLastContentRow(workInProgress.child);\n          var tail;\n\n          if (lastContentRow === null) {\n            // The whole list is part of the tail.\n            // TODO: We could fast path by just rendering the tail now.\n            tail = workInProgress.child;\n            workInProgress.child = null;\n          } else {\n            // Disconnect the tail rows after the content row.\n            // We're going to render them separately later.\n            tail = lastContentRow.sibling;\n            lastContentRow.sibling = null;\n          }\n\n          initSuspenseListRenderState(workInProgress, false, // isBackwards\n          tail, lastContentRow, tailMode);\n          break;\n        }\n\n      case 'backwards':\n        {\n          // We're going to find the first row that has existing content.\n          // At the same time we're going to reverse the list of everything\n          // we pass in the meantime. That's going to be our tail in reverse\n          // order.\n          var _tail = null;\n          var row = workInProgress.child;\n          workInProgress.child = null;\n\n          while (row !== null) {\n            var currentRow = row.alternate; // New rows can't be content rows.\n\n            if (currentRow !== null && findFirstSuspended(currentRow) === null) {\n              // This is the beginning of the main content.\n              workInProgress.child = row;\n              break;\n            }\n\n            var nextRow = row.sibling;\n            row.sibling = _tail;\n            _tail = row;\n            row = nextRow;\n          } // TODO: If workInProgress.child is null, we can continue on the tail immediately.\n\n\n          initSuspenseListRenderState(workInProgress, true, // isBackwards\n          _tail, null, // last\n          tailMode);\n          break;\n        }\n\n      case 'together':\n        {\n          initSuspenseListRenderState(workInProgress, false, // isBackwards\n          null, // tail\n          null, // last\n          undefined);\n          break;\n        }\n\n      default:\n        {\n          // The default reveal order is the same as not having\n          // a boundary.\n          workInProgress.memoizedState = null;\n        }\n    }\n  }\n\n  return workInProgress.child;\n}\n\nfunction updatePortalComponent(current, workInProgress, renderLanes) {\n  pushHostContainer(workInProgress, workInProgress.stateNode.containerInfo);\n  var nextChildren = workInProgress.pendingProps;\n\n  if (current === null) {\n    // Portals are special because we don't append the children during mount\n    // but at commit. Therefore we need to track insertions which the normal\n    // flow doesn't do during mount. This doesn't happen at the root because\n    // the root always starts with a \"current\" with a null child.\n    // TODO: Consider unifying this with how the root works.\n    workInProgress.child = reconcileChildFibers(workInProgress, null, nextChildren, renderLanes);\n  } else {\n    reconcileChildren(current, workInProgress, nextChildren, renderLanes);\n  }\n\n  return workInProgress.child;\n}\n\nvar hasWarnedAboutUsingNoValuePropOnContextProvider = false;\n\nfunction updateContextProvider(current, workInProgress, renderLanes) {\n  var providerType = workInProgress.type;\n  var context = providerType._context;\n  var newProps = workInProgress.pendingProps;\n  var oldProps = workInProgress.memoizedProps;\n  var newValue = newProps.value;\n\n  {\n    if (!('value' in newProps)) {\n      if (!hasWarnedAboutUsingNoValuePropOnContextProvider) {\n        hasWarnedAboutUsingNoValuePropOnContextProvider = true;\n\n        error('The `value` prop is required for the `<Context.Provider>`. Did you misspell it or forget to pass it?');\n      }\n    }\n\n    var providerPropTypes = workInProgress.type.propTypes;\n\n    if (providerPropTypes) {\n      checkPropTypes(providerPropTypes, newProps, 'prop', 'Context.Provider');\n    }\n  }\n\n  pushProvider(workInProgress, context, newValue);\n\n  {\n    if (oldProps !== null) {\n      var oldValue = oldProps.value;\n\n      if (objectIs(oldValue, newValue)) {\n        // No change. Bailout early if children are the same.\n        if (oldProps.children === newProps.children && !hasContextChanged()) {\n          return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n        }\n      } else {\n        // The context value changed. Search for matching consumers and schedule\n        // them to update.\n        propagateContextChange(workInProgress, context, renderLanes);\n      }\n    }\n  }\n\n  var newChildren = newProps.children;\n  reconcileChildren(current, workInProgress, newChildren, renderLanes);\n  return workInProgress.child;\n}\n\nvar hasWarnedAboutUsingContextAsConsumer = false;\n\nfunction updateContextConsumer(current, workInProgress, renderLanes) {\n  var context = workInProgress.type; // The logic below for Context differs depending on PROD or DEV mode. In\n  // DEV mode, we create a separate object for Context.Consumer that acts\n  // like a proxy to Context. This proxy object adds unnecessary code in PROD\n  // so we use the old behaviour (Context.Consumer references Context) to\n  // reduce size and overhead. The separate object references context via\n  // a property called \"_context\", which also gives us the ability to check\n  // in DEV mode if this property exists or not and warn if it does not.\n\n  {\n    if (context._context === undefined) {\n      // This may be because it's a Context (rather than a Consumer).\n      // Or it may be because it's older React where they're the same thing.\n      // We only want to warn if we're sure it's a new React.\n      if (context !== context.Consumer) {\n        if (!hasWarnedAboutUsingContextAsConsumer) {\n          hasWarnedAboutUsingContextAsConsumer = true;\n\n          error('Rendering <Context> directly is not supported and will be removed in ' + 'a future major release. Did you mean to render <Context.Consumer> instead?');\n        }\n      }\n    } else {\n      context = context._context;\n    }\n  }\n\n  var newProps = workInProgress.pendingProps;\n  var render = newProps.children;\n\n  {\n    if (typeof render !== 'function') {\n      error('A context consumer was rendered with multiple children, or a child ' + \"that isn't a function. A context consumer expects a single child \" + 'that is a function. If you did pass a function, make sure there ' + 'is no trailing or leading whitespace around it.');\n    }\n  }\n\n  prepareToReadContext(workInProgress, renderLanes);\n  var newValue = readContext(context);\n\n  {\n    markComponentRenderStarted(workInProgress);\n  }\n\n  var newChildren;\n\n  {\n    ReactCurrentOwner$1.current = workInProgress;\n    setIsRendering(true);\n    newChildren = render(newValue);\n    setIsRendering(false);\n  }\n\n  {\n    markComponentRenderStopped();\n  } // React DevTools reads this flag.\n\n\n  workInProgress.flags |= PerformedWork;\n  reconcileChildren(current, workInProgress, newChildren, renderLanes);\n  return workInProgress.child;\n}\n\nfunction markWorkInProgressReceivedUpdate() {\n  didReceiveUpdate = true;\n}\n\nfunction resetSuspendedCurrentOnMountInLegacyMode(current, workInProgress) {\n  if ((workInProgress.mode & ConcurrentMode) === NoMode) {\n    if (current !== null) {\n      // A lazy component only mounts if it suspended inside a non-\n      // concurrent tree, in an inconsistent state. We want to treat it like\n      // a new mount, even though an empty version of it already committed.\n      // Disconnect the alternate pointers.\n      current.alternate = null;\n      workInProgress.alternate = null; // Since this is conceptually a new fiber, schedule a Placement effect\n\n      workInProgress.flags |= Placement;\n    }\n  }\n}\n\nfunction bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes) {\n  if (current !== null) {\n    // Reuse previous dependencies\n    workInProgress.dependencies = current.dependencies;\n  }\n\n  {\n    // Don't update \"base\" render times for bailouts.\n    stopProfilerTimerIfRunning();\n  }\n\n  markSkippedUpdateLanes(workInProgress.lanes); // Check if the children have any pending work.\n\n  if (!includesSomeLane(renderLanes, workInProgress.childLanes)) {\n    // The children don't have any work either. We can skip them.\n    // TODO: Once we add back resuming, we should check if the children are\n    // a work-in-progress set. If so, we need to transfer their effects.\n    {\n      return null;\n    }\n  } // This fiber doesn't have work, but its subtree does. Clone the child\n  // fibers and continue.\n\n\n  cloneChildFibers(current, workInProgress);\n  return workInProgress.child;\n}\n\nfunction remountFiber(current, oldWorkInProgress, newWorkInProgress) {\n  {\n    var returnFiber = oldWorkInProgress.return;\n\n    if (returnFiber === null) {\n      // eslint-disable-next-line react-internal/prod-error-codes\n      throw new Error('Cannot swap the root fiber.');\n    } // Disconnect from the old current.\n    // It will get deleted.\n\n\n    current.alternate = null;\n    oldWorkInProgress.alternate = null; // Connect to the new tree.\n\n    newWorkInProgress.index = oldWorkInProgress.index;\n    newWorkInProgress.sibling = oldWorkInProgress.sibling;\n    newWorkInProgress.return = oldWorkInProgress.return;\n    newWorkInProgress.ref = oldWorkInProgress.ref; // Replace the child/sibling pointers above it.\n\n    if (oldWorkInProgress === returnFiber.child) {\n      returnFiber.child = newWorkInProgress;\n    } else {\n      var prevSibling = returnFiber.child;\n\n      if (prevSibling === null) {\n        // eslint-disable-next-line react-internal/prod-error-codes\n        throw new Error('Expected parent to have a child.');\n      }\n\n      while (prevSibling.sibling !== oldWorkInProgress) {\n        prevSibling = prevSibling.sibling;\n\n        if (prevSibling === null) {\n          // eslint-disable-next-line react-internal/prod-error-codes\n          throw new Error('Expected to find the previous sibling.');\n        }\n      }\n\n      prevSibling.sibling = newWorkInProgress;\n    } // Delete the old fiber and place the new one.\n    // Since the old fiber is disconnected, we have to schedule it manually.\n\n\n    var deletions = returnFiber.deletions;\n\n    if (deletions === null) {\n      returnFiber.deletions = [current];\n      returnFiber.flags |= ChildDeletion;\n    } else {\n      deletions.push(current);\n    }\n\n    newWorkInProgress.flags |= Placement; // Restart work from the new fiber.\n\n    return newWorkInProgress;\n  }\n}\n\nfunction checkScheduledUpdateOrContext(current, renderLanes) {\n  // Before performing an early bailout, we must check if there are pending\n  // updates or context.\n  var updateLanes = current.lanes;\n\n  if (includesSomeLane(updateLanes, renderLanes)) {\n    return true;\n  } // No pending update, but because context is propagated lazily, we need\n\n  return false;\n}\n\nfunction attemptEarlyBailoutIfNoScheduledUpdate(current, workInProgress, renderLanes) {\n  // This fiber does not have any pending work. Bailout without entering\n  // the begin phase. There's still some bookkeeping we that needs to be done\n  // in this optimized path, mostly pushing stuff onto the stack.\n  switch (workInProgress.tag) {\n    case HostRoot:\n      pushHostRootContext(workInProgress);\n      var root = workInProgress.stateNode;\n\n      resetHydrationState();\n      break;\n\n    case HostComponent:\n      pushHostContext(workInProgress);\n      break;\n\n    case ClassComponent:\n      {\n        var Component = workInProgress.type;\n\n        if (isContextProvider(Component)) {\n          pushContextProvider(workInProgress);\n        }\n\n        break;\n      }\n\n    case HostPortal:\n      pushHostContainer(workInProgress, workInProgress.stateNode.containerInfo);\n      break;\n\n    case ContextProvider:\n      {\n        var newValue = workInProgress.memoizedProps.value;\n        var context = workInProgress.type._context;\n        pushProvider(workInProgress, context, newValue);\n        break;\n      }\n\n    case Profiler:\n      {\n        // Profiler should only call onRender when one of its descendants actually rendered.\n        var hasChildWork = includesSomeLane(renderLanes, workInProgress.childLanes);\n\n        if (hasChildWork) {\n          workInProgress.flags |= Update;\n        }\n\n        {\n          // Reset effect durations for the next eventual effect phase.\n          // These are reset during render to allow the DevTools commit hook a chance to read them,\n          var stateNode = workInProgress.stateNode;\n          stateNode.effectDuration = 0;\n          stateNode.passiveEffectDuration = 0;\n        }\n      }\n\n      break;\n\n    case SuspenseComponent:\n      {\n        var state = workInProgress.memoizedState;\n\n        if (state !== null) {\n          if (state.dehydrated !== null) {\n            pushSuspenseContext(workInProgress, setDefaultShallowSuspenseContext(suspenseStackCursor.current)); // We know that this component will suspend again because if it has\n            // been unsuspended it has committed as a resolved Suspense component.\n            // If it needs to be retried, it should have work scheduled on it.\n\n            workInProgress.flags |= DidCapture; // We should never render the children of a dehydrated boundary until we\n            // upgrade it. We return null instead of bailoutOnAlreadyFinishedWork.\n\n            return null;\n          } // If this boundary is currently timed out, we need to decide\n          // whether to retry the primary children, or to skip over it and\n          // go straight to the fallback. Check the priority of the primary\n          // child fragment.\n\n\n          var primaryChildFragment = workInProgress.child;\n          var primaryChildLanes = primaryChildFragment.childLanes;\n\n          if (includesSomeLane(renderLanes, primaryChildLanes)) {\n            // The primary children have pending work. Use the normal path\n            // to attempt to render the primary children again.\n            return updateSuspenseComponent(current, workInProgress, renderLanes);\n          } else {\n            // The primary child fragment does not have pending work marked\n            // on it\n            pushSuspenseContext(workInProgress, setDefaultShallowSuspenseContext(suspenseStackCursor.current)); // The primary children do not have pending work with sufficient\n            // priority. Bailout.\n\n            var child = bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n\n            if (child !== null) {\n              // The fallback children have pending work. Skip over the\n              // primary children and work on the fallback.\n              return child.sibling;\n            } else {\n              // Note: We can return `null` here because we already checked\n              // whether there were nested context consumers, via the call to\n              // `bailoutOnAlreadyFinishedWork` above.\n              return null;\n            }\n          }\n        } else {\n          pushSuspenseContext(workInProgress, setDefaultShallowSuspenseContext(suspenseStackCursor.current));\n        }\n\n        break;\n      }\n\n    case SuspenseListComponent:\n      {\n        var didSuspendBefore = (current.flags & DidCapture) !== NoFlags;\n\n        var _hasChildWork = includesSomeLane(renderLanes, workInProgress.childLanes);\n\n        if (didSuspendBefore) {\n          if (_hasChildWork) {\n            // If something was in fallback state last time, and we have all the\n            // same children then we're still in progressive loading state.\n            // Something might get unblocked by state updates or retries in the\n            // tree which will affect the tail. So we need to use the normal\n            // path to compute the correct tail.\n            return updateSuspenseListComponent(current, workInProgress, renderLanes);\n          } // If none of the children had any work, that means that none of\n          // them got retried so they'll still be blocked in the same way\n          // as before. We can fast bail out.\n\n\n          workInProgress.flags |= DidCapture;\n        } // If nothing suspended before and we're rendering the same children,\n        // then the tail doesn't matter. Anything new that suspends will work\n        // in the \"together\" mode, so we can continue from the state we had.\n\n\n        var renderState = workInProgress.memoizedState;\n\n        if (renderState !== null) {\n          // Reset to the \"together\" mode in case we've started a different\n          // update in the past but didn't complete it.\n          renderState.rendering = null;\n          renderState.tail = null;\n          renderState.lastEffect = null;\n        }\n\n        pushSuspenseContext(workInProgress, suspenseStackCursor.current);\n\n        if (_hasChildWork) {\n          break;\n        } else {\n          // If none of the children had any work, that means that none of\n          // them got retried so they'll still be blocked in the same way\n          // as before. We can fast bail out.\n          return null;\n        }\n      }\n\n    case OffscreenComponent:\n    case LegacyHiddenComponent:\n      {\n        // Need to check if the tree still needs to be deferred. This is\n        // almost identical to the logic used in the normal update path,\n        // so we'll just enter that. The only difference is we'll bail out\n        // at the next level instead of this one, because the child props\n        // have not changed. Which is fine.\n        // TODO: Probably should refactor `beginWork` to split the bailout\n        // path from the normal path. I'm tempted to do a labeled break here\n        // but I won't :)\n        workInProgress.lanes = NoLanes;\n        return updateOffscreenComponent(current, workInProgress, renderLanes);\n      }\n  }\n\n  return bailoutOnAlreadyFinishedWork(current, workInProgress, renderLanes);\n}\n\nfunction beginWork(current, workInProgress, renderLanes) {\n  {\n    if (workInProgress._debugNeedsRemount && current !== null) {\n      // This will restart the begin phase with a new fiber.\n      return remountFiber(current, workInProgress, createFiberFromTypeAndProps(workInProgress.type, workInProgress.key, workInProgress.pendingProps, workInProgress._debugOwner || null, workInProgress.mode, workInProgress.lanes));\n    }\n  }\n\n  if (current !== null) {\n    var oldProps = current.memoizedProps;\n    var newProps = workInProgress.pendingProps;\n\n    if (oldProps !== newProps || hasContextChanged() || ( // Force a re-render if the implementation changed due to hot reload:\n     workInProgress.type !== current.type )) {\n      // If props or context changed, mark the fiber as having performed work.\n      // This may be unset if the props are determined to be equal later (memo).\n      didReceiveUpdate = true;\n    } else {\n      // Neither props nor legacy context changes. Check if there's a pending\n      // update or context change.\n      var hasScheduledUpdateOrContext = checkScheduledUpdateOrContext(current, renderLanes);\n\n      if (!hasScheduledUpdateOrContext && // If this is the second pass of an error or suspense boundary, there\n      // may not be work scheduled on `current`, so we check for this flag.\n      (workInProgress.flags & DidCapture) === NoFlags) {\n        // No pending updates or context. Bail out now.\n        didReceiveUpdate = false;\n        return attemptEarlyBailoutIfNoScheduledUpdate(current, workInProgress, renderLanes);\n      }\n\n      if ((current.flags & ForceUpdateForLegacySuspense) !== NoFlags) {\n        // This is a special case that only exists for legacy mode.\n        // See https://github.com/facebook/react/pull/19216.\n        didReceiveUpdate = true;\n      } else {\n        // An update was scheduled on this fiber, but there are no new props\n        // nor legacy context. Set this to false. If an update queue or context\n        // consumer produces a changed value, it will set this to true. Otherwise,\n        // the component will assume the children have not changed and bail out.\n        didReceiveUpdate = false;\n      }\n    }\n  } else {\n    didReceiveUpdate = false;\n\n    if (getIsHydrating() && isForkedChild(workInProgress)) {\n      // Check if this child belongs to a list of muliple children in\n      // its parent.\n      //\n      // In a true multi-threaded implementation, we would render children on\n      // parallel threads. This would represent the beginning of a new render\n      // thread for this subtree.\n      //\n      // We only use this for id generation during hydration, which is why the\n      // logic is located in this special branch.\n      var slotIndex = workInProgress.index;\n      var numberOfForks = getForksAtLevel();\n      pushTreeId(workInProgress, numberOfForks, slotIndex);\n    }\n  } // Before entering the begin phase, clear pending update priority.\n  // TODO: This assumes that we're about to evaluate the component and process\n  // the update queue. However, there's an exception: SimpleMemoComponent\n  // sometimes bails out later in the begin phase. This indicates that we should\n  // move this assignment out of the common path and into each branch.\n\n\n  workInProgress.lanes = NoLanes;\n\n  switch (workInProgress.tag) {\n    case IndeterminateComponent:\n      {\n        return mountIndeterminateComponent(current, workInProgress, workInProgress.type, renderLanes);\n      }\n\n    case LazyComponent:\n      {\n        var elementType = workInProgress.elementType;\n        return mountLazyComponent(current, workInProgress, elementType, renderLanes);\n      }\n\n    case FunctionComponent:\n      {\n        var Component = workInProgress.type;\n        var unresolvedProps = workInProgress.pendingProps;\n        var resolvedProps = workInProgress.elementType === Component ? unresolvedProps : resolveDefaultProps(Component, unresolvedProps);\n        return updateFunctionComponent(current, workInProgress, Component, resolvedProps, renderLanes);\n      }\n\n    case ClassComponent:\n      {\n        var _Component = workInProgress.type;\n        var _unresolvedProps = workInProgress.pendingProps;\n\n        var _resolvedProps = workInProgress.elementType === _Component ? _unresolvedProps : resolveDefaultProps(_Component, _unresolvedProps);\n\n        return updateClassComponent(current, workInProgress, _Component, _resolvedProps, renderLanes);\n      }\n\n    case HostRoot:\n      return updateHostRoot(current, workInProgress, renderLanes);\n\n    case HostComponent:\n      return updateHostComponent(current, workInProgress, renderLanes);\n\n    case HostText:\n      return updateHostText(current, workInProgress);\n\n    case SuspenseComponent:\n      return updateSuspenseComponent(current, workInProgress, renderLanes);\n\n    case HostPortal:\n      return updatePortalComponent(current, workInProgress, renderLanes);\n\n    case ForwardRef:\n      {\n        var type = workInProgress.type;\n        var _unresolvedProps2 = workInProgress.pendingProps;\n\n        var _resolvedProps2 = workInProgress.elementType === type ? _unresolvedProps2 : resolveDefaultProps(type, _unresolvedProps2);\n\n        return updateForwardRef(current, workInProgress, type, _resolvedProps2, renderLanes);\n      }\n\n    case Fragment:\n      return updateFragment(current, workInProgress, renderLanes);\n\n    case Mode:\n      return updateMode(current, workInProgress, renderLanes);\n\n    case Profiler:\n      return updateProfiler(current, workInProgress, renderLanes);\n\n    case ContextProvider:\n      return updateContextProvider(current, workInProgress, renderLanes);\n\n    case ContextConsumer:\n      return updateContextConsumer(current, workInProgress, renderLanes);\n\n    case MemoComponent:\n      {\n        var _type2 = workInProgress.type;\n        var _unresolvedProps3 = workInProgress.pendingProps; // Resolve outer props first, then resolve inner props.\n\n        var _resolvedProps3 = resolveDefaultProps(_type2, _unresolvedProps3);\n\n        {\n          if (workInProgress.type !== workInProgress.elementType) {\n            var outerPropTypes = _type2.propTypes;\n\n            if (outerPropTypes) {\n              checkPropTypes(outerPropTypes, _resolvedProps3, // Resolved for outer only\n              'prop', getComponentNameFromType(_type2));\n            }\n          }\n        }\n\n        _resolvedProps3 = resolveDefaultProps(_type2.type, _resolvedProps3);\n        return updateMemoComponent(current, workInProgress, _type2, _resolvedProps3, renderLanes);\n      }\n\n    case SimpleMemoComponent:\n      {\n        return updateSimpleMemoComponent(current, workInProgress, workInProgress.type, workInProgress.pendingProps, renderLanes);\n      }\n\n    case IncompleteClassComponent:\n      {\n        var _Component2 = workInProgress.type;\n        var _unresolvedProps4 = workInProgress.pendingProps;\n\n        var _resolvedProps4 = workInProgress.elementType === _Component2 ? _unresolvedProps4 : resolveDefaultProps(_Component2, _unresolvedProps4);\n\n        return mountIncompleteClassComponent(current, workInProgress, _Component2, _resolvedProps4, renderLanes);\n      }\n\n    case SuspenseListComponent:\n      {\n        return updateSuspenseListComponent(current, workInProgress, renderLanes);\n      }\n\n    case ScopeComponent:\n      {\n\n        break;\n      }\n\n    case OffscreenComponent:\n      {\n        return updateOffscreenComponent(current, workInProgress, renderLanes);\n      }\n  }\n\n  throw new Error(\"Unknown unit of work tag (\" + workInProgress.tag + \"). This error is likely caused by a bug in \" + 'React. Please file an issue.');\n}\n\nfunction markUpdate(workInProgress) {\n  // Tag the fiber with an update effect. This turns a Placement into\n  // a PlacementAndUpdate.\n  workInProgress.flags |= Update;\n}\n\nfunction markRef$1(workInProgress) {\n  workInProgress.flags |= Ref;\n\n  {\n    workInProgress.flags |= RefStatic;\n  }\n}\n\nvar appendAllChildren;\nvar updateHostContainer;\nvar updateHostComponent$1;\nvar updateHostText$1;\n\n{\n  // Mutation mode\n  appendAllChildren = function (parent, workInProgress, needsVisibilityToggle, isHidden) {\n    // We only have the top Fiber that was created but we need recurse down its\n    // children to find all the terminal nodes.\n    var node = workInProgress.child;\n\n    while (node !== null) {\n      if (node.tag === HostComponent || node.tag === HostText) {\n        appendInitialChild(parent, node.stateNode);\n      } else if (node.tag === HostPortal) ; else if (node.child !== null) {\n        node.child.return = node;\n        node = node.child;\n        continue;\n      }\n\n      if (node === workInProgress) {\n        return;\n      }\n\n      while (node.sibling === null) {\n        if (node.return === null || node.return === workInProgress) {\n          return;\n        }\n\n        node = node.return;\n      }\n\n      node.sibling.return = node.return;\n      node = node.sibling;\n    }\n  };\n\n  updateHostContainer = function (current, workInProgress) {// Noop\n  };\n\n  updateHostComponent$1 = function (current, workInProgress, type, newProps, rootContainerInstance) {\n    // If we have an alternate, that means this is an update and we need to\n    // schedule a side-effect to do the updates.\n    var oldProps = current.memoizedProps;\n\n    if (oldProps === newProps) {\n      // In mutation mode, this is sufficient for a bailout because\n      // we won't touch this node even if children changed.\n      return;\n    } // If we get updated because one of our children updated, we don't\n    // have newProps so we'll have to reuse them.\n    // TODO: Split the update API as separate for the props vs. children.\n    // Even better would be if children weren't special cased at all tho.\n\n\n    var instance = workInProgress.stateNode;\n    var currentHostContext = getHostContext(); // TODO: Experiencing an error where oldProps is null. Suggests a host\n    // component is hitting the resume path. Figure out why. Possibly\n    // related to `hidden`.\n\n    var updatePayload = prepareUpdate(instance, type, oldProps, newProps, rootContainerInstance, currentHostContext); // TODO: Type this specific to this type of component.\n\n    workInProgress.updateQueue = updatePayload; // If the update payload indicates that there is a change or if there\n    // is a new ref we mark this as an update. All the work is done in commitWork.\n\n    if (updatePayload) {\n      markUpdate(workInProgress);\n    }\n  };\n\n  updateHostText$1 = function (current, workInProgress, oldText, newText) {\n    // If the text differs, mark it as an update. All the work in done in commitWork.\n    if (oldText !== newText) {\n      markUpdate(workInProgress);\n    }\n  };\n}\n\nfunction cutOffTailIfNeeded(renderState, hasRenderedATailFallback) {\n  if (getIsHydrating()) {\n    // If we're hydrating, we should consume as many items as we can\n    // so we don't leave any behind.\n    return;\n  }\n\n  switch (renderState.tailMode) {\n    case 'hidden':\n      {\n        // Any insertions at the end of the tail list after this point\n        // should be invisible. If there are already mounted boundaries\n        // anything before them are not considered for collapsing.\n        // Therefore we need to go through the whole tail to find if\n        // there are any.\n        var tailNode = renderState.tail;\n        var lastTailNode = null;\n\n        while (tailNode !== null) {\n          if (tailNode.alternate !== null) {\n            lastTailNode = tailNode;\n          }\n\n          tailNode = tailNode.sibling;\n        } // Next we're simply going to delete all insertions after the\n        // last rendered item.\n\n\n        if (lastTailNode === null) {\n          // All remaining items in the tail are insertions.\n          renderState.tail = null;\n        } else {\n          // Detach the insertion after the last node that was already\n          // inserted.\n          lastTailNode.sibling = null;\n        }\n\n        break;\n      }\n\n    case 'collapsed':\n      {\n        // Any insertions at the end of the tail list after this point\n        // should be invisible. If there are already mounted boundaries\n        // anything before them are not considered for collapsing.\n        // Therefore we need to go through the whole tail to find if\n        // there are any.\n        var _tailNode = renderState.tail;\n        var _lastTailNode = null;\n\n        while (_tailNode !== null) {\n          if (_tailNode.alternate !== null) {\n            _lastTailNode = _tailNode;\n          }\n\n          _tailNode = _tailNode.sibling;\n        } // Next we're simply going to delete all insertions after the\n        // last rendered item.\n\n\n        if (_lastTailNode === null) {\n          // All remaining items in the tail are insertions.\n          if (!hasRenderedATailFallback && renderState.tail !== null) {\n            // We suspended during the head. We want to show at least one\n            // row at the tail. So we'll keep on and cut off the rest.\n            renderState.tail.sibling = null;\n          } else {\n            renderState.tail = null;\n          }\n        } else {\n          // Detach the insertion after the last node that was already\n          // inserted.\n          _lastTailNode.sibling = null;\n        }\n\n        break;\n      }\n  }\n}\n\nfunction bubbleProperties(completedWork) {\n  var didBailout = completedWork.alternate !== null && completedWork.alternate.child === completedWork.child;\n  var newChildLanes = NoLanes;\n  var subtreeFlags = NoFlags;\n\n  if (!didBailout) {\n    // Bubble up the earliest expiration time.\n    if ( (completedWork.mode & ProfileMode) !== NoMode) {\n      // In profiling mode, resetChildExpirationTime is also used to reset\n      // profiler durations.\n      var actualDuration = completedWork.actualDuration;\n      var treeBaseDuration = completedWork.selfBaseDuration;\n      var child = completedWork.child;\n\n      while (child !== null) {\n        newChildLanes = mergeLanes(newChildLanes, mergeLanes(child.lanes, child.childLanes));\n        subtreeFlags |= child.subtreeFlags;\n        subtreeFlags |= child.flags; // When a fiber is cloned, its actualDuration is reset to 0. This value will\n        // only be updated if work is done on the fiber (i.e. it doesn't bailout).\n        // When work is done, it should bubble to the parent's actualDuration. If\n        // the fiber has not been cloned though, (meaning no work was done), then\n        // this value will reflect the amount of time spent working on a previous\n        // render. In that case it should not bubble. We determine whether it was\n        // cloned by comparing the child pointer.\n\n        actualDuration += child.actualDuration;\n        treeBaseDuration += child.treeBaseDuration;\n        child = child.sibling;\n      }\n\n      completedWork.actualDuration = actualDuration;\n      completedWork.treeBaseDuration = treeBaseDuration;\n    } else {\n      var _child = completedWork.child;\n\n      while (_child !== null) {\n        newChildLanes = mergeLanes(newChildLanes, mergeLanes(_child.lanes, _child.childLanes));\n        subtreeFlags |= _child.subtreeFlags;\n        subtreeFlags |= _child.flags; // Update the return pointer so the tree is consistent. This is a code\n        // smell because it assumes the commit phase is never concurrent with\n        // the render phase. Will address during refactor to alternate model.\n\n        _child.return = completedWork;\n        _child = _child.sibling;\n      }\n    }\n\n    completedWork.subtreeFlags |= subtreeFlags;\n  } else {\n    // Bubble up the earliest expiration time.\n    if ( (completedWork.mode & ProfileMode) !== NoMode) {\n      // In profiling mode, resetChildExpirationTime is also used to reset\n      // profiler durations.\n      var _treeBaseDuration = completedWork.selfBaseDuration;\n      var _child2 = completedWork.child;\n\n      while (_child2 !== null) {\n        newChildLanes = mergeLanes(newChildLanes, mergeLanes(_child2.lanes, _child2.childLanes)); // \"Static\" flags share the lifetime of the fiber/hook they belong to,\n        // so we should bubble those up even during a bailout. All the other\n        // flags have a lifetime only of a single render + commit, so we should\n        // ignore them.\n\n        subtreeFlags |= _child2.subtreeFlags & StaticMask;\n        subtreeFlags |= _child2.flags & StaticMask;\n        _treeBaseDuration += _child2.treeBaseDuration;\n        _child2 = _child2.sibling;\n      }\n\n      completedWork.treeBaseDuration = _treeBaseDuration;\n    } else {\n      var _child3 = completedWork.child;\n\n      while (_child3 !== null) {\n        newChildLanes = mergeLanes(newChildLanes, mergeLanes(_child3.lanes, _child3.childLanes)); // \"Static\" flags share the lifetime of the fiber/hook they belong to,\n        // so we should bubble those up even during a bailout. All the other\n        // flags have a lifetime only of a single render + commit, so we should\n        // ignore them.\n\n        subtreeFlags |= _child3.subtreeFlags & StaticMask;\n        subtreeFlags |= _child3.flags & StaticMask; // Update the return pointer so the tree is consistent. This is a code\n        // smell because it assumes the commit phase is never concurrent with\n        // the render phase. Will address during refactor to alternate model.\n\n        _child3.return = completedWork;\n        _child3 = _child3.sibling;\n      }\n    }\n\n    completedWork.subtreeFlags |= subtreeFlags;\n  }\n\n  completedWork.childLanes = newChildLanes;\n  return didBailout;\n}\n\nfunction completeDehydratedSuspenseBoundary(current, workInProgress, nextState) {\n  if (hasUnhydratedTailNodes() && (workInProgress.mode & ConcurrentMode) !== NoMode && (workInProgress.flags & DidCapture) === NoFlags) {\n    warnIfUnhydratedTailNodes(workInProgress);\n    resetHydrationState();\n    workInProgress.flags |= ForceClientRender | Incomplete | ShouldCapture;\n    return false;\n  }\n\n  var wasHydrated = popHydrationState(workInProgress);\n\n  if (nextState !== null && nextState.dehydrated !== null) {\n    // We might be inside a hydration state the first time we're picking up this\n    // Suspense boundary, and also after we've reentered it for further hydration.\n    if (current === null) {\n      if (!wasHydrated) {\n        throw new Error('A dehydrated suspense component was completed without a hydrated node. ' + 'This is probably a bug in React.');\n      }\n\n      prepareToHydrateHostSuspenseInstance(workInProgress);\n      bubbleProperties(workInProgress);\n\n      {\n        if ((workInProgress.mode & ProfileMode) !== NoMode) {\n          var isTimedOutSuspense = nextState !== null;\n\n          if (isTimedOutSuspense) {\n            // Don't count time spent in a timed out Suspense subtree as part of the base duration.\n            var primaryChildFragment = workInProgress.child;\n\n            if (primaryChildFragment !== null) {\n              // $FlowFixMe Flow doesn't support type casting in combination with the -= operator\n              workInProgress.treeBaseDuration -= primaryChildFragment.treeBaseDuration;\n            }\n          }\n        }\n      }\n\n      return false;\n    } else {\n      // We might have reentered this boundary to hydrate it. If so, we need to reset the hydration\n      // state since we're now exiting out of it. popHydrationState doesn't do that for us.\n      resetHydrationState();\n\n      if ((workInProgress.flags & DidCapture) === NoFlags) {\n        // This boundary did not suspend so it's now hydrated and unsuspended.\n        workInProgress.memoizedState = null;\n      } // If nothing suspended, we need to schedule an effect to mark this boundary\n      // as having hydrated so events know that they're free to be invoked.\n      // It's also a signal to replay events and the suspense callback.\n      // If something suspended, schedule an effect to attach retry listeners.\n      // So we might as well always mark this.\n\n\n      workInProgress.flags |= Update;\n      bubbleProperties(workInProgress);\n\n      {\n        if ((workInProgress.mode & ProfileMode) !== NoMode) {\n          var _isTimedOutSuspense = nextState !== null;\n\n          if (_isTimedOutSuspense) {\n            // Don't count time spent in a timed out Suspense subtree as part of the base duration.\n            var _primaryChildFragment = workInProgress.child;\n\n            if (_primaryChildFragment !== null) {\n              // $FlowFixMe Flow doesn't support type casting in combination with the -= operator\n              workInProgress.treeBaseDuration -= _primaryChildFragment.treeBaseDuration;\n            }\n          }\n        }\n      }\n\n      return false;\n    }\n  } else {\n    // Successfully completed this tree. If this was a forced client render,\n    // there may have been recoverable errors during first hydration\n    // attempt. If so, add them to a queue so we can log them in the\n    // commit phase.\n    upgradeHydrationErrorsToRecoverable(); // Fall through to normal Suspense path\n\n    return true;\n  }\n}\n\nfunction completeWork(current, workInProgress, renderLanes) {\n  var newProps = workInProgress.pendingProps; // Note: This intentionally doesn't check if we're hydrating because comparing\n  // to the current tree provider fiber is just as fast and less error-prone.\n  // Ideally we would have a special version of the work loop only\n  // for hydration.\n\n  popTreeContext(workInProgress);\n\n  switch (workInProgress.tag) {\n    case IndeterminateComponent:\n    case LazyComponent:\n    case SimpleMemoComponent:\n    case FunctionComponent:\n    case ForwardRef:\n    case Fragment:\n    case Mode:\n    case Profiler:\n    case ContextConsumer:\n    case MemoComponent:\n      bubbleProperties(workInProgress);\n      return null;\n\n    case ClassComponent:\n      {\n        var Component = workInProgress.type;\n\n        if (isContextProvider(Component)) {\n          popContext(workInProgress);\n        }\n\n        bubbleProperties(workInProgress);\n        return null;\n      }\n\n    case HostRoot:\n      {\n        var fiberRoot = workInProgress.stateNode;\n        popHostContainer(workInProgress);\n        popTopLevelContextObject(workInProgress);\n        resetWorkInProgressVersions();\n\n        if (fiberRoot.pendingContext) {\n          fiberRoot.context = fiberRoot.pendingContext;\n          fiberRoot.pendingContext = null;\n        }\n\n        if (current === null || current.child === null) {\n          // If we hydrated, pop so that we can delete any remaining children\n          // that weren't hydrated.\n          var wasHydrated = popHydrationState(workInProgress);\n\n          if (wasHydrated) {\n            // If we hydrated, then we'll need to schedule an update for\n            // the commit side-effects on the root.\n            markUpdate(workInProgress);\n          } else {\n            if (current !== null) {\n              var prevState = current.memoizedState;\n\n              if ( // Check if this is a client root\n              !prevState.isDehydrated || // Check if we reverted to client rendering (e.g. due to an error)\n              (workInProgress.flags & ForceClientRender) !== NoFlags) {\n                // Schedule an effect to clear this container at the start of the\n                // next commit. This handles the case of React rendering into a\n                // container with previous children. It's also safe to do for\n                // updates too, because current.child would only be null if the\n                // previous render was null (so the container would already\n                // be empty).\n                workInProgress.flags |= Snapshot; // If this was a forced client render, there may have been\n                // recoverable errors during first hydration attempt. If so, add\n                // them to a queue so we can log them in the commit phase.\n\n                upgradeHydrationErrorsToRecoverable();\n              }\n            }\n          }\n        }\n\n        updateHostContainer(current, workInProgress);\n        bubbleProperties(workInProgress);\n\n        return null;\n      }\n\n    case HostComponent:\n      {\n        popHostContext(workInProgress);\n        var rootContainerInstance = getRootHostContainer();\n        var type = workInProgress.type;\n\n        if (current !== null && workInProgress.stateNode != null) {\n          updateHostComponent$1(current, workInProgress, type, newProps, rootContainerInstance);\n\n          if (current.ref !== workInProgress.ref) {\n            markRef$1(workInProgress);\n          }\n        } else {\n          if (!newProps) {\n            if (workInProgress.stateNode === null) {\n              throw new Error('We must have new props for new mounts. This error is likely ' + 'caused by a bug in React. Please file an issue.');\n            } // This can happen when we abort work.\n\n\n            bubbleProperties(workInProgress);\n            return null;\n          }\n\n          var currentHostContext = getHostContext(); // TODO: Move createInstance to beginWork and keep it on a context\n          // \"stack\" as the parent. Then append children as we go in beginWork\n          // or completeWork depending on whether we want to add them top->down or\n          // bottom->up. Top->down is faster in IE11.\n\n          var _wasHydrated = popHydrationState(workInProgress);\n\n          if (_wasHydrated) {\n            // TODO: Move this and createInstance step into the beginPhase\n            // to consolidate.\n            if (prepareToHydrateHostInstance(workInProgress, rootContainerInstance, currentHostContext)) {\n              // If changes to the hydrated node need to be applied at the\n              // commit-phase we mark this as such.\n              markUpdate(workInProgress);\n            }\n          } else {\n            var instance = createInstance(type, newProps, rootContainerInstance, currentHostContext, workInProgress);\n            appendAllChildren(instance, workInProgress, false, false);\n            workInProgress.stateNode = instance; // Certain renderers require commit-time effects for initial mount.\n            // (eg DOM renderer supports auto-focus for certain elements).\n            // Make sure such renderers get scheduled for later work.\n\n            if (finalizeInitialChildren(instance, type, newProps, rootContainerInstance)) {\n              markUpdate(workInProgress);\n            }\n          }\n\n          if (workInProgress.ref !== null) {\n            // If there is a ref on a host node we need to schedule a callback\n            markRef$1(workInProgress);\n          }\n        }\n\n        bubbleProperties(workInProgress);\n        return null;\n      }\n\n    case HostText:\n      {\n        var newText = newProps;\n\n        if (current && workInProgress.stateNode != null) {\n          var oldText = current.memoizedProps; // If we have an alternate, that means this is an update and we need\n          // to schedule a side-effect to do the updates.\n\n          updateHostText$1(current, workInProgress, oldText, newText);\n        } else {\n          if (typeof newText !== 'string') {\n            if (workInProgress.stateNode === null) {\n              throw new Error('We must have new props for new mounts. This error is likely ' + 'caused by a bug in React. Please file an issue.');\n            } // This can happen when we abort work.\n\n          }\n\n          var _rootContainerInstance = getRootHostContainer();\n\n          var _currentHostContext = getHostContext();\n\n          var _wasHydrated2 = popHydrationState(workInProgress);\n\n          if (_wasHydrated2) {\n            if (prepareToHydrateHostTextInstance(workInProgress)) {\n              markUpdate(workInProgress);\n            }\n          } else {\n            workInProgress.stateNode = createTextInstance(newText, _rootContainerInstance, _currentHostContext, workInProgress);\n          }\n        }\n\n        bubbleProperties(workInProgress);\n        return null;\n      }\n\n    case SuspenseComponent:\n      {\n        popSuspenseContext(workInProgress);\n        var nextState = workInProgress.memoizedState; // Special path for dehydrated boundaries. We may eventually move this\n        // to its own fiber type so that we can add other kinds of hydration\n        // boundaries that aren't associated with a Suspense tree. In anticipation\n        // of such a refactor, all the hydration logic is contained in\n        // this branch.\n\n        if (current === null || current.memoizedState !== null && current.memoizedState.dehydrated !== null) {\n          var fallthroughToNormalSuspensePath = completeDehydratedSuspenseBoundary(current, workInProgress, nextState);\n\n          if (!fallthroughToNormalSuspensePath) {\n            if (workInProgress.flags & ShouldCapture) {\n              // Special case. There were remaining unhydrated nodes. We treat\n              // this as a mismatch. Revert to client rendering.\n              return workInProgress;\n            } else {\n              // Did not finish hydrating, either because this is the initial\n              // render or because something suspended.\n              return null;\n            }\n          } // Continue with the normal Suspense path.\n\n        }\n\n        if ((workInProgress.flags & DidCapture) !== NoFlags) {\n          // Something suspended. Re-render with the fallback children.\n          workInProgress.lanes = renderLanes; // Do not reset the effect list.\n\n          if ( (workInProgress.mode & ProfileMode) !== NoMode) {\n            transferActualDuration(workInProgress);\n          } // Don't bubble properties in this case.\n\n\n          return workInProgress;\n        }\n\n        var nextDidTimeout = nextState !== null;\n        var prevDidTimeout = current !== null && current.memoizedState !== null;\n        // a passive effect, which is when we process the transitions\n\n\n        if (nextDidTimeout !== prevDidTimeout) {\n          // an effect to toggle the subtree's visibility. When we switch from\n          // fallback -> primary, the inner Offscreen fiber schedules this effect\n          // as part of its normal complete phase. But when we switch from\n          // primary -> fallback, the inner Offscreen fiber does not have a complete\n          // phase. So we need to schedule its effect here.\n          //\n          // We also use this flag to connect/disconnect the effects, but the same\n          // logic applies: when re-connecting, the Offscreen fiber's complete\n          // phase will handle scheduling the effect. It's only when the fallback\n          // is active that we have to do anything special.\n\n\n          if (nextDidTimeout) {\n            var _offscreenFiber2 = workInProgress.child;\n            _offscreenFiber2.flags |= Visibility; // TODO: This will still suspend a synchronous tree if anything\n            // in the concurrent tree already suspended during this render.\n            // This is a known bug.\n\n            if ((workInProgress.mode & ConcurrentMode) !== NoMode) {\n              // TODO: Move this back to throwException because this is too late\n              // if this is a large tree which is common for initial loads. We\n              // don't know if we should restart a render or not until we get\n              // this marker, and this is too late.\n              // If this render already had a ping or lower pri updates,\n              // and this is the first time we know we're going to suspend we\n              // should be able to immediately restart from within throwException.\n              var hasInvisibleChildContext = current === null && (workInProgress.memoizedProps.unstable_avoidThisFallback !== true || !enableSuspenseAvoidThisFallback);\n\n              if (hasInvisibleChildContext || hasSuspenseContext(suspenseStackCursor.current, InvisibleParentSuspenseContext)) {\n                // If this was in an invisible tree or a new render, then showing\n                // this boundary is ok.\n                renderDidSuspend();\n              } else {\n                // Otherwise, we're going to have to hide content so we should\n                // suspend for longer if possible.\n                renderDidSuspendDelayIfPossible();\n              }\n            }\n          }\n        }\n\n        var wakeables = workInProgress.updateQueue;\n\n        if (wakeables !== null) {\n          // Schedule an effect to attach a retry listener to the promise.\n          // TODO: Move to passive phase\n          workInProgress.flags |= Update;\n        }\n\n        bubbleProperties(workInProgress);\n\n        {\n          if ((workInProgress.mode & ProfileMode) !== NoMode) {\n            if (nextDidTimeout) {\n              // Don't count time spent in a timed out Suspense subtree as part of the base duration.\n              var primaryChildFragment = workInProgress.child;\n\n              if (primaryChildFragment !== null) {\n                // $FlowFixMe Flow doesn't support type casting in combination with the -= operator\n                workInProgress.treeBaseDuration -= primaryChildFragment.treeBaseDuration;\n              }\n            }\n          }\n        }\n\n        return null;\n      }\n\n    case HostPortal:\n      popHostContainer(workInProgress);\n      updateHostContainer(current, workInProgress);\n\n      if (current === null) {\n        preparePortalMount(workInProgress.stateNode.containerInfo);\n      }\n\n      bubbleProperties(workInProgress);\n      return null;\n\n    case ContextProvider:\n      // Pop provider fiber\n      var context = workInProgress.type._context;\n      popProvider(context, workInProgress);\n      bubbleProperties(workInProgress);\n      return null;\n\n    case IncompleteClassComponent:\n      {\n        // Same as class component case. I put it down here so that the tags are\n        // sequential to ensure this switch is compiled to a jump table.\n        var _Component = workInProgress.type;\n\n        if (isContextProvider(_Component)) {\n          popContext(workInProgress);\n        }\n\n        bubbleProperties(workInProgress);\n        return null;\n      }\n\n    case SuspenseListComponent:\n      {\n        popSuspenseContext(workInProgress);\n        var renderState = workInProgress.memoizedState;\n\n        if (renderState === null) {\n          // We're running in the default, \"independent\" mode.\n          // We don't do anything in this mode.\n          bubbleProperties(workInProgress);\n          return null;\n        }\n\n        var didSuspendAlready = (workInProgress.flags & DidCapture) !== NoFlags;\n        var renderedTail = renderState.rendering;\n\n        if (renderedTail === null) {\n          // We just rendered the head.\n          if (!didSuspendAlready) {\n            // This is the first pass. We need to figure out if anything is still\n            // suspended in the rendered set.\n            // If new content unsuspended, but there's still some content that\n            // didn't. Then we need to do a second pass that forces everything\n            // to keep showing their fallbacks.\n            // We might be suspended if something in this render pass suspended, or\n            // something in the previous committed pass suspended. Otherwise,\n            // there's no chance so we can skip the expensive call to\n            // findFirstSuspended.\n            var cannotBeSuspended = renderHasNotSuspendedYet() && (current === null || (current.flags & DidCapture) === NoFlags);\n\n            if (!cannotBeSuspended) {\n              var row = workInProgress.child;\n\n              while (row !== null) {\n                var suspended = findFirstSuspended(row);\n\n                if (suspended !== null) {\n                  didSuspendAlready = true;\n                  workInProgress.flags |= DidCapture;\n                  cutOffTailIfNeeded(renderState, false); // If this is a newly suspended tree, it might not get committed as\n                  // part of the second pass. In that case nothing will subscribe to\n                  // its thenables. Instead, we'll transfer its thenables to the\n                  // SuspenseList so that it can retry if they resolve.\n                  // There might be multiple of these in the list but since we're\n                  // going to wait for all of them anyway, it doesn't really matter\n                  // which ones gets to ping. In theory we could get clever and keep\n                  // track of how many dependencies remain but it gets tricky because\n                  // in the meantime, we can add/remove/change items and dependencies.\n                  // We might bail out of the loop before finding any but that\n                  // doesn't matter since that means that the other boundaries that\n                  // we did find already has their listeners attached.\n\n                  var newThenables = suspended.updateQueue;\n\n                  if (newThenables !== null) {\n                    workInProgress.updateQueue = newThenables;\n                    workInProgress.flags |= Update;\n                  } // Rerender the whole list, but this time, we'll force fallbacks\n                  // to stay in place.\n                  // Reset the effect flags before doing the second pass since that's now invalid.\n                  // Reset the child fibers to their original state.\n\n\n                  workInProgress.subtreeFlags = NoFlags;\n                  resetChildFibers(workInProgress, renderLanes); // Set up the Suspense Context to force suspense and immediately\n                  // rerender the children.\n\n                  pushSuspenseContext(workInProgress, setShallowSuspenseContext(suspenseStackCursor.current, ForceSuspenseFallback)); // Don't bubble properties in this case.\n\n                  return workInProgress.child;\n                }\n\n                row = row.sibling;\n              }\n            }\n\n            if (renderState.tail !== null && now() > getRenderTargetTime()) {\n              // We have already passed our CPU deadline but we still have rows\n              // left in the tail. We'll just give up further attempts to render\n              // the main content and only render fallbacks.\n              workInProgress.flags |= DidCapture;\n              didSuspendAlready = true;\n              cutOffTailIfNeeded(renderState, false); // Since nothing actually suspended, there will nothing to ping this\n              // to get it started back up to attempt the next item. While in terms\n              // of priority this work has the same priority as this current render,\n              // it's not part of the same transition once the transition has\n              // committed. If it's sync, we still want to yield so that it can be\n              // painted. Conceptually, this is really the same as pinging.\n              // We can use any RetryLane even if it's the one currently rendering\n              // since we're leaving it behind on this node.\n\n              workInProgress.lanes = SomeRetryLane;\n            }\n          } else {\n            cutOffTailIfNeeded(renderState, false);\n          } // Next we're going to render the tail.\n\n        } else {\n          // Append the rendered row to the child list.\n          if (!didSuspendAlready) {\n            var _suspended = findFirstSuspended(renderedTail);\n\n            if (_suspended !== null) {\n              workInProgress.flags |= DidCapture;\n              didSuspendAlready = true; // Ensure we transfer the update queue to the parent so that it doesn't\n              // get lost if this row ends up dropped during a second pass.\n\n              var _newThenables = _suspended.updateQueue;\n\n              if (_newThenables !== null) {\n                workInProgress.updateQueue = _newThenables;\n                workInProgress.flags |= Update;\n              }\n\n              cutOffTailIfNeeded(renderState, true); // This might have been modified.\n\n              if (renderState.tail === null && renderState.tailMode === 'hidden' && !renderedTail.alternate && !getIsHydrating() // We don't cut it if we're hydrating.\n              ) {\n                  // We're done.\n                  bubbleProperties(workInProgress);\n                  return null;\n                }\n            } else if ( // The time it took to render last row is greater than the remaining\n            // time we have to render. So rendering one more row would likely\n            // exceed it.\n            now() * 2 - renderState.renderingStartTime > getRenderTargetTime() && renderLanes !== OffscreenLane) {\n              // We have now passed our CPU deadline and we'll just give up further\n              // attempts to render the main content and only render fallbacks.\n              // The assumption is that this is usually faster.\n              workInProgress.flags |= DidCapture;\n              didSuspendAlready = true;\n              cutOffTailIfNeeded(renderState, false); // Since nothing actually suspended, there will nothing to ping this\n              // to get it started back up to attempt the next item. While in terms\n              // of priority this work has the same priority as this current render,\n              // it's not part of the same transition once the transition has\n              // committed. If it's sync, we still want to yield so that it can be\n              // painted. Conceptually, this is really the same as pinging.\n              // We can use any RetryLane even if it's the one currently rendering\n              // since we're leaving it behind on this node.\n\n              workInProgress.lanes = SomeRetryLane;\n            }\n          }\n\n          if (renderState.isBackwards) {\n            // The effect list of the backwards tail will have been added\n            // to the end. This breaks the guarantee that life-cycles fire in\n            // sibling order but that isn't a strong guarantee promised by React.\n            // Especially since these might also just pop in during future commits.\n            // Append to the beginning of the list.\n            renderedTail.sibling = workInProgress.child;\n            workInProgress.child = renderedTail;\n          } else {\n            var previousSibling = renderState.last;\n\n            if (previousSibling !== null) {\n              previousSibling.sibling = renderedTail;\n            } else {\n              workInProgress.child = renderedTail;\n            }\n\n            renderState.last = renderedTail;\n          }\n        }\n\n        if (renderState.tail !== null) {\n          // We still have tail rows to render.\n          // Pop a row.\n          var next = renderState.tail;\n          renderState.rendering = next;\n          renderState.tail = next.sibling;\n          renderState.renderingStartTime = now();\n          next.sibling = null; // Restore the context.\n          // TODO: We can probably just avoid popping it instead and only\n          // setting it the first time we go from not suspended to suspended.\n\n          var suspenseContext = suspenseStackCursor.current;\n\n          if (didSuspendAlready) {\n            suspenseContext = setShallowSuspenseContext(suspenseContext, ForceSuspenseFallback);\n          } else {\n            suspenseContext = setDefaultShallowSuspenseContext(suspenseContext);\n          }\n\n          pushSuspenseContext(workInProgress, suspenseContext); // Do a pass over the next row.\n          // Don't bubble properties in this case.\n\n          return next;\n        }\n\n        bubbleProperties(workInProgress);\n        return null;\n      }\n\n    case ScopeComponent:\n      {\n\n        break;\n      }\n\n    case OffscreenComponent:\n    case LegacyHiddenComponent:\n      {\n        popRenderLanes(workInProgress);\n        var _nextState = workInProgress.memoizedState;\n        var nextIsHidden = _nextState !== null;\n\n        if (current !== null) {\n          var _prevState = current.memoizedState;\n          var prevIsHidden = _prevState !== null;\n\n          if (prevIsHidden !== nextIsHidden && ( // LegacyHidden doesn't do any hiding — it only pre-renders.\n          !enableLegacyHidden )) {\n            workInProgress.flags |= Visibility;\n          }\n        }\n\n        if (!nextIsHidden || (workInProgress.mode & ConcurrentMode) === NoMode) {\n          bubbleProperties(workInProgress);\n        } else {\n          // Don't bubble properties for hidden children unless we're rendering\n          // at offscreen priority.\n          if (includesSomeLane(subtreeRenderLanes, OffscreenLane)) {\n            bubbleProperties(workInProgress);\n\n            {\n              // Check if there was an insertion or update in the hidden subtree.\n              // If so, we need to hide those nodes in the commit phase, so\n              // schedule a visibility effect.\n              if ( workInProgress.subtreeFlags & (Placement | Update)) {\n                workInProgress.flags |= Visibility;\n              }\n            }\n          }\n        }\n        return null;\n      }\n\n    case CacheComponent:\n      {\n\n        return null;\n      }\n\n    case TracingMarkerComponent:\n      {\n\n        return null;\n      }\n  }\n\n  throw new Error(\"Unknown unit of work tag (\" + workInProgress.tag + \"). This error is likely caused by a bug in \" + 'React. Please file an issue.');\n}\n\nfunction unwindWork(current, workInProgress, renderLanes) {\n  // Note: This intentionally doesn't check if we're hydrating because comparing\n  // to the current tree provider fiber is just as fast and less error-prone.\n  // Ideally we would have a special version of the work loop only\n  // for hydration.\n  popTreeContext(workInProgress);\n\n  switch (workInProgress.tag) {\n    case ClassComponent:\n      {\n        var Component = workInProgress.type;\n\n        if (isContextProvider(Component)) {\n          popContext(workInProgress);\n        }\n\n        var flags = workInProgress.flags;\n\n        if (flags & ShouldCapture) {\n          workInProgress.flags = flags & ~ShouldCapture | DidCapture;\n\n          if ( (workInProgress.mode & ProfileMode) !== NoMode) {\n            transferActualDuration(workInProgress);\n          }\n\n          return workInProgress;\n        }\n\n        return null;\n      }\n\n    case HostRoot:\n      {\n        var root = workInProgress.stateNode;\n        popHostContainer(workInProgress);\n        popTopLevelContextObject(workInProgress);\n        resetWorkInProgressVersions();\n        var _flags = workInProgress.flags;\n\n        if ((_flags & ShouldCapture) !== NoFlags && (_flags & DidCapture) === NoFlags) {\n          // There was an error during render that wasn't captured by a suspense\n          // boundary. Do a second pass on the root to unmount the children.\n          workInProgress.flags = _flags & ~ShouldCapture | DidCapture;\n          return workInProgress;\n        } // We unwound to the root without completing it. Exit.\n\n\n        return null;\n      }\n\n    case HostComponent:\n      {\n        // TODO: popHydrationState\n        popHostContext(workInProgress);\n        return null;\n      }\n\n    case SuspenseComponent:\n      {\n        popSuspenseContext(workInProgress);\n        var suspenseState = workInProgress.memoizedState;\n\n        if (suspenseState !== null && suspenseState.dehydrated !== null) {\n          if (workInProgress.alternate === null) {\n            throw new Error('Threw in newly mounted dehydrated component. This is likely a bug in ' + 'React. Please file an issue.');\n          }\n\n          resetHydrationState();\n        }\n\n        var _flags2 = workInProgress.flags;\n\n        if (_flags2 & ShouldCapture) {\n          workInProgress.flags = _flags2 & ~ShouldCapture | DidCapture; // Captured a suspense effect. Re-render the boundary.\n\n          if ( (workInProgress.mode & ProfileMode) !== NoMode) {\n            transferActualDuration(workInProgress);\n          }\n\n          return workInProgress;\n        }\n\n        return null;\n      }\n\n    case SuspenseListComponent:\n      {\n        popSuspenseContext(workInProgress); // SuspenseList doesn't actually catch anything. It should've been\n        // caught by a nested boundary. If not, it should bubble through.\n\n        return null;\n      }\n\n    case HostPortal:\n      popHostContainer(workInProgress);\n      return null;\n\n    case ContextProvider:\n      var context = workInProgress.type._context;\n      popProvider(context, workInProgress);\n      return null;\n\n    case OffscreenComponent:\n    case LegacyHiddenComponent:\n      popRenderLanes(workInProgress);\n      return null;\n\n    case CacheComponent:\n\n      return null;\n\n    default:\n      return null;\n  }\n}\n\nfunction unwindInterruptedWork(current, interruptedWork, renderLanes) {\n  // Note: This intentionally doesn't check if we're hydrating because comparing\n  // to the current tree provider fiber is just as fast and less error-prone.\n  // Ideally we would have a special version of the work loop only\n  // for hydration.\n  popTreeContext(interruptedWork);\n\n  switch (interruptedWork.tag) {\n    case ClassComponent:\n      {\n        var childContextTypes = interruptedWork.type.childContextTypes;\n\n        if (childContextTypes !== null && childContextTypes !== undefined) {\n          popContext(interruptedWork);\n        }\n\n        break;\n      }\n\n    case HostRoot:\n      {\n        var root = interruptedWork.stateNode;\n        popHostContainer(interruptedWork);\n        popTopLevelContextObject(interruptedWork);\n        resetWorkInProgressVersions();\n        break;\n      }\n\n    case HostComponent:\n      {\n        popHostContext(interruptedWork);\n        break;\n      }\n\n    case HostPortal:\n      popHostContainer(interruptedWork);\n      break;\n\n    case SuspenseComponent:\n      popSuspenseContext(interruptedWork);\n      break;\n\n    case SuspenseListComponent:\n      popSuspenseContext(interruptedWork);\n      break;\n\n    case ContextProvider:\n      var context = interruptedWork.type._context;\n      popProvider(context, interruptedWork);\n      break;\n\n    case OffscreenComponent:\n    case LegacyHiddenComponent:\n      popRenderLanes(interruptedWork);\n      break;\n  }\n}\n\nvar didWarnAboutUndefinedSnapshotBeforeUpdate = null;\n\n{\n  didWarnAboutUndefinedSnapshotBeforeUpdate = new Set();\n} // Used during the commit phase to track the state of the Offscreen component stack.\n// Allows us to avoid traversing the return path to find the nearest Offscreen ancestor.\n// Only used when enableSuspenseLayoutEffectSemantics is enabled.\n\n\nvar offscreenSubtreeIsHidden = false;\nvar offscreenSubtreeWasHidden = false;\nvar PossiblyWeakSet = typeof WeakSet === 'function' ? WeakSet : Set;\nvar nextEffect = null; // Used for Profiling builds to track updaters.\n\nvar inProgressLanes = null;\nvar inProgressRoot = null;\nfunction reportUncaughtErrorInDEV(error) {\n  // Wrapping each small part of the commit phase into a guarded\n  // callback is a bit too slow (https://github.com/facebook/react/pull/21666).\n  // But we rely on it to surface errors to DEV tools like overlays\n  // (https://github.com/facebook/react/issues/21712).\n  // As a compromise, rethrow only caught errors in a guard.\n  {\n    invokeGuardedCallback(null, function () {\n      throw error;\n    });\n    clearCaughtError();\n  }\n}\n\nvar callComponentWillUnmountWithTimer = function (current, instance) {\n  instance.props = current.memoizedProps;\n  instance.state = current.memoizedState;\n\n  if ( current.mode & ProfileMode) {\n    try {\n      startLayoutEffectTimer();\n      instance.componentWillUnmount();\n    } finally {\n      recordLayoutEffectDuration(current);\n    }\n  } else {\n    instance.componentWillUnmount();\n  }\n}; // Capture errors so they don't interrupt mounting.\n\n\nfunction safelyCallCommitHookLayoutEffectListMount(current, nearestMountedAncestor) {\n  try {\n    commitHookEffectListMount(Layout, current);\n  } catch (error) {\n    captureCommitPhaseError(current, nearestMountedAncestor, error);\n  }\n} // Capture errors so they don't interrupt unmounting.\n\n\nfunction safelyCallComponentWillUnmount(current, nearestMountedAncestor, instance) {\n  try {\n    callComponentWillUnmountWithTimer(current, instance);\n  } catch (error) {\n    captureCommitPhaseError(current, nearestMountedAncestor, error);\n  }\n} // Capture errors so they don't interrupt mounting.\n\n\nfunction safelyCallComponentDidMount(current, nearestMountedAncestor, instance) {\n  try {\n    instance.componentDidMount();\n  } catch (error) {\n    captureCommitPhaseError(current, nearestMountedAncestor, error);\n  }\n} // Capture errors so they don't interrupt mounting.\n\n\nfunction safelyAttachRef(current, nearestMountedAncestor) {\n  try {\n    commitAttachRef(current);\n  } catch (error) {\n    captureCommitPhaseError(current, nearestMountedAncestor, error);\n  }\n}\n\nfunction safelyDetachRef(current, nearestMountedAncestor) {\n  var ref = current.ref;\n\n  if (ref !== null) {\n    if (typeof ref === 'function') {\n      var retVal;\n\n      try {\n        if (enableProfilerTimer && enableProfilerCommitHooks && current.mode & ProfileMode) {\n          try {\n            startLayoutEffectTimer();\n            retVal = ref(null);\n          } finally {\n            recordLayoutEffectDuration(current);\n          }\n        } else {\n          retVal = ref(null);\n        }\n      } catch (error) {\n        captureCommitPhaseError(current, nearestMountedAncestor, error);\n      }\n\n      {\n        if (typeof retVal === 'function') {\n          error('Unexpected return value from a callback ref in %s. ' + 'A callback ref should not return a function.', getComponentNameFromFiber(current));\n        }\n      }\n    } else {\n      ref.current = null;\n    }\n  }\n}\n\nfunction safelyCallDestroy(current, nearestMountedAncestor, destroy) {\n  try {\n    destroy();\n  } catch (error) {\n    captureCommitPhaseError(current, nearestMountedAncestor, error);\n  }\n}\n\nvar focusedInstanceHandle = null;\nvar shouldFireAfterActiveInstanceBlur = false;\nfunction commitBeforeMutationEffects(root, firstChild) {\n  focusedInstanceHandle = prepareForCommit(root.containerInfo);\n  nextEffect = firstChild;\n  commitBeforeMutationEffects_begin(); // We no longer need to track the active instance fiber\n\n  var shouldFire = shouldFireAfterActiveInstanceBlur;\n  shouldFireAfterActiveInstanceBlur = false;\n  focusedInstanceHandle = null;\n  return shouldFire;\n}\n\nfunction commitBeforeMutationEffects_begin() {\n  while (nextEffect !== null) {\n    var fiber = nextEffect; // This phase is only used for beforeActiveInstanceBlur.\n\n    var child = fiber.child;\n\n    if ((fiber.subtreeFlags & BeforeMutationMask) !== NoFlags && child !== null) {\n      child.return = fiber;\n      nextEffect = child;\n    } else {\n      commitBeforeMutationEffects_complete();\n    }\n  }\n}\n\nfunction commitBeforeMutationEffects_complete() {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n    setCurrentFiber(fiber);\n\n    try {\n      commitBeforeMutationEffectsOnFiber(fiber);\n    } catch (error) {\n      captureCommitPhaseError(fiber, fiber.return, error);\n    }\n\n    resetCurrentFiber();\n    var sibling = fiber.sibling;\n\n    if (sibling !== null) {\n      sibling.return = fiber.return;\n      nextEffect = sibling;\n      return;\n    }\n\n    nextEffect = fiber.return;\n  }\n}\n\nfunction commitBeforeMutationEffectsOnFiber(finishedWork) {\n  var current = finishedWork.alternate;\n  var flags = finishedWork.flags;\n\n  if ((flags & Snapshot) !== NoFlags) {\n    setCurrentFiber(finishedWork);\n\n    switch (finishedWork.tag) {\n      case FunctionComponent:\n      case ForwardRef:\n      case SimpleMemoComponent:\n        {\n          break;\n        }\n\n      case ClassComponent:\n        {\n          if (current !== null) {\n            var prevProps = current.memoizedProps;\n            var prevState = current.memoizedState;\n            var instance = finishedWork.stateNode; // We could update instance props and state here,\n            // but instead we rely on them being set during last render.\n            // TODO: revisit this when we implement resuming.\n\n            {\n              if (finishedWork.type === finishedWork.elementType && !didWarnAboutReassigningProps) {\n                if (instance.props !== finishedWork.memoizedProps) {\n                  error('Expected %s props to match memoized props before ' + 'getSnapshotBeforeUpdate. ' + 'This might either be because of a bug in React, or because ' + 'a component reassigns its own `this.props`. ' + 'Please file an issue.', getComponentNameFromFiber(finishedWork) || 'instance');\n                }\n\n                if (instance.state !== finishedWork.memoizedState) {\n                  error('Expected %s state to match memoized state before ' + 'getSnapshotBeforeUpdate. ' + 'This might either be because of a bug in React, or because ' + 'a component reassigns its own `this.state`. ' + 'Please file an issue.', getComponentNameFromFiber(finishedWork) || 'instance');\n                }\n              }\n            }\n\n            var snapshot = instance.getSnapshotBeforeUpdate(finishedWork.elementType === finishedWork.type ? prevProps : resolveDefaultProps(finishedWork.type, prevProps), prevState);\n\n            {\n              var didWarnSet = didWarnAboutUndefinedSnapshotBeforeUpdate;\n\n              if (snapshot === undefined && !didWarnSet.has(finishedWork.type)) {\n                didWarnSet.add(finishedWork.type);\n\n                error('%s.getSnapshotBeforeUpdate(): A snapshot value (or null) ' + 'must be returned. You have returned undefined.', getComponentNameFromFiber(finishedWork));\n              }\n            }\n\n            instance.__reactInternalSnapshotBeforeUpdate = snapshot;\n          }\n\n          break;\n        }\n\n      case HostRoot:\n        {\n          {\n            var root = finishedWork.stateNode;\n            clearContainer(root.containerInfo);\n          }\n\n          break;\n        }\n\n      case HostComponent:\n      case HostText:\n      case HostPortal:\n      case IncompleteClassComponent:\n        // Nothing to do for these component types\n        break;\n\n      default:\n        {\n          throw new Error('This unit of work tag should not have side-effects. This error is ' + 'likely caused by a bug in React. Please file an issue.');\n        }\n    }\n\n    resetCurrentFiber();\n  }\n}\n\nfunction commitHookEffectListUnmount(flags, finishedWork, nearestMountedAncestor) {\n  var updateQueue = finishedWork.updateQueue;\n  var lastEffect = updateQueue !== null ? updateQueue.lastEffect : null;\n\n  if (lastEffect !== null) {\n    var firstEffect = lastEffect.next;\n    var effect = firstEffect;\n\n    do {\n      if ((effect.tag & flags) === flags) {\n        // Unmount\n        var destroy = effect.destroy;\n        effect.destroy = undefined;\n\n        if (destroy !== undefined) {\n          {\n            if ((flags & Passive$1) !== NoFlags$1) {\n              markComponentPassiveEffectUnmountStarted(finishedWork);\n            } else if ((flags & Layout) !== NoFlags$1) {\n              markComponentLayoutEffectUnmountStarted(finishedWork);\n            }\n          }\n\n          {\n            if ((flags & Insertion) !== NoFlags$1) {\n              setIsRunningInsertionEffect(true);\n            }\n          }\n\n          safelyCallDestroy(finishedWork, nearestMountedAncestor, destroy);\n\n          {\n            if ((flags & Insertion) !== NoFlags$1) {\n              setIsRunningInsertionEffect(false);\n            }\n          }\n\n          {\n            if ((flags & Passive$1) !== NoFlags$1) {\n              markComponentPassiveEffectUnmountStopped();\n            } else if ((flags & Layout) !== NoFlags$1) {\n              markComponentLayoutEffectUnmountStopped();\n            }\n          }\n        }\n      }\n\n      effect = effect.next;\n    } while (effect !== firstEffect);\n  }\n}\n\nfunction commitHookEffectListMount(flags, finishedWork) {\n  var updateQueue = finishedWork.updateQueue;\n  var lastEffect = updateQueue !== null ? updateQueue.lastEffect : null;\n\n  if (lastEffect !== null) {\n    var firstEffect = lastEffect.next;\n    var effect = firstEffect;\n\n    do {\n      if ((effect.tag & flags) === flags) {\n        {\n          if ((flags & Passive$1) !== NoFlags$1) {\n            markComponentPassiveEffectMountStarted(finishedWork);\n          } else if ((flags & Layout) !== NoFlags$1) {\n            markComponentLayoutEffectMountStarted(finishedWork);\n          }\n        } // Mount\n\n\n        var create = effect.create;\n\n        {\n          if ((flags & Insertion) !== NoFlags$1) {\n            setIsRunningInsertionEffect(true);\n          }\n        }\n\n        effect.destroy = create();\n\n        {\n          if ((flags & Insertion) !== NoFlags$1) {\n            setIsRunningInsertionEffect(false);\n          }\n        }\n\n        {\n          if ((flags & Passive$1) !== NoFlags$1) {\n            markComponentPassiveEffectMountStopped();\n          } else if ((flags & Layout) !== NoFlags$1) {\n            markComponentLayoutEffectMountStopped();\n          }\n        }\n\n        {\n          var destroy = effect.destroy;\n\n          if (destroy !== undefined && typeof destroy !== 'function') {\n            var hookName = void 0;\n\n            if ((effect.tag & Layout) !== NoFlags) {\n              hookName = 'useLayoutEffect';\n            } else if ((effect.tag & Insertion) !== NoFlags) {\n              hookName = 'useInsertionEffect';\n            } else {\n              hookName = 'useEffect';\n            }\n\n            var addendum = void 0;\n\n            if (destroy === null) {\n              addendum = ' You returned null. If your effect does not require clean ' + 'up, return undefined (or nothing).';\n            } else if (typeof destroy.then === 'function') {\n              addendum = '\\n\\nIt looks like you wrote ' + hookName + '(async () => ...) or returned a Promise. ' + 'Instead, write the async function inside your effect ' + 'and call it immediately:\\n\\n' + hookName + '(() => {\\n' + '  async function fetchData() {\\n' + '    // You can await here\\n' + '    const response = await MyAPI.getData(someId);\\n' + '    // ...\\n' + '  }\\n' + '  fetchData();\\n' + \"}, [someId]); // Or [] if effect doesn't need props or state\\n\\n\" + 'Learn more about data fetching with Hooks: https://reactjs.org/link/hooks-data-fetching';\n            } else {\n              addendum = ' You returned: ' + destroy;\n            }\n\n            error('%s must not return anything besides a function, ' + 'which is used for clean-up.%s', hookName, addendum);\n          }\n        }\n      }\n\n      effect = effect.next;\n    } while (effect !== firstEffect);\n  }\n}\n\nfunction commitPassiveEffectDurations(finishedRoot, finishedWork) {\n  {\n    // Only Profilers with work in their subtree will have an Update effect scheduled.\n    if ((finishedWork.flags & Update) !== NoFlags) {\n      switch (finishedWork.tag) {\n        case Profiler:\n          {\n            var passiveEffectDuration = finishedWork.stateNode.passiveEffectDuration;\n            var _finishedWork$memoize = finishedWork.memoizedProps,\n                id = _finishedWork$memoize.id,\n                onPostCommit = _finishedWork$memoize.onPostCommit; // This value will still reflect the previous commit phase.\n            // It does not get reset until the start of the next commit phase.\n\n            var commitTime = getCommitTime();\n            var phase = finishedWork.alternate === null ? 'mount' : 'update';\n\n            {\n              if (isCurrentUpdateNested()) {\n                phase = 'nested-update';\n              }\n            }\n\n            if (typeof onPostCommit === 'function') {\n              onPostCommit(id, phase, passiveEffectDuration, commitTime);\n            } // Bubble times to the next nearest ancestor Profiler.\n            // After we process that Profiler, we'll bubble further up.\n\n\n            var parentFiber = finishedWork.return;\n\n            outer: while (parentFiber !== null) {\n              switch (parentFiber.tag) {\n                case HostRoot:\n                  var root = parentFiber.stateNode;\n                  root.passiveEffectDuration += passiveEffectDuration;\n                  break outer;\n\n                case Profiler:\n                  var parentStateNode = parentFiber.stateNode;\n                  parentStateNode.passiveEffectDuration += passiveEffectDuration;\n                  break outer;\n              }\n\n              parentFiber = parentFiber.return;\n            }\n\n            break;\n          }\n      }\n    }\n  }\n}\n\nfunction commitLayoutEffectOnFiber(finishedRoot, current, finishedWork, committedLanes) {\n  if ((finishedWork.flags & LayoutMask) !== NoFlags) {\n    switch (finishedWork.tag) {\n      case FunctionComponent:\n      case ForwardRef:\n      case SimpleMemoComponent:\n        {\n          if ( !offscreenSubtreeWasHidden) {\n            // At this point layout effects have already been destroyed (during mutation phase).\n            // This is done to prevent sibling component effects from interfering with each other,\n            // e.g. a destroy function in one component should never override a ref set\n            // by a create function in another component during the same commit.\n            if ( finishedWork.mode & ProfileMode) {\n              try {\n                startLayoutEffectTimer();\n                commitHookEffectListMount(Layout | HasEffect, finishedWork);\n              } finally {\n                recordLayoutEffectDuration(finishedWork);\n              }\n            } else {\n              commitHookEffectListMount(Layout | HasEffect, finishedWork);\n            }\n          }\n\n          break;\n        }\n\n      case ClassComponent:\n        {\n          var instance = finishedWork.stateNode;\n\n          if (finishedWork.flags & Update) {\n            if (!offscreenSubtreeWasHidden) {\n              if (current === null) {\n                // We could update instance props and state here,\n                // but instead we rely on them being set during last render.\n                // TODO: revisit this when we implement resuming.\n                {\n                  if (finishedWork.type === finishedWork.elementType && !didWarnAboutReassigningProps) {\n                    if (instance.props !== finishedWork.memoizedProps) {\n                      error('Expected %s props to match memoized props before ' + 'componentDidMount. ' + 'This might either be because of a bug in React, or because ' + 'a component reassigns its own `this.props`. ' + 'Please file an issue.', getComponentNameFromFiber(finishedWork) || 'instance');\n                    }\n\n                    if (instance.state !== finishedWork.memoizedState) {\n                      error('Expected %s state to match memoized state before ' + 'componentDidMount. ' + 'This might either be because of a bug in React, or because ' + 'a component reassigns its own `this.state`. ' + 'Please file an issue.', getComponentNameFromFiber(finishedWork) || 'instance');\n                    }\n                  }\n                }\n\n                if ( finishedWork.mode & ProfileMode) {\n                  try {\n                    startLayoutEffectTimer();\n                    instance.componentDidMount();\n                  } finally {\n                    recordLayoutEffectDuration(finishedWork);\n                  }\n                } else {\n                  instance.componentDidMount();\n                }\n              } else {\n                var prevProps = finishedWork.elementType === finishedWork.type ? current.memoizedProps : resolveDefaultProps(finishedWork.type, current.memoizedProps);\n                var prevState = current.memoizedState; // We could update instance props and state here,\n                // but instead we rely on them being set during last render.\n                // TODO: revisit this when we implement resuming.\n\n                {\n                  if (finishedWork.type === finishedWork.elementType && !didWarnAboutReassigningProps) {\n                    if (instance.props !== finishedWork.memoizedProps) {\n                      error('Expected %s props to match memoized props before ' + 'componentDidUpdate. ' + 'This might either be because of a bug in React, or because ' + 'a component reassigns its own `this.props`. ' + 'Please file an issue.', getComponentNameFromFiber(finishedWork) || 'instance');\n                    }\n\n                    if (instance.state !== finishedWork.memoizedState) {\n                      error('Expected %s state to match memoized state before ' + 'componentDidUpdate. ' + 'This might either be because of a bug in React, or because ' + 'a component reassigns its own `this.state`. ' + 'Please file an issue.', getComponentNameFromFiber(finishedWork) || 'instance');\n                    }\n                  }\n                }\n\n                if ( finishedWork.mode & ProfileMode) {\n                  try {\n                    startLayoutEffectTimer();\n                    instance.componentDidUpdate(prevProps, prevState, instance.__reactInternalSnapshotBeforeUpdate);\n                  } finally {\n                    recordLayoutEffectDuration(finishedWork);\n                  }\n                } else {\n                  instance.componentDidUpdate(prevProps, prevState, instance.__reactInternalSnapshotBeforeUpdate);\n                }\n              }\n            }\n          } // TODO: I think this is now always non-null by the time it reaches the\n          // commit phase. Consider removing the type check.\n\n\n          var updateQueue = finishedWork.updateQueue;\n\n          if (updateQueue !== null) {\n            {\n              if (finishedWork.type === finishedWork.elementType && !didWarnAboutReassigningProps) {\n                if (instance.props !== finishedWork.memoizedProps) {\n                  error('Expected %s props to match memoized props before ' + 'processing the update queue. ' + 'This might either be because of a bug in React, or because ' + 'a component reassigns its own `this.props`. ' + 'Please file an issue.', getComponentNameFromFiber(finishedWork) || 'instance');\n                }\n\n                if (instance.state !== finishedWork.memoizedState) {\n                  error('Expected %s state to match memoized state before ' + 'processing the update queue. ' + 'This might either be because of a bug in React, or because ' + 'a component reassigns its own `this.state`. ' + 'Please file an issue.', getComponentNameFromFiber(finishedWork) || 'instance');\n                }\n              }\n            } // We could update instance props and state here,\n            // but instead we rely on them being set during last render.\n            // TODO: revisit this when we implement resuming.\n\n\n            commitUpdateQueue(finishedWork, updateQueue, instance);\n          }\n\n          break;\n        }\n\n      case HostRoot:\n        {\n          // TODO: I think this is now always non-null by the time it reaches the\n          // commit phase. Consider removing the type check.\n          var _updateQueue = finishedWork.updateQueue;\n\n          if (_updateQueue !== null) {\n            var _instance = null;\n\n            if (finishedWork.child !== null) {\n              switch (finishedWork.child.tag) {\n                case HostComponent:\n                  _instance = getPublicInstance(finishedWork.child.stateNode);\n                  break;\n\n                case ClassComponent:\n                  _instance = finishedWork.child.stateNode;\n                  break;\n              }\n            }\n\n            commitUpdateQueue(finishedWork, _updateQueue, _instance);\n          }\n\n          break;\n        }\n\n      case HostComponent:\n        {\n          var _instance2 = finishedWork.stateNode; // Renderers may schedule work to be done after host components are mounted\n          // (eg DOM renderer may schedule auto-focus for inputs and form controls).\n          // These effects should only be committed when components are first mounted,\n          // aka when there is no current/alternate.\n\n          if (current === null && finishedWork.flags & Update) {\n            var type = finishedWork.type;\n            var props = finishedWork.memoizedProps;\n            commitMount(_instance2, type, props);\n          }\n\n          break;\n        }\n\n      case HostText:\n        {\n          // We have no life-cycles associated with text.\n          break;\n        }\n\n      case HostPortal:\n        {\n          // We have no life-cycles associated with portals.\n          break;\n        }\n\n      case Profiler:\n        {\n          {\n            var _finishedWork$memoize2 = finishedWork.memoizedProps,\n                onCommit = _finishedWork$memoize2.onCommit,\n                onRender = _finishedWork$memoize2.onRender;\n            var effectDuration = finishedWork.stateNode.effectDuration;\n            var commitTime = getCommitTime();\n            var phase = current === null ? 'mount' : 'update';\n\n            {\n              if (isCurrentUpdateNested()) {\n                phase = 'nested-update';\n              }\n            }\n\n            if (typeof onRender === 'function') {\n              onRender(finishedWork.memoizedProps.id, phase, finishedWork.actualDuration, finishedWork.treeBaseDuration, finishedWork.actualStartTime, commitTime);\n            }\n\n            {\n              if (typeof onCommit === 'function') {\n                onCommit(finishedWork.memoizedProps.id, phase, effectDuration, commitTime);\n              } // Schedule a passive effect for this Profiler to call onPostCommit hooks.\n              // This effect should be scheduled even if there is no onPostCommit callback for this Profiler,\n              // because the effect is also where times bubble to parent Profilers.\n\n\n              enqueuePendingPassiveProfilerEffect(finishedWork); // Propagate layout effect durations to the next nearest Profiler ancestor.\n              // Do not reset these values until the next render so DevTools has a chance to read them first.\n\n              var parentFiber = finishedWork.return;\n\n              outer: while (parentFiber !== null) {\n                switch (parentFiber.tag) {\n                  case HostRoot:\n                    var root = parentFiber.stateNode;\n                    root.effectDuration += effectDuration;\n                    break outer;\n\n                  case Profiler:\n                    var parentStateNode = parentFiber.stateNode;\n                    parentStateNode.effectDuration += effectDuration;\n                    break outer;\n                }\n\n                parentFiber = parentFiber.return;\n              }\n            }\n          }\n\n          break;\n        }\n\n      case SuspenseComponent:\n        {\n          commitSuspenseHydrationCallbacks(finishedRoot, finishedWork);\n          break;\n        }\n\n      case SuspenseListComponent:\n      case IncompleteClassComponent:\n      case ScopeComponent:\n      case OffscreenComponent:\n      case LegacyHiddenComponent:\n      case TracingMarkerComponent:\n        {\n          break;\n        }\n\n      default:\n        throw new Error('This unit of work tag should not have side-effects. This error is ' + 'likely caused by a bug in React. Please file an issue.');\n    }\n  }\n\n  if ( !offscreenSubtreeWasHidden) {\n    {\n      if (finishedWork.flags & Ref) {\n        commitAttachRef(finishedWork);\n      }\n    }\n  }\n}\n\nfunction reappearLayoutEffectsOnFiber(node) {\n  // Turn on layout effects in a tree that previously disappeared.\n  // TODO (Offscreen) Check: flags & LayoutStatic\n  switch (node.tag) {\n    case FunctionComponent:\n    case ForwardRef:\n    case SimpleMemoComponent:\n      {\n        if ( node.mode & ProfileMode) {\n          try {\n            startLayoutEffectTimer();\n            safelyCallCommitHookLayoutEffectListMount(node, node.return);\n          } finally {\n            recordLayoutEffectDuration(node);\n          }\n        } else {\n          safelyCallCommitHookLayoutEffectListMount(node, node.return);\n        }\n\n        break;\n      }\n\n    case ClassComponent:\n      {\n        var instance = node.stateNode;\n\n        if (typeof instance.componentDidMount === 'function') {\n          safelyCallComponentDidMount(node, node.return, instance);\n        }\n\n        safelyAttachRef(node, node.return);\n        break;\n      }\n\n    case HostComponent:\n      {\n        safelyAttachRef(node, node.return);\n        break;\n      }\n  }\n}\n\nfunction hideOrUnhideAllChildren(finishedWork, isHidden) {\n  // Only hide or unhide the top-most host nodes.\n  var hostSubtreeRoot = null;\n\n  {\n    // We only have the top Fiber that was inserted but we need to recurse down its\n    // children to find all the terminal nodes.\n    var node = finishedWork;\n\n    while (true) {\n      if (node.tag === HostComponent) {\n        if (hostSubtreeRoot === null) {\n          hostSubtreeRoot = node;\n\n          try {\n            var instance = node.stateNode;\n\n            if (isHidden) {\n              hideInstance(instance);\n            } else {\n              unhideInstance(node.stateNode, node.memoizedProps);\n            }\n          } catch (error) {\n            captureCommitPhaseError(finishedWork, finishedWork.return, error);\n          }\n        }\n      } else if (node.tag === HostText) {\n        if (hostSubtreeRoot === null) {\n          try {\n            var _instance3 = node.stateNode;\n\n            if (isHidden) {\n              hideTextInstance(_instance3);\n            } else {\n              unhideTextInstance(_instance3, node.memoizedProps);\n            }\n          } catch (error) {\n            captureCommitPhaseError(finishedWork, finishedWork.return, error);\n          }\n        }\n      } else if ((node.tag === OffscreenComponent || node.tag === LegacyHiddenComponent) && node.memoizedState !== null && node !== finishedWork) ; else if (node.child !== null) {\n        node.child.return = node;\n        node = node.child;\n        continue;\n      }\n\n      if (node === finishedWork) {\n        return;\n      }\n\n      while (node.sibling === null) {\n        if (node.return === null || node.return === finishedWork) {\n          return;\n        }\n\n        if (hostSubtreeRoot === node) {\n          hostSubtreeRoot = null;\n        }\n\n        node = node.return;\n      }\n\n      if (hostSubtreeRoot === node) {\n        hostSubtreeRoot = null;\n      }\n\n      node.sibling.return = node.return;\n      node = node.sibling;\n    }\n  }\n}\n\nfunction commitAttachRef(finishedWork) {\n  var ref = finishedWork.ref;\n\n  if (ref !== null) {\n    var instance = finishedWork.stateNode;\n    var instanceToUse;\n\n    switch (finishedWork.tag) {\n      case HostComponent:\n        instanceToUse = getPublicInstance(instance);\n        break;\n\n      default:\n        instanceToUse = instance;\n    } // Moved outside to ensure DCE works with this flag\n\n    if (typeof ref === 'function') {\n      var retVal;\n\n      if ( finishedWork.mode & ProfileMode) {\n        try {\n          startLayoutEffectTimer();\n          retVal = ref(instanceToUse);\n        } finally {\n          recordLayoutEffectDuration(finishedWork);\n        }\n      } else {\n        retVal = ref(instanceToUse);\n      }\n\n      {\n        if (typeof retVal === 'function') {\n          error('Unexpected return value from a callback ref in %s. ' + 'A callback ref should not return a function.', getComponentNameFromFiber(finishedWork));\n        }\n      }\n    } else {\n      {\n        if (!ref.hasOwnProperty('current')) {\n          error('Unexpected ref object provided for %s. ' + 'Use either a ref-setter function or React.createRef().', getComponentNameFromFiber(finishedWork));\n        }\n      }\n\n      ref.current = instanceToUse;\n    }\n  }\n}\n\nfunction detachFiberMutation(fiber) {\n  // Cut off the return pointer to disconnect it from the tree.\n  // This enables us to detect and warn against state updates on an unmounted component.\n  // It also prevents events from bubbling from within disconnected components.\n  //\n  // Ideally, we should also clear the child pointer of the parent alternate to let this\n  // get GC:ed but we don't know which for sure which parent is the current\n  // one so we'll settle for GC:ing the subtree of this child.\n  // This child itself will be GC:ed when the parent updates the next time.\n  //\n  // Note that we can't clear child or sibling pointers yet.\n  // They're needed for passive effects and for findDOMNode.\n  // We defer those fields, and all other cleanup, to the passive phase (see detachFiberAfterEffects).\n  //\n  // Don't reset the alternate yet, either. We need that so we can detach the\n  // alternate's fields in the passive phase. Clearing the return pointer is\n  // sufficient for findDOMNode semantics.\n  var alternate = fiber.alternate;\n\n  if (alternate !== null) {\n    alternate.return = null;\n  }\n\n  fiber.return = null;\n}\n\nfunction detachFiberAfterEffects(fiber) {\n  var alternate = fiber.alternate;\n\n  if (alternate !== null) {\n    fiber.alternate = null;\n    detachFiberAfterEffects(alternate);\n  } // Note: Defensively using negation instead of < in case\n  // `deletedTreeCleanUpLevel` is undefined.\n\n\n  {\n    // Clear cyclical Fiber fields. This level alone is designed to roughly\n    // approximate the planned Fiber refactor. In that world, `setState` will be\n    // bound to a special \"instance\" object instead of a Fiber. The Instance\n    // object will not have any of these fields. It will only be connected to\n    // the fiber tree via a single link at the root. So if this level alone is\n    // sufficient to fix memory issues, that bodes well for our plans.\n    fiber.child = null;\n    fiber.deletions = null;\n    fiber.sibling = null; // The `stateNode` is cyclical because on host nodes it points to the host\n    // tree, which has its own pointers to children, parents, and siblings.\n    // The other host nodes also point back to fibers, so we should detach that\n    // one, too.\n\n    if (fiber.tag === HostComponent) {\n      var hostInstance = fiber.stateNode;\n\n      if (hostInstance !== null) {\n        detachDeletedInstance(hostInstance);\n      }\n    }\n\n    fiber.stateNode = null; // I'm intentionally not clearing the `return` field in this level. We\n    // already disconnect the `return` pointer at the root of the deleted\n    // subtree (in `detachFiberMutation`). Besides, `return` by itself is not\n    // cyclical — it's only cyclical when combined with `child`, `sibling`, and\n    // `alternate`. But we'll clear it in the next level anyway, just in case.\n\n    {\n      fiber._debugOwner = null;\n    }\n\n    {\n      // Theoretically, nothing in here should be necessary, because we already\n      // disconnected the fiber from the tree. So even if something leaks this\n      // particular fiber, it won't leak anything else\n      //\n      // The purpose of this branch is to be super aggressive so we can measure\n      // if there's any difference in memory impact. If there is, that could\n      // indicate a React leak we don't know about.\n      fiber.return = null;\n      fiber.dependencies = null;\n      fiber.memoizedProps = null;\n      fiber.memoizedState = null;\n      fiber.pendingProps = null;\n      fiber.stateNode = null; // TODO: Move to `commitPassiveUnmountInsideDeletedTreeOnFiber` instead.\n\n      fiber.updateQueue = null;\n    }\n  }\n}\n\nfunction getHostParentFiber(fiber) {\n  var parent = fiber.return;\n\n  while (parent !== null) {\n    if (isHostParent(parent)) {\n      return parent;\n    }\n\n    parent = parent.return;\n  }\n\n  throw new Error('Expected to find a host parent. This error is likely caused by a bug ' + 'in React. Please file an issue.');\n}\n\nfunction isHostParent(fiber) {\n  return fiber.tag === HostComponent || fiber.tag === HostRoot || fiber.tag === HostPortal;\n}\n\nfunction getHostSibling(fiber) {\n  // We're going to search forward into the tree until we find a sibling host\n  // node. Unfortunately, if multiple insertions are done in a row we have to\n  // search past them. This leads to exponential search for the next sibling.\n  // TODO: Find a more efficient way to do this.\n  var node = fiber;\n\n  siblings: while (true) {\n    // If we didn't find anything, let's try the next sibling.\n    while (node.sibling === null) {\n      if (node.return === null || isHostParent(node.return)) {\n        // If we pop out of the root or hit the parent the fiber we are the\n        // last sibling.\n        return null;\n      }\n\n      node = node.return;\n    }\n\n    node.sibling.return = node.return;\n    node = node.sibling;\n\n    while (node.tag !== HostComponent && node.tag !== HostText && node.tag !== DehydratedFragment) {\n      // If it is not host node and, we might have a host node inside it.\n      // Try to search down until we find one.\n      if (node.flags & Placement) {\n        // If we don't have a child, try the siblings instead.\n        continue siblings;\n      } // If we don't have a child, try the siblings instead.\n      // We also skip portals because they are not part of this host tree.\n\n\n      if (node.child === null || node.tag === HostPortal) {\n        continue siblings;\n      } else {\n        node.child.return = node;\n        node = node.child;\n      }\n    } // Check if this host node is stable or about to be placed.\n\n\n    if (!(node.flags & Placement)) {\n      // Found it!\n      return node.stateNode;\n    }\n  }\n}\n\nfunction commitPlacement(finishedWork) {\n\n\n  var parentFiber = getHostParentFiber(finishedWork); // Note: these two variables *must* always be updated together.\n\n  switch (parentFiber.tag) {\n    case HostComponent:\n      {\n        var parent = parentFiber.stateNode;\n\n        if (parentFiber.flags & ContentReset) {\n          // Reset the text content of the parent before doing any insertions\n          resetTextContent(parent); // Clear ContentReset from the effect tag\n\n          parentFiber.flags &= ~ContentReset;\n        }\n\n        var before = getHostSibling(finishedWork); // We only have the top Fiber that was inserted but we need to recurse down its\n        // children to find all the terminal nodes.\n\n        insertOrAppendPlacementNode(finishedWork, before, parent);\n        break;\n      }\n\n    case HostRoot:\n    case HostPortal:\n      {\n        var _parent = parentFiber.stateNode.containerInfo;\n\n        var _before = getHostSibling(finishedWork);\n\n        insertOrAppendPlacementNodeIntoContainer(finishedWork, _before, _parent);\n        break;\n      }\n    // eslint-disable-next-line-no-fallthrough\n\n    default:\n      throw new Error('Invalid host parent fiber. This error is likely caused by a bug ' + 'in React. Please file an issue.');\n  }\n}\n\nfunction insertOrAppendPlacementNodeIntoContainer(node, before, parent) {\n  var tag = node.tag;\n  var isHost = tag === HostComponent || tag === HostText;\n\n  if (isHost) {\n    var stateNode = node.stateNode;\n\n    if (before) {\n      insertInContainerBefore(parent, stateNode, before);\n    } else {\n      appendChildToContainer(parent, stateNode);\n    }\n  } else if (tag === HostPortal) ; else {\n    var child = node.child;\n\n    if (child !== null) {\n      insertOrAppendPlacementNodeIntoContainer(child, before, parent);\n      var sibling = child.sibling;\n\n      while (sibling !== null) {\n        insertOrAppendPlacementNodeIntoContainer(sibling, before, parent);\n        sibling = sibling.sibling;\n      }\n    }\n  }\n}\n\nfunction insertOrAppendPlacementNode(node, before, parent) {\n  var tag = node.tag;\n  var isHost = tag === HostComponent || tag === HostText;\n\n  if (isHost) {\n    var stateNode = node.stateNode;\n\n    if (before) {\n      insertBefore(parent, stateNode, before);\n    } else {\n      appendChild(parent, stateNode);\n    }\n  } else if (tag === HostPortal) ; else {\n    var child = node.child;\n\n    if (child !== null) {\n      insertOrAppendPlacementNode(child, before, parent);\n      var sibling = child.sibling;\n\n      while (sibling !== null) {\n        insertOrAppendPlacementNode(sibling, before, parent);\n        sibling = sibling.sibling;\n      }\n    }\n  }\n} // These are tracked on the stack as we recursively traverse a\n// deleted subtree.\n// TODO: Update these during the whole mutation phase, not just during\n// a deletion.\n\n\nvar hostParent = null;\nvar hostParentIsContainer = false;\n\nfunction commitDeletionEffects(root, returnFiber, deletedFiber) {\n  {\n    // We only have the top Fiber that was deleted but we need to recurse down its\n    // children to find all the terminal nodes.\n    // Recursively delete all host nodes from the parent, detach refs, clean\n    // up mounted layout effects, and call componentWillUnmount.\n    // We only need to remove the topmost host child in each branch. But then we\n    // still need to keep traversing to unmount effects, refs, and cWU. TODO: We\n    // could split this into two separate traversals functions, where the second\n    // one doesn't include any removeChild logic. This is maybe the same\n    // function as \"disappearLayoutEffects\" (or whatever that turns into after\n    // the layout phase is refactored to use recursion).\n    // Before starting, find the nearest host parent on the stack so we know\n    // which instance/container to remove the children from.\n    // TODO: Instead of searching up the fiber return path on every deletion, we\n    // can track the nearest host component on the JS stack as we traverse the\n    // tree during the commit phase. This would make insertions faster, too.\n    var parent = returnFiber;\n\n    findParent: while (parent !== null) {\n      switch (parent.tag) {\n        case HostComponent:\n          {\n            hostParent = parent.stateNode;\n            hostParentIsContainer = false;\n            break findParent;\n          }\n\n        case HostRoot:\n          {\n            hostParent = parent.stateNode.containerInfo;\n            hostParentIsContainer = true;\n            break findParent;\n          }\n\n        case HostPortal:\n          {\n            hostParent = parent.stateNode.containerInfo;\n            hostParentIsContainer = true;\n            break findParent;\n          }\n      }\n\n      parent = parent.return;\n    }\n\n    if (hostParent === null) {\n      throw new Error('Expected to find a host parent. This error is likely caused by ' + 'a bug in React. Please file an issue.');\n    }\n\n    commitDeletionEffectsOnFiber(root, returnFiber, deletedFiber);\n    hostParent = null;\n    hostParentIsContainer = false;\n  }\n\n  detachFiberMutation(deletedFiber);\n}\n\nfunction recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, parent) {\n  // TODO: Use a static flag to skip trees that don't have unmount effects\n  var child = parent.child;\n\n  while (child !== null) {\n    commitDeletionEffectsOnFiber(finishedRoot, nearestMountedAncestor, child);\n    child = child.sibling;\n  }\n}\n\nfunction commitDeletionEffectsOnFiber(finishedRoot, nearestMountedAncestor, deletedFiber) {\n  onCommitUnmount(deletedFiber); // The cases in this outer switch modify the stack before they traverse\n  // into their subtree. There are simpler cases in the inner switch\n  // that don't modify the stack.\n\n  switch (deletedFiber.tag) {\n    case HostComponent:\n      {\n        if (!offscreenSubtreeWasHidden) {\n          safelyDetachRef(deletedFiber, nearestMountedAncestor);\n        } // Intentional fallthrough to next branch\n\n      }\n    // eslint-disable-next-line-no-fallthrough\n\n    case HostText:\n      {\n        // We only need to remove the nearest host child. Set the host parent\n        // to `null` on the stack to indicate that nested children don't\n        // need to be removed.\n        {\n          var prevHostParent = hostParent;\n          var prevHostParentIsContainer = hostParentIsContainer;\n          hostParent = null;\n          recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, deletedFiber);\n          hostParent = prevHostParent;\n          hostParentIsContainer = prevHostParentIsContainer;\n\n          if (hostParent !== null) {\n            // Now that all the child effects have unmounted, we can remove the\n            // node from the tree.\n            if (hostParentIsContainer) {\n              removeChildFromContainer(hostParent, deletedFiber.stateNode);\n            } else {\n              removeChild(hostParent, deletedFiber.stateNode);\n            }\n          }\n        }\n\n        return;\n      }\n\n    case DehydratedFragment:\n      {\n        // Delete the dehydrated suspense boundary and all of its content.\n\n\n        {\n          if (hostParent !== null) {\n            if (hostParentIsContainer) {\n              clearSuspenseBoundaryFromContainer(hostParent, deletedFiber.stateNode);\n            } else {\n              clearSuspenseBoundary(hostParent, deletedFiber.stateNode);\n            }\n          }\n        }\n\n        return;\n      }\n\n    case HostPortal:\n      {\n        {\n          // When we go into a portal, it becomes the parent to remove from.\n          var _prevHostParent = hostParent;\n          var _prevHostParentIsContainer = hostParentIsContainer;\n          hostParent = deletedFiber.stateNode.containerInfo;\n          hostParentIsContainer = true;\n          recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, deletedFiber);\n          hostParent = _prevHostParent;\n          hostParentIsContainer = _prevHostParentIsContainer;\n        }\n\n        return;\n      }\n\n    case FunctionComponent:\n    case ForwardRef:\n    case MemoComponent:\n    case SimpleMemoComponent:\n      {\n        if (!offscreenSubtreeWasHidden) {\n          var updateQueue = deletedFiber.updateQueue;\n\n          if (updateQueue !== null) {\n            var lastEffect = updateQueue.lastEffect;\n\n            if (lastEffect !== null) {\n              var firstEffect = lastEffect.next;\n              var effect = firstEffect;\n\n              do {\n                var _effect = effect,\n                    destroy = _effect.destroy,\n                    tag = _effect.tag;\n\n                if (destroy !== undefined) {\n                  if ((tag & Insertion) !== NoFlags$1) {\n                    safelyCallDestroy(deletedFiber, nearestMountedAncestor, destroy);\n                  } else if ((tag & Layout) !== NoFlags$1) {\n                    {\n                      markComponentLayoutEffectUnmountStarted(deletedFiber);\n                    }\n\n                    if ( deletedFiber.mode & ProfileMode) {\n                      startLayoutEffectTimer();\n                      safelyCallDestroy(deletedFiber, nearestMountedAncestor, destroy);\n                      recordLayoutEffectDuration(deletedFiber);\n                    } else {\n                      safelyCallDestroy(deletedFiber, nearestMountedAncestor, destroy);\n                    }\n\n                    {\n                      markComponentLayoutEffectUnmountStopped();\n                    }\n                  }\n                }\n\n                effect = effect.next;\n              } while (effect !== firstEffect);\n            }\n          }\n        }\n\n        recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, deletedFiber);\n        return;\n      }\n\n    case ClassComponent:\n      {\n        if (!offscreenSubtreeWasHidden) {\n          safelyDetachRef(deletedFiber, nearestMountedAncestor);\n          var instance = deletedFiber.stateNode;\n\n          if (typeof instance.componentWillUnmount === 'function') {\n            safelyCallComponentWillUnmount(deletedFiber, nearestMountedAncestor, instance);\n          }\n        }\n\n        recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, deletedFiber);\n        return;\n      }\n\n    case ScopeComponent:\n      {\n\n        recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, deletedFiber);\n        return;\n      }\n\n    case OffscreenComponent:\n      {\n        if ( // TODO: Remove this dead flag\n         deletedFiber.mode & ConcurrentMode) {\n          // If this offscreen component is hidden, we already unmounted it. Before\n          // deleting the children, track that it's already unmounted so that we\n          // don't attempt to unmount the effects again.\n          // TODO: If the tree is hidden, in most cases we should be able to skip\n          // over the nested children entirely. An exception is we haven't yet found\n          // the topmost host node to delete, which we already track on the stack.\n          // But the other case is portals, which need to be detached no matter how\n          // deeply they are nested. We should use a subtree flag to track whether a\n          // subtree includes a nested portal.\n          var prevOffscreenSubtreeWasHidden = offscreenSubtreeWasHidden;\n          offscreenSubtreeWasHidden = prevOffscreenSubtreeWasHidden || deletedFiber.memoizedState !== null;\n          recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, deletedFiber);\n          offscreenSubtreeWasHidden = prevOffscreenSubtreeWasHidden;\n        } else {\n          recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, deletedFiber);\n        }\n\n        break;\n      }\n\n    default:\n      {\n        recursivelyTraverseDeletionEffects(finishedRoot, nearestMountedAncestor, deletedFiber);\n        return;\n      }\n  }\n}\n\nfunction commitSuspenseCallback(finishedWork) {\n  // TODO: Move this to passive phase\n  var newState = finishedWork.memoizedState;\n}\n\nfunction commitSuspenseHydrationCallbacks(finishedRoot, finishedWork) {\n\n  var newState = finishedWork.memoizedState;\n\n  if (newState === null) {\n    var current = finishedWork.alternate;\n\n    if (current !== null) {\n      var prevState = current.memoizedState;\n\n      if (prevState !== null) {\n        var suspenseInstance = prevState.dehydrated;\n\n        if (suspenseInstance !== null) {\n          commitHydratedSuspenseInstance(suspenseInstance);\n        }\n      }\n    }\n  }\n}\n\nfunction attachSuspenseRetryListeners(finishedWork) {\n  // If this boundary just timed out, then it will have a set of wakeables.\n  // For each wakeable, attach a listener so that when it resolves, React\n  // attempts to re-render the boundary in the primary (pre-timeout) state.\n  var wakeables = finishedWork.updateQueue;\n\n  if (wakeables !== null) {\n    finishedWork.updateQueue = null;\n    var retryCache = finishedWork.stateNode;\n\n    if (retryCache === null) {\n      retryCache = finishedWork.stateNode = new PossiblyWeakSet();\n    }\n\n    wakeables.forEach(function (wakeable) {\n      // Memoize using the boundary fiber to prevent redundant listeners.\n      var retry = resolveRetryWakeable.bind(null, finishedWork, wakeable);\n\n      if (!retryCache.has(wakeable)) {\n        retryCache.add(wakeable);\n\n        {\n          if (isDevToolsPresent) {\n            if (inProgressLanes !== null && inProgressRoot !== null) {\n              // If we have pending work still, associate the original updaters with it.\n              restorePendingUpdaters(inProgressRoot, inProgressLanes);\n            } else {\n              throw Error('Expected finished root and lanes to be set. This is a bug in React.');\n            }\n          }\n        }\n\n        wakeable.then(retry, retry);\n      }\n    });\n  }\n} // This function detects when a Suspense boundary goes from visible to hidden.\nfunction commitMutationEffects(root, finishedWork, committedLanes) {\n  inProgressLanes = committedLanes;\n  inProgressRoot = root;\n  setCurrentFiber(finishedWork);\n  commitMutationEffectsOnFiber(finishedWork, root);\n  setCurrentFiber(finishedWork);\n  inProgressLanes = null;\n  inProgressRoot = null;\n}\n\nfunction recursivelyTraverseMutationEffects(root, parentFiber, lanes) {\n  // Deletions effects can be scheduled on any fiber type. They need to happen\n  // before the children effects hae fired.\n  var deletions = parentFiber.deletions;\n\n  if (deletions !== null) {\n    for (var i = 0; i < deletions.length; i++) {\n      var childToDelete = deletions[i];\n\n      try {\n        commitDeletionEffects(root, parentFiber, childToDelete);\n      } catch (error) {\n        captureCommitPhaseError(childToDelete, parentFiber, error);\n      }\n    }\n  }\n\n  var prevDebugFiber = getCurrentFiber();\n\n  if (parentFiber.subtreeFlags & MutationMask) {\n    var child = parentFiber.child;\n\n    while (child !== null) {\n      setCurrentFiber(child);\n      commitMutationEffectsOnFiber(child, root);\n      child = child.sibling;\n    }\n  }\n\n  setCurrentFiber(prevDebugFiber);\n}\n\nfunction commitMutationEffectsOnFiber(finishedWork, root, lanes) {\n  var current = finishedWork.alternate;\n  var flags = finishedWork.flags; // The effect flag should be checked *after* we refine the type of fiber,\n  // because the fiber tag is more specific. An exception is any flag related\n  // to reconcilation, because those can be set on all fiber types.\n\n  switch (finishedWork.tag) {\n    case FunctionComponent:\n    case ForwardRef:\n    case MemoComponent:\n    case SimpleMemoComponent:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n\n        if (flags & Update) {\n          try {\n            commitHookEffectListUnmount(Insertion | HasEffect, finishedWork, finishedWork.return);\n            commitHookEffectListMount(Insertion | HasEffect, finishedWork);\n          } catch (error) {\n            captureCommitPhaseError(finishedWork, finishedWork.return, error);\n          } // Layout effects are destroyed during the mutation phase so that all\n          // destroy functions for all fibers are called before any create functions.\n          // This prevents sibling component effects from interfering with each other,\n          // e.g. a destroy function in one component should never override a ref set\n          // by a create function in another component during the same commit.\n\n\n          if ( finishedWork.mode & ProfileMode) {\n            try {\n              startLayoutEffectTimer();\n              commitHookEffectListUnmount(Layout | HasEffect, finishedWork, finishedWork.return);\n            } catch (error) {\n              captureCommitPhaseError(finishedWork, finishedWork.return, error);\n            }\n\n            recordLayoutEffectDuration(finishedWork);\n          } else {\n            try {\n              commitHookEffectListUnmount(Layout | HasEffect, finishedWork, finishedWork.return);\n            } catch (error) {\n              captureCommitPhaseError(finishedWork, finishedWork.return, error);\n            }\n          }\n        }\n\n        return;\n      }\n\n    case ClassComponent:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n\n        if (flags & Ref) {\n          if (current !== null) {\n            safelyDetachRef(current, current.return);\n          }\n        }\n\n        return;\n      }\n\n    case HostComponent:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n\n        if (flags & Ref) {\n          if (current !== null) {\n            safelyDetachRef(current, current.return);\n          }\n        }\n\n        {\n          // TODO: ContentReset gets cleared by the children during the commit\n          // phase. This is a refactor hazard because it means we must read\n          // flags the flags after `commitReconciliationEffects` has already run;\n          // the order matters. We should refactor so that ContentReset does not\n          // rely on mutating the flag during commit. Like by setting a flag\n          // during the render phase instead.\n          if (finishedWork.flags & ContentReset) {\n            var instance = finishedWork.stateNode;\n\n            try {\n              resetTextContent(instance);\n            } catch (error) {\n              captureCommitPhaseError(finishedWork, finishedWork.return, error);\n            }\n          }\n\n          if (flags & Update) {\n            var _instance4 = finishedWork.stateNode;\n\n            if (_instance4 != null) {\n              // Commit the work prepared earlier.\n              var newProps = finishedWork.memoizedProps; // For hydration we reuse the update path but we treat the oldProps\n              // as the newProps. The updatePayload will contain the real change in\n              // this case.\n\n              var oldProps = current !== null ? current.memoizedProps : newProps;\n              var type = finishedWork.type; // TODO: Type the updateQueue to be specific to host components.\n\n              var updatePayload = finishedWork.updateQueue;\n              finishedWork.updateQueue = null;\n\n              if (updatePayload !== null) {\n                try {\n                  commitUpdate(_instance4, updatePayload, type, oldProps, newProps, finishedWork);\n                } catch (error) {\n                  captureCommitPhaseError(finishedWork, finishedWork.return, error);\n                }\n              }\n            }\n          }\n        }\n\n        return;\n      }\n\n    case HostText:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n\n        if (flags & Update) {\n          {\n            if (finishedWork.stateNode === null) {\n              throw new Error('This should have a text node initialized. This error is likely ' + 'caused by a bug in React. Please file an issue.');\n            }\n\n            var textInstance = finishedWork.stateNode;\n            var newText = finishedWork.memoizedProps; // For hydration we reuse the update path but we treat the oldProps\n            // as the newProps. The updatePayload will contain the real change in\n            // this case.\n\n            var oldText = current !== null ? current.memoizedProps : newText;\n\n            try {\n              commitTextUpdate(textInstance, oldText, newText);\n            } catch (error) {\n              captureCommitPhaseError(finishedWork, finishedWork.return, error);\n            }\n          }\n        }\n\n        return;\n      }\n\n    case HostRoot:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n\n        if (flags & Update) {\n          {\n            if (current !== null) {\n              var prevRootState = current.memoizedState;\n\n              if (prevRootState.isDehydrated) {\n                try {\n                  commitHydratedContainer(root.containerInfo);\n                } catch (error) {\n                  captureCommitPhaseError(finishedWork, finishedWork.return, error);\n                }\n              }\n            }\n          }\n        }\n\n        return;\n      }\n\n    case HostPortal:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n\n        return;\n      }\n\n    case SuspenseComponent:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n        var offscreenFiber = finishedWork.child;\n\n        if (offscreenFiber.flags & Visibility) {\n          var offscreenInstance = offscreenFiber.stateNode;\n          var newState = offscreenFiber.memoizedState;\n          var isHidden = newState !== null; // Track the current state on the Offscreen instance so we can\n          // read it during an event\n\n          offscreenInstance.isHidden = isHidden;\n\n          if (isHidden) {\n            var wasHidden = offscreenFiber.alternate !== null && offscreenFiber.alternate.memoizedState !== null;\n\n            if (!wasHidden) {\n              // TODO: Move to passive phase\n              markCommitTimeOfFallback();\n            }\n          }\n        }\n\n        if (flags & Update) {\n          try {\n            commitSuspenseCallback(finishedWork);\n          } catch (error) {\n            captureCommitPhaseError(finishedWork, finishedWork.return, error);\n          }\n\n          attachSuspenseRetryListeners(finishedWork);\n        }\n\n        return;\n      }\n\n    case OffscreenComponent:\n      {\n        var _wasHidden = current !== null && current.memoizedState !== null;\n\n        if ( // TODO: Remove this dead flag\n         finishedWork.mode & ConcurrentMode) {\n          // Before committing the children, track on the stack whether this\n          // offscreen subtree was already hidden, so that we don't unmount the\n          // effects again.\n          var prevOffscreenSubtreeWasHidden = offscreenSubtreeWasHidden;\n          offscreenSubtreeWasHidden = prevOffscreenSubtreeWasHidden || _wasHidden;\n          recursivelyTraverseMutationEffects(root, finishedWork);\n          offscreenSubtreeWasHidden = prevOffscreenSubtreeWasHidden;\n        } else {\n          recursivelyTraverseMutationEffects(root, finishedWork);\n        }\n\n        commitReconciliationEffects(finishedWork);\n\n        if (flags & Visibility) {\n          var _offscreenInstance = finishedWork.stateNode;\n          var _newState = finishedWork.memoizedState;\n\n          var _isHidden = _newState !== null;\n\n          var offscreenBoundary = finishedWork; // Track the current state on the Offscreen instance so we can\n          // read it during an event\n\n          _offscreenInstance.isHidden = _isHidden;\n\n          {\n            if (_isHidden) {\n              if (!_wasHidden) {\n                if ((offscreenBoundary.mode & ConcurrentMode) !== NoMode) {\n                  nextEffect = offscreenBoundary;\n                  var offscreenChild = offscreenBoundary.child;\n\n                  while (offscreenChild !== null) {\n                    nextEffect = offscreenChild;\n                    disappearLayoutEffects_begin(offscreenChild);\n                    offscreenChild = offscreenChild.sibling;\n                  }\n                }\n              }\n            }\n          }\n\n          {\n            // TODO: This needs to run whenever there's an insertion or update\n            // inside a hidden Offscreen tree.\n            hideOrUnhideAllChildren(offscreenBoundary, _isHidden);\n          }\n        }\n\n        return;\n      }\n\n    case SuspenseListComponent:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n\n        if (flags & Update) {\n          attachSuspenseRetryListeners(finishedWork);\n        }\n\n        return;\n      }\n\n    case ScopeComponent:\n      {\n\n        return;\n      }\n\n    default:\n      {\n        recursivelyTraverseMutationEffects(root, finishedWork);\n        commitReconciliationEffects(finishedWork);\n        return;\n      }\n  }\n}\n\nfunction commitReconciliationEffects(finishedWork) {\n  // Placement effects (insertions, reorders) can be scheduled on any fiber\n  // type. They needs to happen after the children effects have fired, but\n  // before the effects on this fiber have fired.\n  var flags = finishedWork.flags;\n\n  if (flags & Placement) {\n    try {\n      commitPlacement(finishedWork);\n    } catch (error) {\n      captureCommitPhaseError(finishedWork, finishedWork.return, error);\n    } // Clear the \"placement\" from effect tag so that we know that this is\n    // inserted, before any life-cycles like componentDidMount gets called.\n    // TODO: findDOMNode doesn't rely on this any more but isMounted does\n    // and isMounted is deprecated anyway so we should be able to kill this.\n\n\n    finishedWork.flags &= ~Placement;\n  }\n\n  if (flags & Hydrating) {\n    finishedWork.flags &= ~Hydrating;\n  }\n}\n\nfunction commitLayoutEffects(finishedWork, root, committedLanes) {\n  inProgressLanes = committedLanes;\n  inProgressRoot = root;\n  nextEffect = finishedWork;\n  commitLayoutEffects_begin(finishedWork, root, committedLanes);\n  inProgressLanes = null;\n  inProgressRoot = null;\n}\n\nfunction commitLayoutEffects_begin(subtreeRoot, root, committedLanes) {\n  // Suspense layout effects semantics don't change for legacy roots.\n  var isModernRoot = (subtreeRoot.mode & ConcurrentMode) !== NoMode;\n\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n    var firstChild = fiber.child;\n\n    if ( fiber.tag === OffscreenComponent && isModernRoot) {\n      // Keep track of the current Offscreen stack's state.\n      var isHidden = fiber.memoizedState !== null;\n      var newOffscreenSubtreeIsHidden = isHidden || offscreenSubtreeIsHidden;\n\n      if (newOffscreenSubtreeIsHidden) {\n        // The Offscreen tree is hidden. Skip over its layout effects.\n        commitLayoutMountEffects_complete(subtreeRoot, root, committedLanes);\n        continue;\n      } else {\n        // TODO (Offscreen) Also check: subtreeFlags & LayoutMask\n        var current = fiber.alternate;\n        var wasHidden = current !== null && current.memoizedState !== null;\n        var newOffscreenSubtreeWasHidden = wasHidden || offscreenSubtreeWasHidden;\n        var prevOffscreenSubtreeIsHidden = offscreenSubtreeIsHidden;\n        var prevOffscreenSubtreeWasHidden = offscreenSubtreeWasHidden; // Traverse the Offscreen subtree with the current Offscreen as the root.\n\n        offscreenSubtreeIsHidden = newOffscreenSubtreeIsHidden;\n        offscreenSubtreeWasHidden = newOffscreenSubtreeWasHidden;\n\n        if (offscreenSubtreeWasHidden && !prevOffscreenSubtreeWasHidden) {\n          // This is the root of a reappearing boundary. Turn its layout effects\n          // back on.\n          nextEffect = fiber;\n          reappearLayoutEffects_begin(fiber);\n        }\n\n        var child = firstChild;\n\n        while (child !== null) {\n          nextEffect = child;\n          commitLayoutEffects_begin(child, // New root; bubble back up to here and stop.\n          root, committedLanes);\n          child = child.sibling;\n        } // Restore Offscreen state and resume in our-progress traversal.\n\n\n        nextEffect = fiber;\n        offscreenSubtreeIsHidden = prevOffscreenSubtreeIsHidden;\n        offscreenSubtreeWasHidden = prevOffscreenSubtreeWasHidden;\n        commitLayoutMountEffects_complete(subtreeRoot, root, committedLanes);\n        continue;\n      }\n    }\n\n    if ((fiber.subtreeFlags & LayoutMask) !== NoFlags && firstChild !== null) {\n      firstChild.return = fiber;\n      nextEffect = firstChild;\n    } else {\n      commitLayoutMountEffects_complete(subtreeRoot, root, committedLanes);\n    }\n  }\n}\n\nfunction commitLayoutMountEffects_complete(subtreeRoot, root, committedLanes) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n\n    if ((fiber.flags & LayoutMask) !== NoFlags) {\n      var current = fiber.alternate;\n      setCurrentFiber(fiber);\n\n      try {\n        commitLayoutEffectOnFiber(root, current, fiber, committedLanes);\n      } catch (error) {\n        captureCommitPhaseError(fiber, fiber.return, error);\n      }\n\n      resetCurrentFiber();\n    }\n\n    if (fiber === subtreeRoot) {\n      nextEffect = null;\n      return;\n    }\n\n    var sibling = fiber.sibling;\n\n    if (sibling !== null) {\n      sibling.return = fiber.return;\n      nextEffect = sibling;\n      return;\n    }\n\n    nextEffect = fiber.return;\n  }\n}\n\nfunction disappearLayoutEffects_begin(subtreeRoot) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n    var firstChild = fiber.child; // TODO (Offscreen) Check: flags & (RefStatic | LayoutStatic)\n\n    switch (fiber.tag) {\n      case FunctionComponent:\n      case ForwardRef:\n      case MemoComponent:\n      case SimpleMemoComponent:\n        {\n          if ( fiber.mode & ProfileMode) {\n            try {\n              startLayoutEffectTimer();\n              commitHookEffectListUnmount(Layout, fiber, fiber.return);\n            } finally {\n              recordLayoutEffectDuration(fiber);\n            }\n          } else {\n            commitHookEffectListUnmount(Layout, fiber, fiber.return);\n          }\n\n          break;\n        }\n\n      case ClassComponent:\n        {\n          // TODO (Offscreen) Check: flags & RefStatic\n          safelyDetachRef(fiber, fiber.return);\n          var instance = fiber.stateNode;\n\n          if (typeof instance.componentWillUnmount === 'function') {\n            safelyCallComponentWillUnmount(fiber, fiber.return, instance);\n          }\n\n          break;\n        }\n\n      case HostComponent:\n        {\n          safelyDetachRef(fiber, fiber.return);\n          break;\n        }\n\n      case OffscreenComponent:\n        {\n          // Check if this is a\n          var isHidden = fiber.memoizedState !== null;\n\n          if (isHidden) {\n            // Nested Offscreen tree is already hidden. Don't disappear\n            // its effects.\n            disappearLayoutEffects_complete(subtreeRoot);\n            continue;\n          }\n\n          break;\n        }\n    } // TODO (Offscreen) Check: subtreeFlags & LayoutStatic\n\n\n    if (firstChild !== null) {\n      firstChild.return = fiber;\n      nextEffect = firstChild;\n    } else {\n      disappearLayoutEffects_complete(subtreeRoot);\n    }\n  }\n}\n\nfunction disappearLayoutEffects_complete(subtreeRoot) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n\n    if (fiber === subtreeRoot) {\n      nextEffect = null;\n      return;\n    }\n\n    var sibling = fiber.sibling;\n\n    if (sibling !== null) {\n      sibling.return = fiber.return;\n      nextEffect = sibling;\n      return;\n    }\n\n    nextEffect = fiber.return;\n  }\n}\n\nfunction reappearLayoutEffects_begin(subtreeRoot) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n    var firstChild = fiber.child;\n\n    if (fiber.tag === OffscreenComponent) {\n      var isHidden = fiber.memoizedState !== null;\n\n      if (isHidden) {\n        // Nested Offscreen tree is still hidden. Don't re-appear its effects.\n        reappearLayoutEffects_complete(subtreeRoot);\n        continue;\n      }\n    } // TODO (Offscreen) Check: subtreeFlags & LayoutStatic\n\n\n    if (firstChild !== null) {\n      // This node may have been reused from a previous render, so we can't\n      // assume its return pointer is correct.\n      firstChild.return = fiber;\n      nextEffect = firstChild;\n    } else {\n      reappearLayoutEffects_complete(subtreeRoot);\n    }\n  }\n}\n\nfunction reappearLayoutEffects_complete(subtreeRoot) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect; // TODO (Offscreen) Check: flags & LayoutStatic\n\n    setCurrentFiber(fiber);\n\n    try {\n      reappearLayoutEffectsOnFiber(fiber);\n    } catch (error) {\n      captureCommitPhaseError(fiber, fiber.return, error);\n    }\n\n    resetCurrentFiber();\n\n    if (fiber === subtreeRoot) {\n      nextEffect = null;\n      return;\n    }\n\n    var sibling = fiber.sibling;\n\n    if (sibling !== null) {\n      // This node may have been reused from a previous render, so we can't\n      // assume its return pointer is correct.\n      sibling.return = fiber.return;\n      nextEffect = sibling;\n      return;\n    }\n\n    nextEffect = fiber.return;\n  }\n}\n\nfunction commitPassiveMountEffects(root, finishedWork, committedLanes, committedTransitions) {\n  nextEffect = finishedWork;\n  commitPassiveMountEffects_begin(finishedWork, root, committedLanes, committedTransitions);\n}\n\nfunction commitPassiveMountEffects_begin(subtreeRoot, root, committedLanes, committedTransitions) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n    var firstChild = fiber.child;\n\n    if ((fiber.subtreeFlags & PassiveMask) !== NoFlags && firstChild !== null) {\n      firstChild.return = fiber;\n      nextEffect = firstChild;\n    } else {\n      commitPassiveMountEffects_complete(subtreeRoot, root, committedLanes, committedTransitions);\n    }\n  }\n}\n\nfunction commitPassiveMountEffects_complete(subtreeRoot, root, committedLanes, committedTransitions) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n\n    if ((fiber.flags & Passive) !== NoFlags) {\n      setCurrentFiber(fiber);\n\n      try {\n        commitPassiveMountOnFiber(root, fiber, committedLanes, committedTransitions);\n      } catch (error) {\n        captureCommitPhaseError(fiber, fiber.return, error);\n      }\n\n      resetCurrentFiber();\n    }\n\n    if (fiber === subtreeRoot) {\n      nextEffect = null;\n      return;\n    }\n\n    var sibling = fiber.sibling;\n\n    if (sibling !== null) {\n      sibling.return = fiber.return;\n      nextEffect = sibling;\n      return;\n    }\n\n    nextEffect = fiber.return;\n  }\n}\n\nfunction commitPassiveMountOnFiber(finishedRoot, finishedWork, committedLanes, committedTransitions) {\n  switch (finishedWork.tag) {\n    case FunctionComponent:\n    case ForwardRef:\n    case SimpleMemoComponent:\n      {\n        if ( finishedWork.mode & ProfileMode) {\n          startPassiveEffectTimer();\n\n          try {\n            commitHookEffectListMount(Passive$1 | HasEffect, finishedWork);\n          } finally {\n            recordPassiveEffectDuration(finishedWork);\n          }\n        } else {\n          commitHookEffectListMount(Passive$1 | HasEffect, finishedWork);\n        }\n\n        break;\n      }\n  }\n}\n\nfunction commitPassiveUnmountEffects(firstChild) {\n  nextEffect = firstChild;\n  commitPassiveUnmountEffects_begin();\n}\n\nfunction commitPassiveUnmountEffects_begin() {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n    var child = fiber.child;\n\n    if ((nextEffect.flags & ChildDeletion) !== NoFlags) {\n      var deletions = fiber.deletions;\n\n      if (deletions !== null) {\n        for (var i = 0; i < deletions.length; i++) {\n          var fiberToDelete = deletions[i];\n          nextEffect = fiberToDelete;\n          commitPassiveUnmountEffectsInsideOfDeletedTree_begin(fiberToDelete, fiber);\n        }\n\n        {\n          // A fiber was deleted from this parent fiber, but it's still part of\n          // the previous (alternate) parent fiber's list of children. Because\n          // children are a linked list, an earlier sibling that's still alive\n          // will be connected to the deleted fiber via its `alternate`:\n          //\n          //   live fiber\n          //   --alternate--> previous live fiber\n          //   --sibling--> deleted fiber\n          //\n          // We can't disconnect `alternate` on nodes that haven't been deleted\n          // yet, but we can disconnect the `sibling` and `child` pointers.\n          var previousFiber = fiber.alternate;\n\n          if (previousFiber !== null) {\n            var detachedChild = previousFiber.child;\n\n            if (detachedChild !== null) {\n              previousFiber.child = null;\n\n              do {\n                var detachedSibling = detachedChild.sibling;\n                detachedChild.sibling = null;\n                detachedChild = detachedSibling;\n              } while (detachedChild !== null);\n            }\n          }\n        }\n\n        nextEffect = fiber;\n      }\n    }\n\n    if ((fiber.subtreeFlags & PassiveMask) !== NoFlags && child !== null) {\n      child.return = fiber;\n      nextEffect = child;\n    } else {\n      commitPassiveUnmountEffects_complete();\n    }\n  }\n}\n\nfunction commitPassiveUnmountEffects_complete() {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n\n    if ((fiber.flags & Passive) !== NoFlags) {\n      setCurrentFiber(fiber);\n      commitPassiveUnmountOnFiber(fiber);\n      resetCurrentFiber();\n    }\n\n    var sibling = fiber.sibling;\n\n    if (sibling !== null) {\n      sibling.return = fiber.return;\n      nextEffect = sibling;\n      return;\n    }\n\n    nextEffect = fiber.return;\n  }\n}\n\nfunction commitPassiveUnmountOnFiber(finishedWork) {\n  switch (finishedWork.tag) {\n    case FunctionComponent:\n    case ForwardRef:\n    case SimpleMemoComponent:\n      {\n        if ( finishedWork.mode & ProfileMode) {\n          startPassiveEffectTimer();\n          commitHookEffectListUnmount(Passive$1 | HasEffect, finishedWork, finishedWork.return);\n          recordPassiveEffectDuration(finishedWork);\n        } else {\n          commitHookEffectListUnmount(Passive$1 | HasEffect, finishedWork, finishedWork.return);\n        }\n\n        break;\n      }\n  }\n}\n\nfunction commitPassiveUnmountEffectsInsideOfDeletedTree_begin(deletedSubtreeRoot, nearestMountedAncestor) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect; // Deletion effects fire in parent -> child order\n    // TODO: Check if fiber has a PassiveStatic flag\n\n    setCurrentFiber(fiber);\n    commitPassiveUnmountInsideDeletedTreeOnFiber(fiber, nearestMountedAncestor);\n    resetCurrentFiber();\n    var child = fiber.child; // TODO: Only traverse subtree if it has a PassiveStatic flag. (But, if we\n    // do this, still need to handle `deletedTreeCleanUpLevel` correctly.)\n\n    if (child !== null) {\n      child.return = fiber;\n      nextEffect = child;\n    } else {\n      commitPassiveUnmountEffectsInsideOfDeletedTree_complete(deletedSubtreeRoot);\n    }\n  }\n}\n\nfunction commitPassiveUnmountEffectsInsideOfDeletedTree_complete(deletedSubtreeRoot) {\n  while (nextEffect !== null) {\n    var fiber = nextEffect;\n    var sibling = fiber.sibling;\n    var returnFiber = fiber.return;\n\n    {\n      // Recursively traverse the entire deleted tree and clean up fiber fields.\n      // This is more aggressive than ideal, and the long term goal is to only\n      // have to detach the deleted tree at the root.\n      detachFiberAfterEffects(fiber);\n\n      if (fiber === deletedSubtreeRoot) {\n        nextEffect = null;\n        return;\n      }\n    }\n\n    if (sibling !== null) {\n      sibling.return = returnFiber;\n      nextEffect = sibling;\n      return;\n    }\n\n    nextEffect = returnFiber;\n  }\n}\n\nfunction commitPassiveUnmountInsideDeletedTreeOnFiber(current, nearestMountedAncestor) {\n  switch (current.tag) {\n    case FunctionComponent:\n    case ForwardRef:\n    case SimpleMemoComponent:\n      {\n        if ( current.mode & ProfileMode) {\n          startPassiveEffectTimer();\n          commitHookEffectListUnmount(Passive$1, current, nearestMountedAncestor);\n          recordPassiveEffectDuration(current);\n        } else {\n          commitHookEffectListUnmount(Passive$1, current, nearestMountedAncestor);\n        }\n\n        break;\n      }\n  }\n} // TODO: Reuse reappearLayoutEffects traversal here?\n\n\nfunction invokeLayoutEffectMountInDEV(fiber) {\n  {\n    // We don't need to re-check StrictEffectsMode here.\n    // This function is only called if that check has already passed.\n    switch (fiber.tag) {\n      case FunctionComponent:\n      case ForwardRef:\n      case SimpleMemoComponent:\n        {\n          try {\n            commitHookEffectListMount(Layout | HasEffect, fiber);\n          } catch (error) {\n            captureCommitPhaseError(fiber, fiber.return, error);\n          }\n\n          break;\n        }\n\n      case ClassComponent:\n        {\n          var instance = fiber.stateNode;\n\n          try {\n            instance.componentDidMount();\n          } catch (error) {\n            captureCommitPhaseError(fiber, fiber.return, error);\n          }\n\n          break;\n        }\n    }\n  }\n}\n\nfunction invokePassiveEffectMountInDEV(fiber) {\n  {\n    // We don't need to re-check StrictEffectsMode here.\n    // This function is only called if that check has already passed.\n    switch (fiber.tag) {\n      case FunctionComponent:\n      case ForwardRef:\n      case SimpleMemoComponent:\n        {\n          try {\n            commitHookEffectListMount(Passive$1 | HasEffect, fiber);\n          } catch (error) {\n            captureCommitPhaseError(fiber, fiber.return, error);\n          }\n\n          break;\n        }\n    }\n  }\n}\n\nfunction invokeLayoutEffectUnmountInDEV(fiber) {\n  {\n    // We don't need to re-check StrictEffectsMode here.\n    // This function is only called if that check has already passed.\n    switch (fiber.tag) {\n      case FunctionComponent:\n      case ForwardRef:\n      case SimpleMemoComponent:\n        {\n          try {\n            commitHookEffectListUnmount(Layout | HasEffect, fiber, fiber.return);\n          } catch (error) {\n            captureCommitPhaseError(fiber, fiber.return, error);\n          }\n\n          break;\n        }\n\n      case ClassComponent:\n        {\n          var instance = fiber.stateNode;\n\n          if (typeof instance.componentWillUnmount === 'function') {\n            safelyCallComponentWillUnmount(fiber, fiber.return, instance);\n          }\n\n          break;\n        }\n    }\n  }\n}\n\nfunction invokePassiveEffectUnmountInDEV(fiber) {\n  {\n    // We don't need to re-check StrictEffectsMode here.\n    // This function is only called if that check has already passed.\n    switch (fiber.tag) {\n      case FunctionComponent:\n      case ForwardRef:\n      case SimpleMemoComponent:\n        {\n          try {\n            commitHookEffectListUnmount(Passive$1 | HasEffect, fiber, fiber.return);\n          } catch (error) {\n            captureCommitPhaseError(fiber, fiber.return, error);\n          }\n        }\n    }\n  }\n}\n\nvar COMPONENT_TYPE = 0;\nvar HAS_PSEUDO_CLASS_TYPE = 1;\nvar ROLE_TYPE = 2;\nvar TEST_NAME_TYPE = 3;\nvar TEXT_TYPE = 4;\n\nif (typeof Symbol === 'function' && Symbol.for) {\n  var symbolFor = Symbol.for;\n  COMPONENT_TYPE = symbolFor('selector.component');\n  HAS_PSEUDO_CLASS_TYPE = symbolFor('selector.has_pseudo_class');\n  ROLE_TYPE = symbolFor('selector.role');\n  TEST_NAME_TYPE = symbolFor('selector.test_id');\n  TEXT_TYPE = symbolFor('selector.text');\n}\nvar commitHooks = [];\nfunction onCommitRoot$1() {\n  {\n    commitHooks.forEach(function (commitHook) {\n      return commitHook();\n    });\n  }\n}\n\nvar ReactCurrentActQueue = ReactSharedInternals.ReactCurrentActQueue;\nfunction isLegacyActEnvironment(fiber) {\n  {\n    // Legacy mode. We preserve the behavior of React 17's act. It assumes an\n    // act environment whenever `jest` is defined, but you can still turn off\n    // spurious warnings by setting IS_REACT_ACT_ENVIRONMENT explicitly\n    // to false.\n    var isReactActEnvironmentGlobal = // $FlowExpectedError – Flow doesn't know about IS_REACT_ACT_ENVIRONMENT global\n    typeof IS_REACT_ACT_ENVIRONMENT !== 'undefined' ? IS_REACT_ACT_ENVIRONMENT : undefined; // $FlowExpectedError - Flow doesn't know about jest\n\n    var jestIsDefined = typeof jest !== 'undefined';\n    return  jestIsDefined && isReactActEnvironmentGlobal !== false;\n  }\n}\nfunction isConcurrentActEnvironment() {\n  {\n    var isReactActEnvironmentGlobal = // $FlowExpectedError – Flow doesn't know about IS_REACT_ACT_ENVIRONMENT global\n    typeof IS_REACT_ACT_ENVIRONMENT !== 'undefined' ? IS_REACT_ACT_ENVIRONMENT : undefined;\n\n    if (!isReactActEnvironmentGlobal && ReactCurrentActQueue.current !== null) {\n      // TODO: Include link to relevant documentation page.\n      error('The current testing environment is not configured to support ' + 'act(...)');\n    }\n\n    return isReactActEnvironmentGlobal;\n  }\n}\n\nvar ceil = Math.ceil;\nvar ReactCurrentDispatcher$2 = ReactSharedInternals.ReactCurrentDispatcher,\n    ReactCurrentOwner$2 = ReactSharedInternals.ReactCurrentOwner,\n    ReactCurrentBatchConfig$3 = ReactSharedInternals.ReactCurrentBatchConfig,\n    ReactCurrentActQueue$1 = ReactSharedInternals.ReactCurrentActQueue;\nvar NoContext =\n/*             */\n0;\nvar BatchedContext =\n/*               */\n1;\nvar RenderContext =\n/*                */\n2;\nvar CommitContext =\n/*                */\n4;\nvar RootInProgress = 0;\nvar RootFatalErrored = 1;\nvar RootErrored = 2;\nvar RootSuspended = 3;\nvar RootSuspendedWithDelay = 4;\nvar RootCompleted = 5;\nvar RootDidNotComplete = 6; // Describes where we are in the React execution stack\n\nvar executionContext = NoContext; // The root we're working on\n\nvar workInProgressRoot = null; // The fiber we're working on\n\nvar workInProgress = null; // The lanes we're rendering\n\nvar workInProgressRootRenderLanes = NoLanes; // Stack that allows components to change the render lanes for its subtree\n// This is a superset of the lanes we started working on at the root. The only\n// case where it's different from `workInProgressRootRenderLanes` is when we\n// enter a subtree that is hidden and needs to be unhidden: Suspense and\n// Offscreen component.\n//\n// Most things in the work loop should deal with workInProgressRootRenderLanes.\n// Most things in begin/complete phases should deal with subtreeRenderLanes.\n\nvar subtreeRenderLanes = NoLanes;\nvar subtreeRenderLanesCursor = createCursor(NoLanes); // Whether to root completed, errored, suspended, etc.\n\nvar workInProgressRootExitStatus = RootInProgress; // A fatal error, if one is thrown\n\nvar workInProgressRootFatalError = null; // \"Included\" lanes refer to lanes that were worked on during this render. It's\n// slightly different than `renderLanes` because `renderLanes` can change as you\n// enter and exit an Offscreen tree. This value is the combination of all render\n// lanes for the entire render phase.\n\nvar workInProgressRootIncludedLanes = NoLanes; // The work left over by components that were visited during this render. Only\n// includes unprocessed updates, not work in bailed out children.\n\nvar workInProgressRootSkippedLanes = NoLanes; // Lanes that were updated (in an interleaved event) during this render.\n\nvar workInProgressRootInterleavedUpdatedLanes = NoLanes; // Lanes that were updated during the render phase (*not* an interleaved event).\n\nvar workInProgressRootPingedLanes = NoLanes; // Errors that are thrown during the render phase.\n\nvar workInProgressRootConcurrentErrors = null; // These are errors that we recovered from without surfacing them to the UI.\n// We will log them once the tree commits.\n\nvar workInProgressRootRecoverableErrors = null; // The most recent time we committed a fallback. This lets us ensure a train\n// model where we don't commit new loading states in too quick succession.\n\nvar globalMostRecentFallbackTime = 0;\nvar FALLBACK_THROTTLE_MS = 500; // The absolute time for when we should start giving up on rendering\n// more and prefer CPU suspense heuristics instead.\n\nvar workInProgressRootRenderTargetTime = Infinity; // How long a render is supposed to take before we start following CPU\n// suspense heuristics and opt out of rendering more content.\n\nvar RENDER_TIMEOUT_MS = 500;\nvar workInProgressTransitions = null;\n\nfunction resetRenderTimer() {\n  workInProgressRootRenderTargetTime = now() + RENDER_TIMEOUT_MS;\n}\n\nfunction getRenderTargetTime() {\n  return workInProgressRootRenderTargetTime;\n}\nvar hasUncaughtError = false;\nvar firstUncaughtError = null;\nvar legacyErrorBoundariesThatAlreadyFailed = null; // Only used when enableProfilerNestedUpdateScheduledHook is true;\nvar rootDoesHavePassiveEffects = false;\nvar rootWithPendingPassiveEffects = null;\nvar pendingPassiveEffectsLanes = NoLanes;\nvar pendingPassiveProfilerEffects = [];\nvar pendingPassiveTransitions = null; // Use these to prevent an infinite loop of nested updates\n\nvar NESTED_UPDATE_LIMIT = 50;\nvar nestedUpdateCount = 0;\nvar rootWithNestedUpdates = null;\nvar isFlushingPassiveEffects = false;\nvar didScheduleUpdateDuringPassiveEffects = false;\nvar NESTED_PASSIVE_UPDATE_LIMIT = 50;\nvar nestedPassiveUpdateCount = 0;\nvar rootWithPassiveNestedUpdates = null; // If two updates are scheduled within the same event, we should treat their\n// event times as simultaneous, even if the actual clock time has advanced\n// between the first and second call.\n\nvar currentEventTime = NoTimestamp;\nvar currentEventTransitionLane = NoLanes;\nvar isRunningInsertionEffect = false;\nfunction getWorkInProgressRoot() {\n  return workInProgressRoot;\n}\nfunction requestEventTime() {\n  if ((executionContext & (RenderContext | CommitContext)) !== NoContext) {\n    // We're inside React, so it's fine to read the actual time.\n    return now();\n  } // We're not inside React, so we may be in the middle of a browser event.\n\n\n  if (currentEventTime !== NoTimestamp) {\n    // Use the same start time for all updates until we enter React again.\n    return currentEventTime;\n  } // This is the first update since React yielded. Compute a new start time.\n\n\n  currentEventTime = now();\n  return currentEventTime;\n}\nfunction requestUpdateLane(fiber) {\n  // Special cases\n  var mode = fiber.mode;\n\n  if ((mode & ConcurrentMode) === NoMode) {\n    return SyncLane;\n  } else if ( (executionContext & RenderContext) !== NoContext && workInProgressRootRenderLanes !== NoLanes) {\n    // This is a render phase update. These are not officially supported. The\n    // old behavior is to give this the same \"thread\" (lanes) as\n    // whatever is currently rendering. So if you call `setState` on a component\n    // that happens later in the same render, it will flush. Ideally, we want to\n    // remove the special case and treat them as if they came from an\n    // interleaved event. Regardless, this pattern is not officially supported.\n    // This behavior is only a fallback. The flag only exists until we can roll\n    // out the setState warning, since existing code might accidentally rely on\n    // the current behavior.\n    return pickArbitraryLane(workInProgressRootRenderLanes);\n  }\n\n  var isTransition = requestCurrentTransition() !== NoTransition;\n\n  if (isTransition) {\n    if ( ReactCurrentBatchConfig$3.transition !== null) {\n      var transition = ReactCurrentBatchConfig$3.transition;\n\n      if (!transition._updatedFibers) {\n        transition._updatedFibers = new Set();\n      }\n\n      transition._updatedFibers.add(fiber);\n    } // The algorithm for assigning an update to a lane should be stable for all\n    // updates at the same priority within the same event. To do this, the\n    // inputs to the algorithm must be the same.\n    //\n    // The trick we use is to cache the first of each of these inputs within an\n    // event. Then reset the cached values once we can be sure the event is\n    // over. Our heuristic for that is whenever we enter a concurrent work loop.\n\n\n    if (currentEventTransitionLane === NoLane) {\n      // All transitions within the same event are assigned the same lane.\n      currentEventTransitionLane = claimNextTransitionLane();\n    }\n\n    return currentEventTransitionLane;\n  } // Updates originating inside certain React methods, like flushSync, have\n  // their priority set by tracking it with a context variable.\n  //\n  // The opaque type returned by the host config is internally a lane, so we can\n  // use that directly.\n  // TODO: Move this type conversion to the event priority module.\n\n\n  var updateLane = getCurrentUpdatePriority();\n\n  if (updateLane !== NoLane) {\n    return updateLane;\n  } // This update originated outside React. Ask the host environment for an\n  // appropriate priority, based on the type of event.\n  //\n  // The opaque type returned by the host config is internally a lane, so we can\n  // use that directly.\n  // TODO: Move this type conversion to the event priority module.\n\n\n  var eventLane = getCurrentEventPriority();\n  return eventLane;\n}\n\nfunction requestRetryLane(fiber) {\n  // This is a fork of `requestUpdateLane` designed specifically for Suspense\n  // \"retries\" — a special update that attempts to flip a Suspense boundary\n  // from its placeholder state to its primary/resolved state.\n  // Special cases\n  var mode = fiber.mode;\n\n  if ((mode & ConcurrentMode) === NoMode) {\n    return SyncLane;\n  }\n\n  return claimNextRetryLane();\n}\n\nfunction scheduleUpdateOnFiber(root, fiber, lane, eventTime) {\n  checkForNestedUpdates();\n\n  {\n    if (isRunningInsertionEffect) {\n      error('useInsertionEffect must not schedule updates.');\n    }\n  }\n\n  {\n    if (isFlushingPassiveEffects) {\n      didScheduleUpdateDuringPassiveEffects = true;\n    }\n  } // Mark that the root has a pending update.\n\n\n  markRootUpdated(root, lane, eventTime);\n\n  if ((executionContext & RenderContext) !== NoLanes && root === workInProgressRoot) {\n    // This update was dispatched during the render phase. This is a mistake\n    // if the update originates from user space (with the exception of local\n    // hook updates, which are handled differently and don't reach this\n    // function), but there are some internal React features that use this as\n    // an implementation detail, like selective hydration.\n    warnAboutRenderPhaseUpdatesInDEV(fiber); // Track lanes that were updated during the render phase\n  } else {\n    // This is a normal update, scheduled from outside the render phase. For\n    // example, during an input event.\n    {\n      if (isDevToolsPresent) {\n        addFiberToLanesMap(root, fiber, lane);\n      }\n    }\n\n    warnIfUpdatesNotWrappedWithActDEV(fiber);\n\n    if (root === workInProgressRoot) {\n      // Received an update to a tree that's in the middle of rendering. Mark\n      // that there was an interleaved update work on this root. Unless the\n      // `deferRenderPhaseUpdateToNextBatch` flag is off and this is a render\n      // phase update. In that case, we don't treat render phase updates as if\n      // they were interleaved, for backwards compat reasons.\n      if ( (executionContext & RenderContext) === NoContext) {\n        workInProgressRootInterleavedUpdatedLanes = mergeLanes(workInProgressRootInterleavedUpdatedLanes, lane);\n      }\n\n      if (workInProgressRootExitStatus === RootSuspendedWithDelay) {\n        // The root already suspended with a delay, which means this render\n        // definitely won't finish. Since we have a new update, let's mark it as\n        // suspended now, right before marking the incoming update. This has the\n        // effect of interrupting the current render and switching to the update.\n        // TODO: Make sure this doesn't override pings that happen while we've\n        // already started rendering.\n        markRootSuspended$1(root, workInProgressRootRenderLanes);\n      }\n    }\n\n    ensureRootIsScheduled(root, eventTime);\n\n    if (lane === SyncLane && executionContext === NoContext && (fiber.mode & ConcurrentMode) === NoMode && // Treat `act` as if it's inside `batchedUpdates`, even in legacy mode.\n    !( ReactCurrentActQueue$1.isBatchingLegacy)) {\n      // Flush the synchronous work now, unless we're already working or inside\n      // a batch. This is intentionally inside scheduleUpdateOnFiber instead of\n      // scheduleCallbackForFiber to preserve the ability to schedule a callback\n      // without immediately flushing it. We only do this for user-initiated\n      // updates, to preserve historical behavior of legacy mode.\n      resetRenderTimer();\n      flushSyncCallbacksOnlyInLegacyMode();\n    }\n  }\n}\nfunction scheduleInitialHydrationOnRoot(root, lane, eventTime) {\n  // This is a special fork of scheduleUpdateOnFiber that is only used to\n  // schedule the initial hydration of a root that has just been created. Most\n  // of the stuff in scheduleUpdateOnFiber can be skipped.\n  //\n  // The main reason for this separate path, though, is to distinguish the\n  // initial children from subsequent updates. In fully client-rendered roots\n  // (createRoot instead of hydrateRoot), all top-level renders are modeled as\n  // updates, but hydration roots are special because the initial render must\n  // match what was rendered on the server.\n  var current = root.current;\n  current.lanes = lane;\n  markRootUpdated(root, lane, eventTime);\n  ensureRootIsScheduled(root, eventTime);\n}\nfunction isUnsafeClassRenderPhaseUpdate(fiber) {\n  // Check if this is a render phase update. Only called by class components,\n  // which special (deprecated) behavior for UNSAFE_componentWillReceive props.\n  return (// TODO: Remove outdated deferRenderPhaseUpdateToNextBatch experiment. We\n    // decided not to enable it.\n     (executionContext & RenderContext) !== NoContext\n  );\n} // Use this function to schedule a task for a root. There's only one task per\n// root; if a task was already scheduled, we'll check to make sure the priority\n// of the existing task is the same as the priority of the next level that the\n// root has work on. This function is called on every update, and right before\n// exiting a task.\n\nfunction ensureRootIsScheduled(root, currentTime) {\n  var existingCallbackNode = root.callbackNode; // Check if any lanes are being starved by other work. If so, mark them as\n  // expired so we know to work on those next.\n\n  markStarvedLanesAsExpired(root, currentTime); // Determine the next lanes to work on, and their priority.\n\n  var nextLanes = getNextLanes(root, root === workInProgressRoot ? workInProgressRootRenderLanes : NoLanes);\n\n  if (nextLanes === NoLanes) {\n    // Special case: There's nothing to work on.\n    if (existingCallbackNode !== null) {\n      cancelCallback$1(existingCallbackNode);\n    }\n\n    root.callbackNode = null;\n    root.callbackPriority = NoLane;\n    return;\n  } // We use the highest priority lane to represent the priority of the callback.\n\n\n  var newCallbackPriority = getHighestPriorityLane(nextLanes); // Check if there's an existing task. We may be able to reuse it.\n\n  var existingCallbackPriority = root.callbackPriority;\n\n  if (existingCallbackPriority === newCallbackPriority && // Special case related to `act`. If the currently scheduled task is a\n  // Scheduler task, rather than an `act` task, cancel it and re-scheduled\n  // on the `act` queue.\n  !( ReactCurrentActQueue$1.current !== null && existingCallbackNode !== fakeActCallbackNode)) {\n    {\n      // If we're going to re-use an existing task, it needs to exist.\n      // Assume that discrete update microtasks are non-cancellable and null.\n      // TODO: Temporary until we confirm this warning is not fired.\n      if (existingCallbackNode == null && existingCallbackPriority !== SyncLane) {\n        error('Expected scheduled callback to exist. This error is likely caused by a bug in React. Please file an issue.');\n      }\n    } // The priority hasn't changed. We can reuse the existing task. Exit.\n\n\n    return;\n  }\n\n  if (existingCallbackNode != null) {\n    // Cancel the existing callback. We'll schedule a new one below.\n    cancelCallback$1(existingCallbackNode);\n  } // Schedule a new callback.\n\n\n  var newCallbackNode;\n\n  if (newCallbackPriority === SyncLane) {\n    // Special case: Sync React callbacks are scheduled on a special\n    // internal queue\n    if (root.tag === LegacyRoot) {\n      if ( ReactCurrentActQueue$1.isBatchingLegacy !== null) {\n        ReactCurrentActQueue$1.didScheduleLegacyUpdate = true;\n      }\n\n      scheduleLegacySyncCallback(performSyncWorkOnRoot.bind(null, root));\n    } else {\n      scheduleSyncCallback(performSyncWorkOnRoot.bind(null, root));\n    }\n\n    {\n      // Flush the queue in a microtask.\n      if ( ReactCurrentActQueue$1.current !== null) {\n        // Inside `act`, use our internal `act` queue so that these get flushed\n        // at the end of the current scope even when using the sync version\n        // of `act`.\n        ReactCurrentActQueue$1.current.push(flushSyncCallbacks);\n      } else {\n        scheduleMicrotask(function () {\n          // In Safari, appending an iframe forces microtasks to run.\n          // https://github.com/facebook/react/issues/22459\n          // We don't support running callbacks in the middle of render\n          // or commit so we need to check against that.\n          if ((executionContext & (RenderContext | CommitContext)) === NoContext) {\n            // Note that this would still prematurely flush the callbacks\n            // if this happens outside render or commit phase (e.g. in an event).\n            flushSyncCallbacks();\n          }\n        });\n      }\n    }\n\n    newCallbackNode = null;\n  } else {\n    var schedulerPriorityLevel;\n\n    switch (lanesToEventPriority(nextLanes)) {\n      case DiscreteEventPriority:\n        schedulerPriorityLevel = ImmediatePriority;\n        break;\n\n      case ContinuousEventPriority:\n        schedulerPriorityLevel = UserBlockingPriority;\n        break;\n\n      case DefaultEventPriority:\n        schedulerPriorityLevel = NormalPriority;\n        break;\n\n      case IdleEventPriority:\n        schedulerPriorityLevel = IdlePriority;\n        break;\n\n      default:\n        schedulerPriorityLevel = NormalPriority;\n        break;\n    }\n\n    newCallbackNode = scheduleCallback$1(schedulerPriorityLevel, performConcurrentWorkOnRoot.bind(null, root));\n  }\n\n  root.callbackPriority = newCallbackPriority;\n  root.callbackNode = newCallbackNode;\n} // This is the entry point for every concurrent task, i.e. anything that\n// goes through Scheduler.\n\n\nfunction performConcurrentWorkOnRoot(root, didTimeout) {\n  {\n    resetNestedUpdateFlag();\n  } // Since we know we're in a React event, we can clear the current\n  // event time. The next update will compute a new event time.\n\n\n  currentEventTime = NoTimestamp;\n  currentEventTransitionLane = NoLanes;\n\n  if ((executionContext & (RenderContext | CommitContext)) !== NoContext) {\n    throw new Error('Should not already be working.');\n  } // Flush any pending passive effects before deciding which lanes to work on,\n  // in case they schedule additional work.\n\n\n  var originalCallbackNode = root.callbackNode;\n  var didFlushPassiveEffects = flushPassiveEffects();\n\n  if (didFlushPassiveEffects) {\n    // Something in the passive effect phase may have canceled the current task.\n    // Check if the task node for this root was changed.\n    if (root.callbackNode !== originalCallbackNode) {\n      // The current task was canceled. Exit. We don't need to call\n      // `ensureRootIsScheduled` because the check above implies either that\n      // there's a new task, or that there's no remaining work on this root.\n      return null;\n    }\n  } // Determine the next lanes to work on, using the fields stored\n  // on the root.\n\n\n  var lanes = getNextLanes(root, root === workInProgressRoot ? workInProgressRootRenderLanes : NoLanes);\n\n  if (lanes === NoLanes) {\n    // Defensive coding. This is never expected to happen.\n    return null;\n  } // We disable time-slicing in some cases: if the work has been CPU-bound\n  // for too long (\"expired\" work, to prevent starvation), or we're in\n  // sync-updates-by-default mode.\n  // TODO: We only check `didTimeout` defensively, to account for a Scheduler\n  // bug we're still investigating. Once the bug in Scheduler is fixed,\n  // we can remove this, since we track expiration ourselves.\n\n\n  var shouldTimeSlice = !includesBlockingLane(root, lanes) && !includesExpiredLane(root, lanes) && ( !didTimeout);\n  var exitStatus = shouldTimeSlice ? renderRootConcurrent(root, lanes) : renderRootSync(root, lanes);\n\n  if (exitStatus !== RootInProgress) {\n    if (exitStatus === RootErrored) {\n      // If something threw an error, try rendering one more time. We'll\n      // render synchronously to block concurrent data mutations, and we'll\n      // includes all pending updates are included. If it still fails after\n      // the second attempt, we'll give up and commit the resulting tree.\n      var errorRetryLanes = getLanesToRetrySynchronouslyOnError(root);\n\n      if (errorRetryLanes !== NoLanes) {\n        lanes = errorRetryLanes;\n        exitStatus = recoverFromConcurrentError(root, errorRetryLanes);\n      }\n    }\n\n    if (exitStatus === RootFatalErrored) {\n      var fatalError = workInProgressRootFatalError;\n      prepareFreshStack(root, NoLanes);\n      markRootSuspended$1(root, lanes);\n      ensureRootIsScheduled(root, now());\n      throw fatalError;\n    }\n\n    if (exitStatus === RootDidNotComplete) {\n      // The render unwound without completing the tree. This happens in special\n      // cases where need to exit the current render without producing a\n      // consistent tree or committing.\n      //\n      // This should only happen during a concurrent render, not a discrete or\n      // synchronous update. We should have already checked for this when we\n      // unwound the stack.\n      markRootSuspended$1(root, lanes);\n    } else {\n      // The render completed.\n      // Check if this render may have yielded to a concurrent event, and if so,\n      // confirm that any newly rendered stores are consistent.\n      // TODO: It's possible that even a concurrent render may never have yielded\n      // to the main thread, if it was fast enough, or if it expired. We could\n      // skip the consistency check in that case, too.\n      var renderWasConcurrent = !includesBlockingLane(root, lanes);\n      var finishedWork = root.current.alternate;\n\n      if (renderWasConcurrent && !isRenderConsistentWithExternalStores(finishedWork)) {\n        // A store was mutated in an interleaved event. Render again,\n        // synchronously, to block further mutations.\n        exitStatus = renderRootSync(root, lanes); // We need to check again if something threw\n\n        if (exitStatus === RootErrored) {\n          var _errorRetryLanes = getLanesToRetrySynchronouslyOnError(root);\n\n          if (_errorRetryLanes !== NoLanes) {\n            lanes = _errorRetryLanes;\n            exitStatus = recoverFromConcurrentError(root, _errorRetryLanes); // We assume the tree is now consistent because we didn't yield to any\n            // concurrent events.\n          }\n        }\n\n        if (exitStatus === RootFatalErrored) {\n          var _fatalError = workInProgressRootFatalError;\n          prepareFreshStack(root, NoLanes);\n          markRootSuspended$1(root, lanes);\n          ensureRootIsScheduled(root, now());\n          throw _fatalError;\n        }\n      } // We now have a consistent tree. The next step is either to commit it,\n      // or, if something suspended, wait to commit it after a timeout.\n\n\n      root.finishedWork = finishedWork;\n      root.finishedLanes = lanes;\n      finishConcurrentRender(root, exitStatus, lanes);\n    }\n  }\n\n  ensureRootIsScheduled(root, now());\n\n  if (root.callbackNode === originalCallbackNode) {\n    // The task node scheduled for this root is the same one that's\n    // currently executed. Need to return a continuation.\n    return performConcurrentWorkOnRoot.bind(null, root);\n  }\n\n  return null;\n}\n\nfunction recoverFromConcurrentError(root, errorRetryLanes) {\n  // If an error occurred during hydration, discard server response and fall\n  // back to client side render.\n  // Before rendering again, save the errors from the previous attempt.\n  var errorsFromFirstAttempt = workInProgressRootConcurrentErrors;\n\n  if (isRootDehydrated(root)) {\n    // The shell failed to hydrate. Set a flag to force a client rendering\n    // during the next attempt. To do this, we call prepareFreshStack now\n    // to create the root work-in-progress fiber. This is a bit weird in terms\n    // of factoring, because it relies on renderRootSync not calling\n    // prepareFreshStack again in the call below, which happens because the\n    // root and lanes haven't changed.\n    //\n    // TODO: I think what we should do is set ForceClientRender inside\n    // throwException, like we do for nested Suspense boundaries. The reason\n    // it's here instead is so we can switch to the synchronous work loop, too.\n    // Something to consider for a future refactor.\n    var rootWorkInProgress = prepareFreshStack(root, errorRetryLanes);\n    rootWorkInProgress.flags |= ForceClientRender;\n\n    {\n      errorHydratingContainer(root.containerInfo);\n    }\n  }\n\n  var exitStatus = renderRootSync(root, errorRetryLanes);\n\n  if (exitStatus !== RootErrored) {\n    // Successfully finished rendering on retry\n    // The errors from the failed first attempt have been recovered. Add\n    // them to the collection of recoverable errors. We'll log them in the\n    // commit phase.\n    var errorsFromSecondAttempt = workInProgressRootRecoverableErrors;\n    workInProgressRootRecoverableErrors = errorsFromFirstAttempt; // The errors from the second attempt should be queued after the errors\n    // from the first attempt, to preserve the causal sequence.\n\n    if (errorsFromSecondAttempt !== null) {\n      queueRecoverableErrors(errorsFromSecondAttempt);\n    }\n  }\n\n  return exitStatus;\n}\n\nfunction queueRecoverableErrors(errors) {\n  if (workInProgressRootRecoverableErrors === null) {\n    workInProgressRootRecoverableErrors = errors;\n  } else {\n    workInProgressRootRecoverableErrors.push.apply(workInProgressRootRecoverableErrors, errors);\n  }\n}\n\nfunction finishConcurrentRender(root, exitStatus, lanes) {\n  switch (exitStatus) {\n    case RootInProgress:\n    case RootFatalErrored:\n      {\n        throw new Error('Root did not complete. This is a bug in React.');\n      }\n    // Flow knows about invariant, so it complains if I add a break\n    // statement, but eslint doesn't know about invariant, so it complains\n    // if I do. eslint-disable-next-line no-fallthrough\n\n    case RootErrored:\n      {\n        // We should have already attempted to retry this tree. If we reached\n        // this point, it errored again. Commit it.\n        commitRoot(root, workInProgressRootRecoverableErrors, workInProgressTransitions);\n        break;\n      }\n\n    case RootSuspended:\n      {\n        markRootSuspended$1(root, lanes); // We have an acceptable loading state. We need to figure out if we\n        // should immediately commit it or wait a bit.\n\n        if (includesOnlyRetries(lanes) && // do not delay if we're inside an act() scope\n        !shouldForceFlushFallbacksInDEV()) {\n          // This render only included retries, no updates. Throttle committing\n          // retries so that we don't show too many loading states too quickly.\n          var msUntilTimeout = globalMostRecentFallbackTime + FALLBACK_THROTTLE_MS - now(); // Don't bother with a very short suspense time.\n\n          if (msUntilTimeout > 10) {\n            var nextLanes = getNextLanes(root, NoLanes);\n\n            if (nextLanes !== NoLanes) {\n              // There's additional work on this root.\n              break;\n            }\n\n            var suspendedLanes = root.suspendedLanes;\n\n            if (!isSubsetOfLanes(suspendedLanes, lanes)) {\n              // We should prefer to render the fallback of at the last\n              // suspended level. Ping the last suspended level to try\n              // rendering it again.\n              // FIXME: What if the suspended lanes are Idle? Should not restart.\n              var eventTime = requestEventTime();\n              markRootPinged(root, suspendedLanes);\n              break;\n            } // The render is suspended, it hasn't timed out, and there's no\n            // lower priority work to do. Instead of committing the fallback\n            // immediately, wait for more data to arrive.\n\n\n            root.timeoutHandle = scheduleTimeout(commitRoot.bind(null, root, workInProgressRootRecoverableErrors, workInProgressTransitions), msUntilTimeout);\n            break;\n          }\n        } // The work expired. Commit immediately.\n\n\n        commitRoot(root, workInProgressRootRecoverableErrors, workInProgressTransitions);\n        break;\n      }\n\n    case RootSuspendedWithDelay:\n      {\n        markRootSuspended$1(root, lanes);\n\n        if (includesOnlyTransitions(lanes)) {\n          // This is a transition, so we should exit without committing a\n          // placeholder and without scheduling a timeout. Delay indefinitely\n          // until we receive more data.\n          break;\n        }\n\n        if (!shouldForceFlushFallbacksInDEV()) {\n          // This is not a transition, but we did trigger an avoided state.\n          // Schedule a placeholder to display after a short delay, using the Just\n          // Noticeable Difference.\n          // TODO: Is the JND optimization worth the added complexity? If this is\n          // the only reason we track the event time, then probably not.\n          // Consider removing.\n          var mostRecentEventTime = getMostRecentEventTime(root, lanes);\n          var eventTimeMs = mostRecentEventTime;\n          var timeElapsedMs = now() - eventTimeMs;\n\n          var _msUntilTimeout = jnd(timeElapsedMs) - timeElapsedMs; // Don't bother with a very short suspense time.\n\n\n          if (_msUntilTimeout > 10) {\n            // Instead of committing the fallback immediately, wait for more data\n            // to arrive.\n            root.timeoutHandle = scheduleTimeout(commitRoot.bind(null, root, workInProgressRootRecoverableErrors, workInProgressTransitions), _msUntilTimeout);\n            break;\n          }\n        } // Commit the placeholder.\n\n\n        commitRoot(root, workInProgressRootRecoverableErrors, workInProgressTransitions);\n        break;\n      }\n\n    case RootCompleted:\n      {\n        // The work completed. Ready to commit.\n        commitRoot(root, workInProgressRootRecoverableErrors, workInProgressTransitions);\n        break;\n      }\n\n    default:\n      {\n        throw new Error('Unknown root exit status.');\n      }\n  }\n}\n\nfunction isRenderConsistentWithExternalStores(finishedWork) {\n  // Search the rendered tree for external store reads, and check whether the\n  // stores were mutated in a concurrent event. Intentionally using an iterative\n  // loop instead of recursion so we can exit early.\n  var node = finishedWork;\n\n  while (true) {\n    if (node.flags & StoreConsistency) {\n      var updateQueue = node.updateQueue;\n\n      if (updateQueue !== null) {\n        var checks = updateQueue.stores;\n\n        if (checks !== null) {\n          for (var i = 0; i < checks.length; i++) {\n            var check = checks[i];\n            var getSnapshot = check.getSnapshot;\n            var renderedValue = check.value;\n\n            try {\n              if (!objectIs(getSnapshot(), renderedValue)) {\n                // Found an inconsistent store.\n                return false;\n              }\n            } catch (error) {\n              // If `getSnapshot` throws, return `false`. This will schedule\n              // a re-render, and the error will be rethrown during render.\n              return false;\n            }\n          }\n        }\n      }\n    }\n\n    var child = node.child;\n\n    if (node.subtreeFlags & StoreConsistency && child !== null) {\n      child.return = node;\n      node = child;\n      continue;\n    }\n\n    if (node === finishedWork) {\n      return true;\n    }\n\n    while (node.sibling === null) {\n      if (node.return === null || node.return === finishedWork) {\n        return true;\n      }\n\n      node = node.return;\n    }\n\n    node.sibling.return = node.return;\n    node = node.sibling;\n  } // Flow doesn't know this is unreachable, but eslint does\n  // eslint-disable-next-line no-unreachable\n\n\n  return true;\n}\n\nfunction markRootSuspended$1(root, suspendedLanes) {\n  // When suspending, we should always exclude lanes that were pinged or (more\n  // rarely, since we try to avoid it) updated during the render phase.\n  // TODO: Lol maybe there's a better way to factor this besides this\n  // obnoxiously named function :)\n  suspendedLanes = removeLanes(suspendedLanes, workInProgressRootPingedLanes);\n  suspendedLanes = removeLanes(suspendedLanes, workInProgressRootInterleavedUpdatedLanes);\n  markRootSuspended(root, suspendedLanes);\n} // This is the entry point for synchronous tasks that don't go\n// through Scheduler\n\n\nfunction performSyncWorkOnRoot(root) {\n  {\n    syncNestedUpdateFlag();\n  }\n\n  if ((executionContext & (RenderContext | CommitContext)) !== NoContext) {\n    throw new Error('Should not already be working.');\n  }\n\n  flushPassiveEffects();\n  var lanes = getNextLanes(root, NoLanes);\n\n  if (!includesSomeLane(lanes, SyncLane)) {\n    // There's no remaining sync work left.\n    ensureRootIsScheduled(root, now());\n    return null;\n  }\n\n  var exitStatus = renderRootSync(root, lanes);\n\n  if (root.tag !== LegacyRoot && exitStatus === RootErrored) {\n    // If something threw an error, try rendering one more time. We'll render\n    // synchronously to block concurrent data mutations, and we'll includes\n    // all pending updates are included. If it still fails after the second\n    // attempt, we'll give up and commit the resulting tree.\n    var errorRetryLanes = getLanesToRetrySynchronouslyOnError(root);\n\n    if (errorRetryLanes !== NoLanes) {\n      lanes = errorRetryLanes;\n      exitStatus = recoverFromConcurrentError(root, errorRetryLanes);\n    }\n  }\n\n  if (exitStatus === RootFatalErrored) {\n    var fatalError = workInProgressRootFatalError;\n    prepareFreshStack(root, NoLanes);\n    markRootSuspended$1(root, lanes);\n    ensureRootIsScheduled(root, now());\n    throw fatalError;\n  }\n\n  if (exitStatus === RootDidNotComplete) {\n    throw new Error('Root did not complete. This is a bug in React.');\n  } // We now have a consistent tree. Because this is a sync render, we\n  // will commit it even if something suspended.\n\n\n  var finishedWork = root.current.alternate;\n  root.finishedWork = finishedWork;\n  root.finishedLanes = lanes;\n  commitRoot(root, workInProgressRootRecoverableErrors, workInProgressTransitions); // Before exiting, make sure there's a callback scheduled for the next\n  // pending level.\n\n  ensureRootIsScheduled(root, now());\n  return null;\n}\n\nfunction flushRoot(root, lanes) {\n  if (lanes !== NoLanes) {\n    markRootEntangled(root, mergeLanes(lanes, SyncLane));\n    ensureRootIsScheduled(root, now());\n\n    if ((executionContext & (RenderContext | CommitContext)) === NoContext) {\n      resetRenderTimer();\n      flushSyncCallbacks();\n    }\n  }\n}\nfunction batchedUpdates$1(fn, a) {\n  var prevExecutionContext = executionContext;\n  executionContext |= BatchedContext;\n\n  try {\n    return fn(a);\n  } finally {\n    executionContext = prevExecutionContext; // If there were legacy sync updates, flush them at the end of the outer\n    // most batchedUpdates-like method.\n\n    if (executionContext === NoContext && // Treat `act` as if it's inside `batchedUpdates`, even in legacy mode.\n    !( ReactCurrentActQueue$1.isBatchingLegacy)) {\n      resetRenderTimer();\n      flushSyncCallbacksOnlyInLegacyMode();\n    }\n  }\n}\nfunction discreteUpdates(fn, a, b, c, d) {\n  var previousPriority = getCurrentUpdatePriority();\n  var prevTransition = ReactCurrentBatchConfig$3.transition;\n\n  try {\n    ReactCurrentBatchConfig$3.transition = null;\n    setCurrentUpdatePriority(DiscreteEventPriority);\n    return fn(a, b, c, d);\n  } finally {\n    setCurrentUpdatePriority(previousPriority);\n    ReactCurrentBatchConfig$3.transition = prevTransition;\n\n    if (executionContext === NoContext) {\n      resetRenderTimer();\n    }\n  }\n} // Overload the definition to the two valid signatures.\n// Warning, this opts-out of checking the function body.\n\n// eslint-disable-next-line no-redeclare\nfunction flushSync(fn) {\n  // In legacy mode, we flush pending passive effects at the beginning of the\n  // next event, not at the end of the previous one.\n  if (rootWithPendingPassiveEffects !== null && rootWithPendingPassiveEffects.tag === LegacyRoot && (executionContext & (RenderContext | CommitContext)) === NoContext) {\n    flushPassiveEffects();\n  }\n\n  var prevExecutionContext = executionContext;\n  executionContext |= BatchedContext;\n  var prevTransition = ReactCurrentBatchConfig$3.transition;\n  var previousPriority = getCurrentUpdatePriority();\n\n  try {\n    ReactCurrentBatchConfig$3.transition = null;\n    setCurrentUpdatePriority(DiscreteEventPriority);\n\n    if (fn) {\n      return fn();\n    } else {\n      return undefined;\n    }\n  } finally {\n    setCurrentUpdatePriority(previousPriority);\n    ReactCurrentBatchConfig$3.transition = prevTransition;\n    executionContext = prevExecutionContext; // Flush the immediate callbacks that were scheduled during this batch.\n    // Note that this will happen even if batchedUpdates is higher up\n    // the stack.\n\n    if ((executionContext & (RenderContext | CommitContext)) === NoContext) {\n      flushSyncCallbacks();\n    }\n  }\n}\nfunction isAlreadyRendering() {\n  // Used by the renderer to print a warning if certain APIs are called from\n  // the wrong context.\n  return  (executionContext & (RenderContext | CommitContext)) !== NoContext;\n}\nfunction pushRenderLanes(fiber, lanes) {\n  push(subtreeRenderLanesCursor, subtreeRenderLanes, fiber);\n  subtreeRenderLanes = mergeLanes(subtreeRenderLanes, lanes);\n  workInProgressRootIncludedLanes = mergeLanes(workInProgressRootIncludedLanes, lanes);\n}\nfunction popRenderLanes(fiber) {\n  subtreeRenderLanes = subtreeRenderLanesCursor.current;\n  pop(subtreeRenderLanesCursor, fiber);\n}\n\nfunction prepareFreshStack(root, lanes) {\n  root.finishedWork = null;\n  root.finishedLanes = NoLanes;\n  var timeoutHandle = root.timeoutHandle;\n\n  if (timeoutHandle !== noTimeout) {\n    // The root previous suspended and scheduled a timeout to commit a fallback\n    // state. Now that we have additional work, cancel the timeout.\n    root.timeoutHandle = noTimeout; // $FlowFixMe Complains noTimeout is not a TimeoutID, despite the check above\n\n    cancelTimeout(timeoutHandle);\n  }\n\n  if (workInProgress !== null) {\n    var interruptedWork = workInProgress.return;\n\n    while (interruptedWork !== null) {\n      var current = interruptedWork.alternate;\n      unwindInterruptedWork(current, interruptedWork);\n      interruptedWork = interruptedWork.return;\n    }\n  }\n\n  workInProgressRoot = root;\n  var rootWorkInProgress = createWorkInProgress(root.current, null);\n  workInProgress = rootWorkInProgress;\n  workInProgressRootRenderLanes = subtreeRenderLanes = workInProgressRootIncludedLanes = lanes;\n  workInProgressRootExitStatus = RootInProgress;\n  workInProgressRootFatalError = null;\n  workInProgressRootSkippedLanes = NoLanes;\n  workInProgressRootInterleavedUpdatedLanes = NoLanes;\n  workInProgressRootPingedLanes = NoLanes;\n  workInProgressRootConcurrentErrors = null;\n  workInProgressRootRecoverableErrors = null;\n  finishQueueingConcurrentUpdates();\n\n  {\n    ReactStrictModeWarnings.discardPendingWarnings();\n  }\n\n  return rootWorkInProgress;\n}\n\nfunction handleError(root, thrownValue) {\n  do {\n    var erroredWork = workInProgress;\n\n    try {\n      // Reset module-level state that was set during the render phase.\n      resetContextDependencies();\n      resetHooksAfterThrow();\n      resetCurrentFiber(); // TODO: I found and added this missing line while investigating a\n      // separate issue. Write a regression test using string refs.\n\n      ReactCurrentOwner$2.current = null;\n\n      if (erroredWork === null || erroredWork.return === null) {\n        // Expected to be working on a non-root fiber. This is a fatal error\n        // because there's no ancestor that can handle it; the root is\n        // supposed to capture all errors that weren't caught by an error\n        // boundary.\n        workInProgressRootExitStatus = RootFatalErrored;\n        workInProgressRootFatalError = thrownValue; // Set `workInProgress` to null. This represents advancing to the next\n        // sibling, or the parent if there are no siblings. But since the root\n        // has no siblings nor a parent, we set it to null. Usually this is\n        // handled by `completeUnitOfWork` or `unwindWork`, but since we're\n        // intentionally not calling those, we need set it here.\n        // TODO: Consider calling `unwindWork` to pop the contexts.\n\n        workInProgress = null;\n        return;\n      }\n\n      if (enableProfilerTimer && erroredWork.mode & ProfileMode) {\n        // Record the time spent rendering before an error was thrown. This\n        // avoids inaccurate Profiler durations in the case of a\n        // suspended render.\n        stopProfilerTimerIfRunningAndRecordDelta(erroredWork, true);\n      }\n\n      if (enableSchedulingProfiler) {\n        markComponentRenderStopped();\n\n        if (thrownValue !== null && typeof thrownValue === 'object' && typeof thrownValue.then === 'function') {\n          var wakeable = thrownValue;\n          markComponentSuspended(erroredWork, wakeable, workInProgressRootRenderLanes);\n        } else {\n          markComponentErrored(erroredWork, thrownValue, workInProgressRootRenderLanes);\n        }\n      }\n\n      throwException(root, erroredWork.return, erroredWork, thrownValue, workInProgressRootRenderLanes);\n      completeUnitOfWork(erroredWork);\n    } catch (yetAnotherThrownValue) {\n      // Something in the return path also threw.\n      thrownValue = yetAnotherThrownValue;\n\n      if (workInProgress === erroredWork && erroredWork !== null) {\n        // If this boundary has already errored, then we had trouble processing\n        // the error. Bubble it to the next boundary.\n        erroredWork = erroredWork.return;\n        workInProgress = erroredWork;\n      } else {\n        erroredWork = workInProgress;\n      }\n\n      continue;\n    } // Return to the normal work loop.\n\n\n    return;\n  } while (true);\n}\n\nfunction pushDispatcher() {\n  var prevDispatcher = ReactCurrentDispatcher$2.current;\n  ReactCurrentDispatcher$2.current = ContextOnlyDispatcher;\n\n  if (prevDispatcher === null) {\n    // The React isomorphic package does not include a default dispatcher.\n    // Instead the first renderer will lazily attach one, in order to give\n    // nicer error messages.\n    return ContextOnlyDispatcher;\n  } else {\n    return prevDispatcher;\n  }\n}\n\nfunction popDispatcher(prevDispatcher) {\n  ReactCurrentDispatcher$2.current = prevDispatcher;\n}\n\nfunction markCommitTimeOfFallback() {\n  globalMostRecentFallbackTime = now();\n}\nfunction markSkippedUpdateLanes(lane) {\n  workInProgressRootSkippedLanes = mergeLanes(lane, workInProgressRootSkippedLanes);\n}\nfunction renderDidSuspend() {\n  if (workInProgressRootExitStatus === RootInProgress) {\n    workInProgressRootExitStatus = RootSuspended;\n  }\n}\nfunction renderDidSuspendDelayIfPossible() {\n  if (workInProgressRootExitStatus === RootInProgress || workInProgressRootExitStatus === RootSuspended || workInProgressRootExitStatus === RootErrored) {\n    workInProgressRootExitStatus = RootSuspendedWithDelay;\n  } // Check if there are updates that we skipped tree that might have unblocked\n  // this render.\n\n\n  if (workInProgressRoot !== null && (includesNonIdleWork(workInProgressRootSkippedLanes) || includesNonIdleWork(workInProgressRootInterleavedUpdatedLanes))) {\n    // Mark the current render as suspended so that we switch to working on\n    // the updates that were skipped. Usually we only suspend at the end of\n    // the render phase.\n    // TODO: We should probably always mark the root as suspended immediately\n    // (inside this function), since by suspending at the end of the render\n    // phase introduces a potential mistake where we suspend lanes that were\n    // pinged or updated while we were rendering.\n    markRootSuspended$1(workInProgressRoot, workInProgressRootRenderLanes);\n  }\n}\nfunction renderDidError(error) {\n  if (workInProgressRootExitStatus !== RootSuspendedWithDelay) {\n    workInProgressRootExitStatus = RootErrored;\n  }\n\n  if (workInProgressRootConcurrentErrors === null) {\n    workInProgressRootConcurrentErrors = [error];\n  } else {\n    workInProgressRootConcurrentErrors.push(error);\n  }\n} // Called during render to determine if anything has suspended.\n// Returns false if we're not sure.\n\nfunction renderHasNotSuspendedYet() {\n  // If something errored or completed, we can't really be sure,\n  // so those are false.\n  return workInProgressRootExitStatus === RootInProgress;\n}\n\nfunction renderRootSync(root, lanes) {\n  var prevExecutionContext = executionContext;\n  executionContext |= RenderContext;\n  var prevDispatcher = pushDispatcher(); // If the root or lanes have changed, throw out the existing stack\n  // and prepare a fresh one. Otherwise we'll continue where we left off.\n\n  if (workInProgressRoot !== root || workInProgressRootRenderLanes !== lanes) {\n    {\n      if (isDevToolsPresent) {\n        var memoizedUpdaters = root.memoizedUpdaters;\n\n        if (memoizedUpdaters.size > 0) {\n          restorePendingUpdaters(root, workInProgressRootRenderLanes);\n          memoizedUpdaters.clear();\n        } // At this point, move Fibers that scheduled the upcoming work from the Map to the Set.\n        // If we bailout on this work, we'll move them back (like above).\n        // It's important to move them now in case the work spawns more work at the same priority with different updaters.\n        // That way we can keep the current update and future updates separate.\n\n\n        movePendingFibersToMemoized(root, lanes);\n      }\n    }\n\n    workInProgressTransitions = getTransitionsForLanes();\n    prepareFreshStack(root, lanes);\n  }\n\n  {\n    markRenderStarted(lanes);\n  }\n\n  do {\n    try {\n      workLoopSync();\n      break;\n    } catch (thrownValue) {\n      handleError(root, thrownValue);\n    }\n  } while (true);\n\n  resetContextDependencies();\n  executionContext = prevExecutionContext;\n  popDispatcher(prevDispatcher);\n\n  if (workInProgress !== null) {\n    // This is a sync render, so we should have finished the whole tree.\n    throw new Error('Cannot commit an incomplete root. This error is likely caused by a ' + 'bug in React. Please file an issue.');\n  }\n\n  {\n    markRenderStopped();\n  } // Set this to null to indicate there's no in-progress render.\n\n\n  workInProgressRoot = null;\n  workInProgressRootRenderLanes = NoLanes;\n  return workInProgressRootExitStatus;\n} // The work loop is an extremely hot path. Tell Closure not to inline it.\n\n/** @noinline */\n\n\nfunction workLoopSync() {\n  // Already timed out, so perform work without checking if we need to yield.\n  while (workInProgress !== null) {\n    performUnitOfWork(workInProgress);\n  }\n}\n\nfunction renderRootConcurrent(root, lanes) {\n  var prevExecutionContext = executionContext;\n  executionContext |= RenderContext;\n  var prevDispatcher = pushDispatcher(); // If the root or lanes have changed, throw out the existing stack\n  // and prepare a fresh one. Otherwise we'll continue where we left off.\n\n  if (workInProgressRoot !== root || workInProgressRootRenderLanes !== lanes) {\n    {\n      if (isDevToolsPresent) {\n        var memoizedUpdaters = root.memoizedUpdaters;\n\n        if (memoizedUpdaters.size > 0) {\n          restorePendingUpdaters(root, workInProgressRootRenderLanes);\n          memoizedUpdaters.clear();\n        } // At this point, move Fibers that scheduled the upcoming work from the Map to the Set.\n        // If we bailout on this work, we'll move them back (like above).\n        // It's important to move them now in case the work spawns more work at the same priority with different updaters.\n        // That way we can keep the current update and future updates separate.\n\n\n        movePendingFibersToMemoized(root, lanes);\n      }\n    }\n\n    workInProgressTransitions = getTransitionsForLanes();\n    resetRenderTimer();\n    prepareFreshStack(root, lanes);\n  }\n\n  {\n    markRenderStarted(lanes);\n  }\n\n  do {\n    try {\n      workLoopConcurrent();\n      break;\n    } catch (thrownValue) {\n      handleError(root, thrownValue);\n    }\n  } while (true);\n\n  resetContextDependencies();\n  popDispatcher(prevDispatcher);\n  executionContext = prevExecutionContext;\n\n\n  if (workInProgress !== null) {\n    // Still work remaining.\n    {\n      markRenderYielded();\n    }\n\n    return RootInProgress;\n  } else {\n    // Completed the tree.\n    {\n      markRenderStopped();\n    } // Set this to null to indicate there's no in-progress render.\n\n\n    workInProgressRoot = null;\n    workInProgressRootRenderLanes = NoLanes; // Return the final exit status.\n\n    return workInProgressRootExitStatus;\n  }\n}\n/** @noinline */\n\n\nfunction workLoopConcurrent() {\n  // Perform work until Scheduler asks us to yield\n  while (workInProgress !== null && !shouldYield()) {\n    performUnitOfWork(workInProgress);\n  }\n}\n\nfunction performUnitOfWork(unitOfWork) {\n  // The current, flushed, state of this fiber is the alternate. Ideally\n  // nothing should rely on this, but relying on it here means that we don't\n  // need an additional field on the work in progress.\n  var current = unitOfWork.alternate;\n  setCurrentFiber(unitOfWork);\n  var next;\n\n  if ( (unitOfWork.mode & ProfileMode) !== NoMode) {\n    startProfilerTimer(unitOfWork);\n    next = beginWork$1(current, unitOfWork, subtreeRenderLanes);\n    stopProfilerTimerIfRunningAndRecordDelta(unitOfWork, true);\n  } else {\n    next = beginWork$1(current, unitOfWork, subtreeRenderLanes);\n  }\n\n  resetCurrentFiber();\n  unitOfWork.memoizedProps = unitOfWork.pendingProps;\n\n  if (next === null) {\n    // If this doesn't spawn new work, complete the current work.\n    completeUnitOfWork(unitOfWork);\n  } else {\n    workInProgress = next;\n  }\n\n  ReactCurrentOwner$2.current = null;\n}\n\nfunction completeUnitOfWork(unitOfWork) {\n  // Attempt to complete the current unit of work, then move to the next\n  // sibling. If there are no more siblings, return to the parent fiber.\n  var completedWork = unitOfWork;\n\n  do {\n    // The current, flushed, state of this fiber is the alternate. Ideally\n    // nothing should rely on this, but relying on it here means that we don't\n    // need an additional field on the work in progress.\n    var current = completedWork.alternate;\n    var returnFiber = completedWork.return; // Check if the work completed or if something threw.\n\n    if ((completedWork.flags & Incomplete) === NoFlags) {\n      setCurrentFiber(completedWork);\n      var next = void 0;\n\n      if ( (completedWork.mode & ProfileMode) === NoMode) {\n        next = completeWork(current, completedWork, subtreeRenderLanes);\n      } else {\n        startProfilerTimer(completedWork);\n        next = completeWork(current, completedWork, subtreeRenderLanes); // Update render duration assuming we didn't error.\n\n        stopProfilerTimerIfRunningAndRecordDelta(completedWork, false);\n      }\n\n      resetCurrentFiber();\n\n      if (next !== null) {\n        // Completing this fiber spawned new work. Work on that next.\n        workInProgress = next;\n        return;\n      }\n    } else {\n      // This fiber did not complete because something threw. Pop values off\n      // the stack without entering the complete phase. If this is a boundary,\n      // capture values if possible.\n      var _next = unwindWork(current, completedWork); // Because this fiber did not complete, don't reset its lanes.\n\n\n      if (_next !== null) {\n        // If completing this work spawned new work, do that next. We'll come\n        // back here again.\n        // Since we're restarting, remove anything that is not a host effect\n        // from the effect tag.\n        _next.flags &= HostEffectMask;\n        workInProgress = _next;\n        return;\n      }\n\n      if ( (completedWork.mode & ProfileMode) !== NoMode) {\n        // Record the render duration for the fiber that errored.\n        stopProfilerTimerIfRunningAndRecordDelta(completedWork, false); // Include the time spent working on failed children before continuing.\n\n        var actualDuration = completedWork.actualDuration;\n        var child = completedWork.child;\n\n        while (child !== null) {\n          actualDuration += child.actualDuration;\n          child = child.sibling;\n        }\n\n        completedWork.actualDuration = actualDuration;\n      }\n\n      if (returnFiber !== null) {\n        // Mark the parent fiber as incomplete and clear its subtree flags.\n        returnFiber.flags |= Incomplete;\n        returnFiber.subtreeFlags = NoFlags;\n        returnFiber.deletions = null;\n      } else {\n        // We've unwound all the way to the root.\n        workInProgressRootExitStatus = RootDidNotComplete;\n        workInProgress = null;\n        return;\n      }\n    }\n\n    var siblingFiber = completedWork.sibling;\n\n    if (siblingFiber !== null) {\n      // If there is more work to do in this returnFiber, do that next.\n      workInProgress = siblingFiber;\n      return;\n    } // Otherwise, return to the parent\n\n\n    completedWork = returnFiber; // Update the next thing we're working on in case something throws.\n\n    workInProgress = completedWork;\n  } while (completedWork !== null); // We've reached the root.\n\n\n  if (workInProgressRootExitStatus === RootInProgress) {\n    workInProgressRootExitStatus = RootCompleted;\n  }\n}\n\nfunction commitRoot(root, recoverableErrors, transitions) {\n  // TODO: This no longer makes any sense. We already wrap the mutation and\n  // layout phases. Should be able to remove.\n  var previousUpdateLanePriority = getCurrentUpdatePriority();\n  var prevTransition = ReactCurrentBatchConfig$3.transition;\n\n  try {\n    ReactCurrentBatchConfig$3.transition = null;\n    setCurrentUpdatePriority(DiscreteEventPriority);\n    commitRootImpl(root, recoverableErrors, transitions, previousUpdateLanePriority);\n  } finally {\n    ReactCurrentBatchConfig$3.transition = prevTransition;\n    setCurrentUpdatePriority(previousUpdateLanePriority);\n  }\n\n  return null;\n}\n\nfunction commitRootImpl(root, recoverableErrors, transitions, renderPriorityLevel) {\n  do {\n    // `flushPassiveEffects` will call `flushSyncUpdateQueue` at the end, which\n    // means `flushPassiveEffects` will sometimes result in additional\n    // passive effects. So we need to keep flushing in a loop until there are\n    // no more pending effects.\n    // TODO: Might be better if `flushPassiveEffects` did not automatically\n    // flush synchronous work at the end, to avoid factoring hazards like this.\n    flushPassiveEffects();\n  } while (rootWithPendingPassiveEffects !== null);\n\n  flushRenderPhaseStrictModeWarningsInDEV();\n\n  if ((executionContext & (RenderContext | CommitContext)) !== NoContext) {\n    throw new Error('Should not already be working.');\n  }\n\n  var finishedWork = root.finishedWork;\n  var lanes = root.finishedLanes;\n\n  {\n    markCommitStarted(lanes);\n  }\n\n  if (finishedWork === null) {\n\n    {\n      markCommitStopped();\n    }\n\n    return null;\n  } else {\n    {\n      if (lanes === NoLanes) {\n        error('root.finishedLanes should not be empty during a commit. This is a ' + 'bug in React.');\n      }\n    }\n  }\n\n  root.finishedWork = null;\n  root.finishedLanes = NoLanes;\n\n  if (finishedWork === root.current) {\n    throw new Error('Cannot commit the same tree as before. This error is likely caused by ' + 'a bug in React. Please file an issue.');\n  } // commitRoot never returns a continuation; it always finishes synchronously.\n  // So we can clear these now to allow a new callback to be scheduled.\n\n\n  root.callbackNode = null;\n  root.callbackPriority = NoLane; // Update the first and last pending times on this root. The new first\n  // pending time is whatever is left on the root fiber.\n\n  var remainingLanes = mergeLanes(finishedWork.lanes, finishedWork.childLanes);\n  markRootFinished(root, remainingLanes);\n\n  if (root === workInProgressRoot) {\n    // We can reset these now that they are finished.\n    workInProgressRoot = null;\n    workInProgress = null;\n    workInProgressRootRenderLanes = NoLanes;\n  } // If there are pending passive effects, schedule a callback to process them.\n  // Do this as early as possible, so it is queued before anything else that\n  // might get scheduled in the commit phase. (See #16714.)\n  // TODO: Delete all other places that schedule the passive effect callback\n  // They're redundant.\n\n\n  if ((finishedWork.subtreeFlags & PassiveMask) !== NoFlags || (finishedWork.flags & PassiveMask) !== NoFlags) {\n    if (!rootDoesHavePassiveEffects) {\n      rootDoesHavePassiveEffects = true;\n      // to store it in pendingPassiveTransitions until they get processed\n      // We need to pass this through as an argument to commitRoot\n      // because workInProgressTransitions might have changed between\n      // the previous render and commit if we throttle the commit\n      // with setTimeout\n\n      pendingPassiveTransitions = transitions;\n      scheduleCallback$1(NormalPriority, function () {\n        flushPassiveEffects(); // This render triggered passive effects: release the root cache pool\n        // *after* passive effects fire to avoid freeing a cache pool that may\n        // be referenced by a node in the tree (HostRoot, Cache boundary etc)\n\n        return null;\n      });\n    }\n  } // Check if there are any effects in the whole tree.\n  // TODO: This is left over from the effect list implementation, where we had\n  // to check for the existence of `firstEffect` to satisfy Flow. I think the\n  // only other reason this optimization exists is because it affects profiling.\n  // Reconsider whether this is necessary.\n\n\n  var subtreeHasEffects = (finishedWork.subtreeFlags & (BeforeMutationMask | MutationMask | LayoutMask | PassiveMask)) !== NoFlags;\n  var rootHasEffect = (finishedWork.flags & (BeforeMutationMask | MutationMask | LayoutMask | PassiveMask)) !== NoFlags;\n\n  if (subtreeHasEffects || rootHasEffect) {\n    var prevTransition = ReactCurrentBatchConfig$3.transition;\n    ReactCurrentBatchConfig$3.transition = null;\n    var previousPriority = getCurrentUpdatePriority();\n    setCurrentUpdatePriority(DiscreteEventPriority);\n    var prevExecutionContext = executionContext;\n    executionContext |= CommitContext; // Reset this to null before calling lifecycles\n\n    ReactCurrentOwner$2.current = null; // The commit phase is broken into several sub-phases. We do a separate pass\n    // of the effect list for each phase: all mutation effects come before all\n    // layout effects, and so on.\n    // The first phase a \"before mutation\" phase. We use this phase to read the\n    // state of the host tree right before we mutate it. This is where\n    // getSnapshotBeforeUpdate is called.\n\n    var shouldFireAfterActiveInstanceBlur = commitBeforeMutationEffects(root, finishedWork);\n\n    {\n      // Mark the current commit time to be shared by all Profilers in this\n      // batch. This enables them to be grouped later.\n      recordCommitTime();\n    }\n\n\n    commitMutationEffects(root, finishedWork, lanes);\n\n    resetAfterCommit(root.containerInfo); // The work-in-progress tree is now the current tree. This must come after\n    // the mutation phase, so that the previous tree is still current during\n    // componentWillUnmount, but before the layout phase, so that the finished\n    // work is current during componentDidMount/Update.\n\n    root.current = finishedWork; // The next phase is the layout phase, where we call effects that read\n\n    {\n      markLayoutEffectsStarted(lanes);\n    }\n\n    commitLayoutEffects(finishedWork, root, lanes);\n\n    {\n      markLayoutEffectsStopped();\n    }\n    // opportunity to paint.\n\n\n    requestPaint();\n    executionContext = prevExecutionContext; // Reset the priority to the previous non-sync value.\n\n    setCurrentUpdatePriority(previousPriority);\n    ReactCurrentBatchConfig$3.transition = prevTransition;\n  } else {\n    // No effects.\n    root.current = finishedWork; // Measure these anyway so the flamegraph explicitly shows that there were\n    // no effects.\n    // TODO: Maybe there's a better way to report this.\n\n    {\n      recordCommitTime();\n    }\n  }\n\n  var rootDidHavePassiveEffects = rootDoesHavePassiveEffects;\n\n  if (rootDoesHavePassiveEffects) {\n    // This commit has passive effects. Stash a reference to them. But don't\n    // schedule a callback until after flushing layout work.\n    rootDoesHavePassiveEffects = false;\n    rootWithPendingPassiveEffects = root;\n    pendingPassiveEffectsLanes = lanes;\n  } else {\n\n    {\n      nestedPassiveUpdateCount = 0;\n      rootWithPassiveNestedUpdates = null;\n    }\n  } // Read this again, since an effect might have updated it\n\n\n  remainingLanes = root.pendingLanes; // Check if there's remaining work on this root\n  // TODO: This is part of the `componentDidCatch` implementation. Its purpose\n  // is to detect whether something might have called setState inside\n  // `componentDidCatch`. The mechanism is known to be flawed because `setState`\n  // inside `componentDidCatch` is itself flawed — that's why we recommend\n  // `getDerivedStateFromError` instead. However, it could be improved by\n  // checking if remainingLanes includes Sync work, instead of whether there's\n  // any work remaining at all (which would also include stuff like Suspense\n  // retries or transitions). It's been like this for a while, though, so fixing\n  // it probably isn't that urgent.\n\n  if (remainingLanes === NoLanes) {\n    // If there's no remaining work, we can clear the set of already failed\n    // error boundaries.\n    legacyErrorBoundariesThatAlreadyFailed = null;\n  }\n\n  {\n    if (!rootDidHavePassiveEffects) {\n      commitDoubleInvokeEffectsInDEV(root.current, false);\n    }\n  }\n\n  onCommitRoot(finishedWork.stateNode, renderPriorityLevel);\n\n  {\n    if (isDevToolsPresent) {\n      root.memoizedUpdaters.clear();\n    }\n  }\n\n  {\n    onCommitRoot$1();\n  } // Always call this before exiting `commitRoot`, to ensure that any\n  // additional work on this root is scheduled.\n\n\n  ensureRootIsScheduled(root, now());\n\n  if (recoverableErrors !== null) {\n    // There were errors during this render, but recovered from them without\n    // needing to surface it to the UI. We log them here.\n    var onRecoverableError = root.onRecoverableError;\n\n    for (var i = 0; i < recoverableErrors.length; i++) {\n      var recoverableError = recoverableErrors[i];\n      var componentStack = recoverableError.stack;\n      var digest = recoverableError.digest;\n      onRecoverableError(recoverableError.value, {\n        componentStack: componentStack,\n        digest: digest\n      });\n    }\n  }\n\n  if (hasUncaughtError) {\n    hasUncaughtError = false;\n    var error$1 = firstUncaughtError;\n    firstUncaughtError = null;\n    throw error$1;\n  } // If the passive effects are the result of a discrete render, flush them\n  // synchronously at the end of the current task so that the result is\n  // immediately observable. Otherwise, we assume that they are not\n  // order-dependent and do not need to be observed by external systems, so we\n  // can wait until after paint.\n  // TODO: We can optimize this by not scheduling the callback earlier. Since we\n  // currently schedule the callback in multiple places, will wait until those\n  // are consolidated.\n\n\n  if (includesSomeLane(pendingPassiveEffectsLanes, SyncLane) && root.tag !== LegacyRoot) {\n    flushPassiveEffects();\n  } // Read this again, since a passive effect might have updated it\n\n\n  remainingLanes = root.pendingLanes;\n\n  if (includesSomeLane(remainingLanes, SyncLane)) {\n    {\n      markNestedUpdateScheduled();\n    } // Count the number of times the root synchronously re-renders without\n    // finishing. If there are too many, it indicates an infinite update loop.\n\n\n    if (root === rootWithNestedUpdates) {\n      nestedUpdateCount++;\n    } else {\n      nestedUpdateCount = 0;\n      rootWithNestedUpdates = root;\n    }\n  } else {\n    nestedUpdateCount = 0;\n  } // If layout work was scheduled, flush it now.\n\n\n  flushSyncCallbacks();\n\n  {\n    markCommitStopped();\n  }\n\n  return null;\n}\n\nfunction flushPassiveEffects() {\n  // Returns whether passive effects were flushed.\n  // TODO: Combine this check with the one in flushPassiveEFfectsImpl. We should\n  // probably just combine the two functions. I believe they were only separate\n  // in the first place because we used to wrap it with\n  // `Scheduler.runWithPriority`, which accepts a function. But now we track the\n  // priority within React itself, so we can mutate the variable directly.\n  if (rootWithPendingPassiveEffects !== null) {\n    var renderPriority = lanesToEventPriority(pendingPassiveEffectsLanes);\n    var priority = lowerEventPriority(DefaultEventPriority, renderPriority);\n    var prevTransition = ReactCurrentBatchConfig$3.transition;\n    var previousPriority = getCurrentUpdatePriority();\n\n    try {\n      ReactCurrentBatchConfig$3.transition = null;\n      setCurrentUpdatePriority(priority);\n      return flushPassiveEffectsImpl();\n    } finally {\n      setCurrentUpdatePriority(previousPriority);\n      ReactCurrentBatchConfig$3.transition = prevTransition; // Once passive effects have run for the tree - giving components a\n    }\n  }\n\n  return false;\n}\nfunction enqueuePendingPassiveProfilerEffect(fiber) {\n  {\n    pendingPassiveProfilerEffects.push(fiber);\n\n    if (!rootDoesHavePassiveEffects) {\n      rootDoesHavePassiveEffects = true;\n      scheduleCallback$1(NormalPriority, function () {\n        flushPassiveEffects();\n        return null;\n      });\n    }\n  }\n}\n\nfunction flushPassiveEffectsImpl() {\n  if (rootWithPendingPassiveEffects === null) {\n    return false;\n  } // Cache and clear the transitions flag\n\n\n  var transitions = pendingPassiveTransitions;\n  pendingPassiveTransitions = null;\n  var root = rootWithPendingPassiveEffects;\n  var lanes = pendingPassiveEffectsLanes;\n  rootWithPendingPassiveEffects = null; // TODO: This is sometimes out of sync with rootWithPendingPassiveEffects.\n  // Figure out why and fix it. It's not causing any known issues (probably\n  // because it's only used for profiling), but it's a refactor hazard.\n\n  pendingPassiveEffectsLanes = NoLanes;\n\n  if ((executionContext & (RenderContext | CommitContext)) !== NoContext) {\n    throw new Error('Cannot flush passive effects while already rendering.');\n  }\n\n  {\n    isFlushingPassiveEffects = true;\n    didScheduleUpdateDuringPassiveEffects = false;\n  }\n\n  {\n    markPassiveEffectsStarted(lanes);\n  }\n\n  var prevExecutionContext = executionContext;\n  executionContext |= CommitContext;\n  commitPassiveUnmountEffects(root.current);\n  commitPassiveMountEffects(root, root.current, lanes, transitions); // TODO: Move to commitPassiveMountEffects\n\n  {\n    var profilerEffects = pendingPassiveProfilerEffects;\n    pendingPassiveProfilerEffects = [];\n\n    for (var i = 0; i < profilerEffects.length; i++) {\n      var _fiber = profilerEffects[i];\n      commitPassiveEffectDurations(root, _fiber);\n    }\n  }\n\n  {\n    markPassiveEffectsStopped();\n  }\n\n  {\n    commitDoubleInvokeEffectsInDEV(root.current, true);\n  }\n\n  executionContext = prevExecutionContext;\n  flushSyncCallbacks();\n\n  {\n    // If additional passive effects were scheduled, increment a counter. If this\n    // exceeds the limit, we'll fire a warning.\n    if (didScheduleUpdateDuringPassiveEffects) {\n      if (root === rootWithPassiveNestedUpdates) {\n        nestedPassiveUpdateCount++;\n      } else {\n        nestedPassiveUpdateCount = 0;\n        rootWithPassiveNestedUpdates = root;\n      }\n    } else {\n      nestedPassiveUpdateCount = 0;\n    }\n\n    isFlushingPassiveEffects = false;\n    didScheduleUpdateDuringPassiveEffects = false;\n  } // TODO: Move to commitPassiveMountEffects\n\n\n  onPostCommitRoot(root);\n\n  {\n    var stateNode = root.current.stateNode;\n    stateNode.effectDuration = 0;\n    stateNode.passiveEffectDuration = 0;\n  }\n\n  return true;\n}\n\nfunction isAlreadyFailedLegacyErrorBoundary(instance) {\n  return legacyErrorBoundariesThatAlreadyFailed !== null && legacyErrorBoundariesThatAlreadyFailed.has(instance);\n}\nfunction markLegacyErrorBoundaryAsFailed(instance) {\n  if (legacyErrorBoundariesThatAlreadyFailed === null) {\n    legacyErrorBoundariesThatAlreadyFailed = new Set([instance]);\n  } else {\n    legacyErrorBoundariesThatAlreadyFailed.add(instance);\n  }\n}\n\nfunction prepareToThrowUncaughtError(error) {\n  if (!hasUncaughtError) {\n    hasUncaughtError = true;\n    firstUncaughtError = error;\n  }\n}\n\nvar onUncaughtError = prepareToThrowUncaughtError;\n\nfunction captureCommitPhaseErrorOnRoot(rootFiber, sourceFiber, error) {\n  var errorInfo = createCapturedValueAtFiber(error, sourceFiber);\n  var update = createRootErrorUpdate(rootFiber, errorInfo, SyncLane);\n  var root = enqueueUpdate(rootFiber, update, SyncLane);\n  var eventTime = requestEventTime();\n\n  if (root !== null) {\n    markRootUpdated(root, SyncLane, eventTime);\n    ensureRootIsScheduled(root, eventTime);\n  }\n}\n\nfunction captureCommitPhaseError(sourceFiber, nearestMountedAncestor, error$1) {\n  {\n    reportUncaughtErrorInDEV(error$1);\n    setIsRunningInsertionEffect(false);\n  }\n\n  if (sourceFiber.tag === HostRoot) {\n    // Error was thrown at the root. There is no parent, so the root\n    // itself should capture it.\n    captureCommitPhaseErrorOnRoot(sourceFiber, sourceFiber, error$1);\n    return;\n  }\n\n  var fiber = null;\n\n  {\n    fiber = nearestMountedAncestor;\n  }\n\n  while (fiber !== null) {\n    if (fiber.tag === HostRoot) {\n      captureCommitPhaseErrorOnRoot(fiber, sourceFiber, error$1);\n      return;\n    } else if (fiber.tag === ClassComponent) {\n      var ctor = fiber.type;\n      var instance = fiber.stateNode;\n\n      if (typeof ctor.getDerivedStateFromError === 'function' || typeof instance.componentDidCatch === 'function' && !isAlreadyFailedLegacyErrorBoundary(instance)) {\n        var errorInfo = createCapturedValueAtFiber(error$1, sourceFiber);\n        var update = createClassErrorUpdate(fiber, errorInfo, SyncLane);\n        var root = enqueueUpdate(fiber, update, SyncLane);\n        var eventTime = requestEventTime();\n\n        if (root !== null) {\n          markRootUpdated(root, SyncLane, eventTime);\n          ensureRootIsScheduled(root, eventTime);\n        }\n\n        return;\n      }\n    }\n\n    fiber = fiber.return;\n  }\n\n  {\n    // TODO: Until we re-land skipUnmountedBoundaries (see #20147), this warning\n    // will fire for errors that are thrown by destroy functions inside deleted\n    // trees. What it should instead do is propagate the error to the parent of\n    // the deleted tree. In the meantime, do not add this warning to the\n    // allowlist; this is only for our internal use.\n    error('Internal React error: Attempted to capture a commit phase error ' + 'inside a detached tree. This indicates a bug in React. Likely ' + 'causes include deleting the same fiber more than once, committing an ' + 'already-finished tree, or an inconsistent return pointer.\\n\\n' + 'Error message:\\n\\n%s', error$1);\n  }\n}\nfunction pingSuspendedRoot(root, wakeable, pingedLanes) {\n  var pingCache = root.pingCache;\n\n  if (pingCache !== null) {\n    // The wakeable resolved, so we no longer need to memoize, because it will\n    // never be thrown again.\n    pingCache.delete(wakeable);\n  }\n\n  var eventTime = requestEventTime();\n  markRootPinged(root, pingedLanes);\n  warnIfSuspenseResolutionNotWrappedWithActDEV(root);\n\n  if (workInProgressRoot === root && isSubsetOfLanes(workInProgressRootRenderLanes, pingedLanes)) {\n    // Received a ping at the same priority level at which we're currently\n    // rendering. We might want to restart this render. This should mirror\n    // the logic of whether or not a root suspends once it completes.\n    // TODO: If we're rendering sync either due to Sync, Batched or expired,\n    // we should probably never restart.\n    // If we're suspended with delay, or if it's a retry, we'll always suspend\n    // so we can always restart.\n    if (workInProgressRootExitStatus === RootSuspendedWithDelay || workInProgressRootExitStatus === RootSuspended && includesOnlyRetries(workInProgressRootRenderLanes) && now() - globalMostRecentFallbackTime < FALLBACK_THROTTLE_MS) {\n      // Restart from the root.\n      prepareFreshStack(root, NoLanes);\n    } else {\n      // Even though we can't restart right now, we might get an\n      // opportunity later. So we mark this render as having a ping.\n      workInProgressRootPingedLanes = mergeLanes(workInProgressRootPingedLanes, pingedLanes);\n    }\n  }\n\n  ensureRootIsScheduled(root, eventTime);\n}\n\nfunction retryTimedOutBoundary(boundaryFiber, retryLane) {\n  // The boundary fiber (a Suspense component or SuspenseList component)\n  // previously was rendered in its fallback state. One of the promises that\n  // suspended it has resolved, which means at least part of the tree was\n  // likely unblocked. Try rendering again, at a new lanes.\n  if (retryLane === NoLane) {\n    // TODO: Assign this to `suspenseState.retryLane`? to avoid\n    // unnecessary entanglement?\n    retryLane = requestRetryLane(boundaryFiber);\n  } // TODO: Special case idle priority?\n\n\n  var eventTime = requestEventTime();\n  var root = enqueueConcurrentRenderForLane(boundaryFiber, retryLane);\n\n  if (root !== null) {\n    markRootUpdated(root, retryLane, eventTime);\n    ensureRootIsScheduled(root, eventTime);\n  }\n}\n\nfunction retryDehydratedSuspenseBoundary(boundaryFiber) {\n  var suspenseState = boundaryFiber.memoizedState;\n  var retryLane = NoLane;\n\n  if (suspenseState !== null) {\n    retryLane = suspenseState.retryLane;\n  }\n\n  retryTimedOutBoundary(boundaryFiber, retryLane);\n}\nfunction resolveRetryWakeable(boundaryFiber, wakeable) {\n  var retryLane = NoLane; // Default\n\n  var retryCache;\n\n  switch (boundaryFiber.tag) {\n    case SuspenseComponent:\n      retryCache = boundaryFiber.stateNode;\n      var suspenseState = boundaryFiber.memoizedState;\n\n      if (suspenseState !== null) {\n        retryLane = suspenseState.retryLane;\n      }\n\n      break;\n\n    case SuspenseListComponent:\n      retryCache = boundaryFiber.stateNode;\n      break;\n\n    default:\n      throw new Error('Pinged unknown suspense boundary type. ' + 'This is probably a bug in React.');\n  }\n\n  if (retryCache !== null) {\n    // The wakeable resolved, so we no longer need to memoize, because it will\n    // never be thrown again.\n    retryCache.delete(wakeable);\n  }\n\n  retryTimedOutBoundary(boundaryFiber, retryLane);\n} // Computes the next Just Noticeable Difference (JND) boundary.\n// The theory is that a person can't tell the difference between small differences in time.\n// Therefore, if we wait a bit longer than necessary that won't translate to a noticeable\n// difference in the experience. However, waiting for longer might mean that we can avoid\n// showing an intermediate loading state. The longer we have already waited, the harder it\n// is to tell small differences in time. Therefore, the longer we've already waited,\n// the longer we can wait additionally. At some point we have to give up though.\n// We pick a train model where the next boundary commits at a consistent schedule.\n// These particular numbers are vague estimates. We expect to adjust them based on research.\n\nfunction jnd(timeElapsed) {\n  return timeElapsed < 120 ? 120 : timeElapsed < 480 ? 480 : timeElapsed < 1080 ? 1080 : timeElapsed < 1920 ? 1920 : timeElapsed < 3000 ? 3000 : timeElapsed < 4320 ? 4320 : ceil(timeElapsed / 1960) * 1960;\n}\n\nfunction checkForNestedUpdates() {\n  if (nestedUpdateCount > NESTED_UPDATE_LIMIT) {\n    nestedUpdateCount = 0;\n    rootWithNestedUpdates = null;\n    throw new Error('Maximum update depth exceeded. This can happen when a component ' + 'repeatedly calls setState inside componentWillUpdate or ' + 'componentDidUpdate. React limits the number of nested updates to ' + 'prevent infinite loops.');\n  }\n\n  {\n    if (nestedPassiveUpdateCount > NESTED_PASSIVE_UPDATE_LIMIT) {\n      nestedPassiveUpdateCount = 0;\n      rootWithPassiveNestedUpdates = null;\n\n      error('Maximum update depth exceeded. This can happen when a component ' + \"calls setState inside useEffect, but useEffect either doesn't \" + 'have a dependency array, or one of the dependencies changes on ' + 'every render.');\n    }\n  }\n}\n\nfunction flushRenderPhaseStrictModeWarningsInDEV() {\n  {\n    ReactStrictModeWarnings.flushLegacyContextWarning();\n\n    {\n      ReactStrictModeWarnings.flushPendingUnsafeLifecycleWarnings();\n    }\n  }\n}\n\nfunction commitDoubleInvokeEffectsInDEV(fiber, hasPassiveEffects) {\n  {\n    // TODO (StrictEffects) Should we set a marker on the root if it contains strict effects\n    // so we don't traverse unnecessarily? similar to subtreeFlags but just at the root level.\n    // Maybe not a big deal since this is DEV only behavior.\n    setCurrentFiber(fiber);\n    invokeEffectsInDev(fiber, MountLayoutDev, invokeLayoutEffectUnmountInDEV);\n\n    if (hasPassiveEffects) {\n      invokeEffectsInDev(fiber, MountPassiveDev, invokePassiveEffectUnmountInDEV);\n    }\n\n    invokeEffectsInDev(fiber, MountLayoutDev, invokeLayoutEffectMountInDEV);\n\n    if (hasPassiveEffects) {\n      invokeEffectsInDev(fiber, MountPassiveDev, invokePassiveEffectMountInDEV);\n    }\n\n    resetCurrentFiber();\n  }\n}\n\nfunction invokeEffectsInDev(firstChild, fiberFlags, invokeEffectFn) {\n  {\n    // We don't need to re-check StrictEffectsMode here.\n    // This function is only called if that check has already passed.\n    var current = firstChild;\n    var subtreeRoot = null;\n\n    while (current !== null) {\n      var primarySubtreeFlag = current.subtreeFlags & fiberFlags;\n\n      if (current !== subtreeRoot && current.child !== null && primarySubtreeFlag !== NoFlags) {\n        current = current.child;\n      } else {\n        if ((current.flags & fiberFlags) !== NoFlags) {\n          invokeEffectFn(current);\n        }\n\n        if (current.sibling !== null) {\n          current = current.sibling;\n        } else {\n          current = subtreeRoot = current.return;\n        }\n      }\n    }\n  }\n}\n\nvar didWarnStateUpdateForNotYetMountedComponent = null;\nfunction warnAboutUpdateOnNotYetMountedFiberInDEV(fiber) {\n  {\n    if ((executionContext & RenderContext) !== NoContext) {\n      // We let the other warning about render phase updates deal with this one.\n      return;\n    }\n\n    if (!(fiber.mode & ConcurrentMode)) {\n      return;\n    }\n\n    var tag = fiber.tag;\n\n    if (tag !== IndeterminateComponent && tag !== HostRoot && tag !== ClassComponent && tag !== FunctionComponent && tag !== ForwardRef && tag !== MemoComponent && tag !== SimpleMemoComponent) {\n      // Only warn for user-defined components, not internal ones like Suspense.\n      return;\n    } // We show the whole stack but dedupe on the top component's name because\n    // the problematic code almost always lies inside that component.\n\n\n    var componentName = getComponentNameFromFiber(fiber) || 'ReactComponent';\n\n    if (didWarnStateUpdateForNotYetMountedComponent !== null) {\n      if (didWarnStateUpdateForNotYetMountedComponent.has(componentName)) {\n        return;\n      }\n\n      didWarnStateUpdateForNotYetMountedComponent.add(componentName);\n    } else {\n      didWarnStateUpdateForNotYetMountedComponent = new Set([componentName]);\n    }\n\n    var previousFiber = current;\n\n    try {\n      setCurrentFiber(fiber);\n\n      error(\"Can't perform a React state update on a component that hasn't mounted yet. \" + 'This indicates that you have a side-effect in your render function that ' + 'asynchronously later calls tries to update the component. Move this work to ' + 'useEffect instead.');\n    } finally {\n      if (previousFiber) {\n        setCurrentFiber(fiber);\n      } else {\n        resetCurrentFiber();\n      }\n    }\n  }\n}\nvar beginWork$1;\n\n{\n  var dummyFiber = null;\n\n  beginWork$1 = function (current, unitOfWork, lanes) {\n    // If a component throws an error, we replay it again in a synchronously\n    // dispatched event, so that the debugger will treat it as an uncaught\n    // error See ReactErrorUtils for more information.\n    // Before entering the begin phase, copy the work-in-progress onto a dummy\n    // fiber. If beginWork throws, we'll use this to reset the state.\n    var originalWorkInProgressCopy = assignFiberPropertiesInDEV(dummyFiber, unitOfWork);\n\n    try {\n      return beginWork(current, unitOfWork, lanes);\n    } catch (originalError) {\n      if (didSuspendOrErrorWhileHydratingDEV() || originalError !== null && typeof originalError === 'object' && typeof originalError.then === 'function') {\n        // Don't replay promises.\n        // Don't replay errors if we are hydrating and have already suspended or handled an error\n        throw originalError;\n      } // Keep this code in sync with handleError; any changes here must have\n      // corresponding changes there.\n\n\n      resetContextDependencies();\n      resetHooksAfterThrow(); // Don't reset current debug fiber, since we're about to work on the\n      // same fiber again.\n      // Unwind the failed stack frame\n\n      unwindInterruptedWork(current, unitOfWork); // Restore the original properties of the fiber.\n\n      assignFiberPropertiesInDEV(unitOfWork, originalWorkInProgressCopy);\n\n      if ( unitOfWork.mode & ProfileMode) {\n        // Reset the profiler timer.\n        startProfilerTimer(unitOfWork);\n      } // Run beginWork again.\n\n\n      invokeGuardedCallback(null, beginWork, null, current, unitOfWork, lanes);\n\n      if (hasCaughtError()) {\n        var replayError = clearCaughtError();\n\n        if (typeof replayError === 'object' && replayError !== null && replayError._suppressLogging && typeof originalError === 'object' && originalError !== null && !originalError._suppressLogging) {\n          // If suppressed, let the flag carry over to the original error which is the one we'll rethrow.\n          originalError._suppressLogging = true;\n        }\n      } // We always throw the original error in case the second render pass is not idempotent.\n      // This can happen if a memoized function or CommonJS module doesn't throw after first invocation.\n\n\n      throw originalError;\n    }\n  };\n}\n\nvar didWarnAboutUpdateInRender = false;\nvar didWarnAboutUpdateInRenderForAnotherComponent;\n\n{\n  didWarnAboutUpdateInRenderForAnotherComponent = new Set();\n}\n\nfunction warnAboutRenderPhaseUpdatesInDEV(fiber) {\n  {\n    if (isRendering && !getIsUpdatingOpaqueValueInRenderPhaseInDEV()) {\n      switch (fiber.tag) {\n        case FunctionComponent:\n        case ForwardRef:\n        case SimpleMemoComponent:\n          {\n            var renderingComponentName = workInProgress && getComponentNameFromFiber(workInProgress) || 'Unknown'; // Dedupe by the rendering component because it's the one that needs to be fixed.\n\n            var dedupeKey = renderingComponentName;\n\n            if (!didWarnAboutUpdateInRenderForAnotherComponent.has(dedupeKey)) {\n              didWarnAboutUpdateInRenderForAnotherComponent.add(dedupeKey);\n              var setStateComponentName = getComponentNameFromFiber(fiber) || 'Unknown';\n\n              error('Cannot update a component (`%s`) while rendering a ' + 'different component (`%s`). To locate the bad setState() call inside `%s`, ' + 'follow the stack trace as described in https://reactjs.org/link/setstate-in-render', setStateComponentName, renderingComponentName, renderingComponentName);\n            }\n\n            break;\n          }\n\n        case ClassComponent:\n          {\n            if (!didWarnAboutUpdateInRender) {\n              error('Cannot update during an existing state transition (such as ' + 'within `render`). Render methods should be a pure ' + 'function of props and state.');\n\n              didWarnAboutUpdateInRender = true;\n            }\n\n            break;\n          }\n      }\n    }\n  }\n}\n\nfunction restorePendingUpdaters(root, lanes) {\n  {\n    if (isDevToolsPresent) {\n      var memoizedUpdaters = root.memoizedUpdaters;\n      memoizedUpdaters.forEach(function (schedulingFiber) {\n        addFiberToLanesMap(root, schedulingFiber, lanes);\n      }); // This function intentionally does not clear memoized updaters.\n      // Those may still be relevant to the current commit\n      // and a future one (e.g. Suspense).\n    }\n  }\n}\nvar fakeActCallbackNode = {};\n\nfunction scheduleCallback$1(priorityLevel, callback) {\n  {\n    // If we're currently inside an `act` scope, bypass Scheduler and push to\n    // the `act` queue instead.\n    var actQueue = ReactCurrentActQueue$1.current;\n\n    if (actQueue !== null) {\n      actQueue.push(callback);\n      return fakeActCallbackNode;\n    } else {\n      return scheduleCallback(priorityLevel, callback);\n    }\n  }\n}\n\nfunction cancelCallback$1(callbackNode) {\n  if ( callbackNode === fakeActCallbackNode) {\n    return;\n  } // In production, always call Scheduler. This function will be stripped out.\n\n\n  return cancelCallback(callbackNode);\n}\n\nfunction shouldForceFlushFallbacksInDEV() {\n  // Never force flush in production. This function should get stripped out.\n  return  ReactCurrentActQueue$1.current !== null;\n}\n\nfunction warnIfUpdatesNotWrappedWithActDEV(fiber) {\n  {\n    if (fiber.mode & ConcurrentMode) {\n      if (!isConcurrentActEnvironment()) {\n        // Not in an act environment. No need to warn.\n        return;\n      }\n    } else {\n      // Legacy mode has additional cases where we suppress a warning.\n      if (!isLegacyActEnvironment()) {\n        // Not in an act environment. No need to warn.\n        return;\n      }\n\n      if (executionContext !== NoContext) {\n        // Legacy mode doesn't warn if the update is batched, i.e.\n        // batchedUpdates or flushSync.\n        return;\n      }\n\n      if (fiber.tag !== FunctionComponent && fiber.tag !== ForwardRef && fiber.tag !== SimpleMemoComponent) {\n        // For backwards compatibility with pre-hooks code, legacy mode only\n        // warns for updates that originate from a hook.\n        return;\n      }\n    }\n\n    if (ReactCurrentActQueue$1.current === null) {\n      var previousFiber = current;\n\n      try {\n        setCurrentFiber(fiber);\n\n        error('An update to %s inside a test was not wrapped in act(...).\\n\\n' + 'When testing, code that causes React state updates should be ' + 'wrapped into act(...):\\n\\n' + 'act(() => {\\n' + '  /* fire events that update state */\\n' + '});\\n' + '/* assert on the output */\\n\\n' + \"This ensures that you're testing the behavior the user would see \" + 'in the browser.' + ' Learn more at https://reactjs.org/link/wrap-tests-with-act', getComponentNameFromFiber(fiber));\n      } finally {\n        if (previousFiber) {\n          setCurrentFiber(fiber);\n        } else {\n          resetCurrentFiber();\n        }\n      }\n    }\n  }\n}\n\nfunction warnIfSuspenseResolutionNotWrappedWithActDEV(root) {\n  {\n    if (root.tag !== LegacyRoot && isConcurrentActEnvironment() && ReactCurrentActQueue$1.current === null) {\n      error('A suspended resource finished loading inside a test, but the event ' + 'was not wrapped in act(...).\\n\\n' + 'When testing, code that resolves suspended data should be wrapped ' + 'into act(...):\\n\\n' + 'act(() => {\\n' + '  /* finish loading suspended data */\\n' + '});\\n' + '/* assert on the output */\\n\\n' + \"This ensures that you're testing the behavior the user would see \" + 'in the browser.' + ' Learn more at https://reactjs.org/link/wrap-tests-with-act');\n    }\n  }\n}\n\nfunction setIsRunningInsertionEffect(isRunning) {\n  {\n    isRunningInsertionEffect = isRunning;\n  }\n}\n\n/* eslint-disable react-internal/prod-error-codes */\nvar resolveFamily = null; // $FlowFixMe Flow gets confused by a WeakSet feature check below.\n\nvar failedBoundaries = null;\nvar setRefreshHandler = function (handler) {\n  {\n    resolveFamily = handler;\n  }\n};\nfunction resolveFunctionForHotReloading(type) {\n  {\n    if (resolveFamily === null) {\n      // Hot reloading is disabled.\n      return type;\n    }\n\n    var family = resolveFamily(type);\n\n    if (family === undefined) {\n      return type;\n    } // Use the latest known implementation.\n\n\n    return family.current;\n  }\n}\nfunction resolveClassForHotReloading(type) {\n  // No implementation differences.\n  return resolveFunctionForHotReloading(type);\n}\nfunction resolveForwardRefForHotReloading(type) {\n  {\n    if (resolveFamily === null) {\n      // Hot reloading is disabled.\n      return type;\n    }\n\n    var family = resolveFamily(type);\n\n    if (family === undefined) {\n      // Check if we're dealing with a real forwardRef. Don't want to crash early.\n      if (type !== null && type !== undefined && typeof type.render === 'function') {\n        // ForwardRef is special because its resolved .type is an object,\n        // but it's possible that we only have its inner render function in the map.\n        // If that inner render function is different, we'll build a new forwardRef type.\n        var currentRender = resolveFunctionForHotReloading(type.render);\n\n        if (type.render !== currentRender) {\n          var syntheticType = {\n            $$typeof: REACT_FORWARD_REF_TYPE,\n            render: currentRender\n          };\n\n          if (type.displayName !== undefined) {\n            syntheticType.displayName = type.displayName;\n          }\n\n          return syntheticType;\n        }\n      }\n\n      return type;\n    } // Use the latest known implementation.\n\n\n    return family.current;\n  }\n}\nfunction isCompatibleFamilyForHotReloading(fiber, element) {\n  {\n    if (resolveFamily === null) {\n      // Hot reloading is disabled.\n      return false;\n    }\n\n    var prevType = fiber.elementType;\n    var nextType = element.type; // If we got here, we know types aren't === equal.\n\n    var needsCompareFamilies = false;\n    var $$typeofNextType = typeof nextType === 'object' && nextType !== null ? nextType.$$typeof : null;\n\n    switch (fiber.tag) {\n      case ClassComponent:\n        {\n          if (typeof nextType === 'function') {\n            needsCompareFamilies = true;\n          }\n\n          break;\n        }\n\n      case FunctionComponent:\n        {\n          if (typeof nextType === 'function') {\n            needsCompareFamilies = true;\n          } else if ($$typeofNextType === REACT_LAZY_TYPE) {\n            // We don't know the inner type yet.\n            // We're going to assume that the lazy inner type is stable,\n            // and so it is sufficient to avoid reconciling it away.\n            // We're not going to unwrap or actually use the new lazy type.\n            needsCompareFamilies = true;\n          }\n\n          break;\n        }\n\n      case ForwardRef:\n        {\n          if ($$typeofNextType === REACT_FORWARD_REF_TYPE) {\n            needsCompareFamilies = true;\n          } else if ($$typeofNextType === REACT_LAZY_TYPE) {\n            needsCompareFamilies = true;\n          }\n\n          break;\n        }\n\n      case MemoComponent:\n      case SimpleMemoComponent:\n        {\n          if ($$typeofNextType === REACT_MEMO_TYPE) {\n            // TODO: if it was but can no longer be simple,\n            // we shouldn't set this.\n            needsCompareFamilies = true;\n          } else if ($$typeofNextType === REACT_LAZY_TYPE) {\n            needsCompareFamilies = true;\n          }\n\n          break;\n        }\n\n      default:\n        return false;\n    } // Check if both types have a family and it's the same one.\n\n\n    if (needsCompareFamilies) {\n      // Note: memo() and forwardRef() we'll compare outer rather than inner type.\n      // This means both of them need to be registered to preserve state.\n      // If we unwrapped and compared the inner types for wrappers instead,\n      // then we would risk falsely saying two separate memo(Foo)\n      // calls are equivalent because they wrap the same Foo function.\n      var prevFamily = resolveFamily(prevType);\n\n      if (prevFamily !== undefined && prevFamily === resolveFamily(nextType)) {\n        return true;\n      }\n    }\n\n    return false;\n  }\n}\nfunction markFailedErrorBoundaryForHotReloading(fiber) {\n  {\n    if (resolveFamily === null) {\n      // Hot reloading is disabled.\n      return;\n    }\n\n    if (typeof WeakSet !== 'function') {\n      return;\n    }\n\n    if (failedBoundaries === null) {\n      failedBoundaries = new WeakSet();\n    }\n\n    failedBoundaries.add(fiber);\n  }\n}\nvar scheduleRefresh = function (root, update) {\n  {\n    if (resolveFamily === null) {\n      // Hot reloading is disabled.\n      return;\n    }\n\n    var staleFamilies = update.staleFamilies,\n        updatedFamilies = update.updatedFamilies;\n    flushPassiveEffects();\n    flushSync(function () {\n      scheduleFibersWithFamiliesRecursively(root.current, updatedFamilies, staleFamilies);\n    });\n  }\n};\nvar scheduleRoot = function (root, element) {\n  {\n    if (root.context !== emptyContextObject) {\n      // Super edge case: root has a legacy _renderSubtree context\n      // but we don't know the parentComponent so we can't pass it.\n      // Just ignore. We'll delete this with _renderSubtree code path later.\n      return;\n    }\n\n    flushPassiveEffects();\n    flushSync(function () {\n      updateContainer(element, root, null, null);\n    });\n  }\n};\n\nfunction scheduleFibersWithFamiliesRecursively(fiber, updatedFamilies, staleFamilies) {\n  {\n    var alternate = fiber.alternate,\n        child = fiber.child,\n        sibling = fiber.sibling,\n        tag = fiber.tag,\n        type = fiber.type;\n    var candidateType = null;\n\n    switch (tag) {\n      case FunctionComponent:\n      case SimpleMemoComponent:\n      case ClassComponent:\n        candidateType = type;\n        break;\n\n      case ForwardRef:\n        candidateType = type.render;\n        break;\n    }\n\n    if (resolveFamily === null) {\n      throw new Error('Expected resolveFamily to be set during hot reload.');\n    }\n\n    var needsRender = false;\n    var needsRemount = false;\n\n    if (candidateType !== null) {\n      var family = resolveFamily(candidateType);\n\n      if (family !== undefined) {\n        if (staleFamilies.has(family)) {\n          needsRemount = true;\n        } else if (updatedFamilies.has(family)) {\n          if (tag === ClassComponent) {\n            needsRemount = true;\n          } else {\n            needsRender = true;\n          }\n        }\n      }\n    }\n\n    if (failedBoundaries !== null) {\n      if (failedBoundaries.has(fiber) || alternate !== null && failedBoundaries.has(alternate)) {\n        needsRemount = true;\n      }\n    }\n\n    if (needsRemount) {\n      fiber._debugNeedsRemount = true;\n    }\n\n    if (needsRemount || needsRender) {\n      var _root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n      if (_root !== null) {\n        scheduleUpdateOnFiber(_root, fiber, SyncLane, NoTimestamp);\n      }\n    }\n\n    if (child !== null && !needsRemount) {\n      scheduleFibersWithFamiliesRecursively(child, updatedFamilies, staleFamilies);\n    }\n\n    if (sibling !== null) {\n      scheduleFibersWithFamiliesRecursively(sibling, updatedFamilies, staleFamilies);\n    }\n  }\n}\n\nvar findHostInstancesForRefresh = function (root, families) {\n  {\n    var hostInstances = new Set();\n    var types = new Set(families.map(function (family) {\n      return family.current;\n    }));\n    findHostInstancesForMatchingFibersRecursively(root.current, types, hostInstances);\n    return hostInstances;\n  }\n};\n\nfunction findHostInstancesForMatchingFibersRecursively(fiber, types, hostInstances) {\n  {\n    var child = fiber.child,\n        sibling = fiber.sibling,\n        tag = fiber.tag,\n        type = fiber.type;\n    var candidateType = null;\n\n    switch (tag) {\n      case FunctionComponent:\n      case SimpleMemoComponent:\n      case ClassComponent:\n        candidateType = type;\n        break;\n\n      case ForwardRef:\n        candidateType = type.render;\n        break;\n    }\n\n    var didMatch = false;\n\n    if (candidateType !== null) {\n      if (types.has(candidateType)) {\n        didMatch = true;\n      }\n    }\n\n    if (didMatch) {\n      // We have a match. This only drills down to the closest host components.\n      // There's no need to search deeper because for the purpose of giving\n      // visual feedback, \"flashing\" outermost parent rectangles is sufficient.\n      findHostInstancesForFiberShallowly(fiber, hostInstances);\n    } else {\n      // If there's no match, maybe there will be one further down in the child tree.\n      if (child !== null) {\n        findHostInstancesForMatchingFibersRecursively(child, types, hostInstances);\n      }\n    }\n\n    if (sibling !== null) {\n      findHostInstancesForMatchingFibersRecursively(sibling, types, hostInstances);\n    }\n  }\n}\n\nfunction findHostInstancesForFiberShallowly(fiber, hostInstances) {\n  {\n    var foundHostInstances = findChildHostInstancesForFiberShallowly(fiber, hostInstances);\n\n    if (foundHostInstances) {\n      return;\n    } // If we didn't find any host children, fallback to closest host parent.\n\n\n    var node = fiber;\n\n    while (true) {\n      switch (node.tag) {\n        case HostComponent:\n          hostInstances.add(node.stateNode);\n          return;\n\n        case HostPortal:\n          hostInstances.add(node.stateNode.containerInfo);\n          return;\n\n        case HostRoot:\n          hostInstances.add(node.stateNode.containerInfo);\n          return;\n      }\n\n      if (node.return === null) {\n        throw new Error('Expected to reach root first.');\n      }\n\n      node = node.return;\n    }\n  }\n}\n\nfunction findChildHostInstancesForFiberShallowly(fiber, hostInstances) {\n  {\n    var node = fiber;\n    var foundHostInstances = false;\n\n    while (true) {\n      if (node.tag === HostComponent) {\n        // We got a match.\n        foundHostInstances = true;\n        hostInstances.add(node.stateNode); // There may still be more, so keep searching.\n      } else if (node.child !== null) {\n        node.child.return = node;\n        node = node.child;\n        continue;\n      }\n\n      if (node === fiber) {\n        return foundHostInstances;\n      }\n\n      while (node.sibling === null) {\n        if (node.return === null || node.return === fiber) {\n          return foundHostInstances;\n        }\n\n        node = node.return;\n      }\n\n      node.sibling.return = node.return;\n      node = node.sibling;\n    }\n  }\n\n  return false;\n}\n\nvar hasBadMapPolyfill;\n\n{\n  hasBadMapPolyfill = false;\n\n  try {\n    var nonExtensibleObject = Object.preventExtensions({});\n    /* eslint-disable no-new */\n\n    new Map([[nonExtensibleObject, null]]);\n    new Set([nonExtensibleObject]);\n    /* eslint-enable no-new */\n  } catch (e) {\n    // TODO: Consider warning about bad polyfills\n    hasBadMapPolyfill = true;\n  }\n}\n\nfunction FiberNode(tag, pendingProps, key, mode) {\n  // Instance\n  this.tag = tag;\n  this.key = key;\n  this.elementType = null;\n  this.type = null;\n  this.stateNode = null; // Fiber\n\n  this.return = null;\n  this.child = null;\n  this.sibling = null;\n  this.index = 0;\n  this.ref = null;\n  this.pendingProps = pendingProps;\n  this.memoizedProps = null;\n  this.updateQueue = null;\n  this.memoizedState = null;\n  this.dependencies = null;\n  this.mode = mode; // Effects\n\n  this.flags = NoFlags;\n  this.subtreeFlags = NoFlags;\n  this.deletions = null;\n  this.lanes = NoLanes;\n  this.childLanes = NoLanes;\n  this.alternate = null;\n\n  {\n    // Note: The following is done to avoid a v8 performance cliff.\n    //\n    // Initializing the fields below to smis and later updating them with\n    // double values will cause Fibers to end up having separate shapes.\n    // This behavior/bug has something to do with Object.preventExtension().\n    // Fortunately this only impacts DEV builds.\n    // Unfortunately it makes React unusably slow for some applications.\n    // To work around this, initialize the fields below with doubles.\n    //\n    // Learn more about this here:\n    // https://github.com/facebook/react/issues/14365\n    // https://bugs.chromium.org/p/v8/issues/detail?id=8538\n    this.actualDuration = Number.NaN;\n    this.actualStartTime = Number.NaN;\n    this.selfBaseDuration = Number.NaN;\n    this.treeBaseDuration = Number.NaN; // It's okay to replace the initial doubles with smis after initialization.\n    // This won't trigger the performance cliff mentioned above,\n    // and it simplifies other profiler code (including DevTools).\n\n    this.actualDuration = 0;\n    this.actualStartTime = -1;\n    this.selfBaseDuration = 0;\n    this.treeBaseDuration = 0;\n  }\n\n  {\n    // This isn't directly used but is handy for debugging internals:\n    this._debugSource = null;\n    this._debugOwner = null;\n    this._debugNeedsRemount = false;\n    this._debugHookTypes = null;\n\n    if (!hasBadMapPolyfill && typeof Object.preventExtensions === 'function') {\n      Object.preventExtensions(this);\n    }\n  }\n} // This is a constructor function, rather than a POJO constructor, still\n// please ensure we do the following:\n// 1) Nobody should add any instance methods on this. Instance methods can be\n//    more difficult to predict when they get optimized and they are almost\n//    never inlined properly in static compilers.\n// 2) Nobody should rely on `instanceof Fiber` for type testing. We should\n//    always know when it is a fiber.\n// 3) We might want to experiment with using numeric keys since they are easier\n//    to optimize in a non-JIT environment.\n// 4) We can easily go from a constructor to a createFiber object literal if that\n//    is faster.\n// 5) It should be easy to port this to a C struct and keep a C implementation\n//    compatible.\n\n\nvar createFiber = function (tag, pendingProps, key, mode) {\n  // $FlowFixMe: the shapes are exact here but Flow doesn't like constructors\n  return new FiberNode(tag, pendingProps, key, mode);\n};\n\nfunction shouldConstruct$1(Component) {\n  var prototype = Component.prototype;\n  return !!(prototype && prototype.isReactComponent);\n}\n\nfunction isSimpleFunctionComponent(type) {\n  return typeof type === 'function' && !shouldConstruct$1(type) && type.defaultProps === undefined;\n}\nfunction resolveLazyComponentTag(Component) {\n  if (typeof Component === 'function') {\n    return shouldConstruct$1(Component) ? ClassComponent : FunctionComponent;\n  } else if (Component !== undefined && Component !== null) {\n    var $$typeof = Component.$$typeof;\n\n    if ($$typeof === REACT_FORWARD_REF_TYPE) {\n      return ForwardRef;\n    }\n\n    if ($$typeof === REACT_MEMO_TYPE) {\n      return MemoComponent;\n    }\n  }\n\n  return IndeterminateComponent;\n} // This is used to create an alternate fiber to do work on.\n\nfunction createWorkInProgress(current, pendingProps) {\n  var workInProgress = current.alternate;\n\n  if (workInProgress === null) {\n    // We use a double buffering pooling technique because we know that we'll\n    // only ever need at most two versions of a tree. We pool the \"other\" unused\n    // node that we're free to reuse. This is lazily created to avoid allocating\n    // extra objects for things that are never updated. It also allow us to\n    // reclaim the extra memory if needed.\n    workInProgress = createFiber(current.tag, pendingProps, current.key, current.mode);\n    workInProgress.elementType = current.elementType;\n    workInProgress.type = current.type;\n    workInProgress.stateNode = current.stateNode;\n\n    {\n      // DEV-only fields\n      workInProgress._debugSource = current._debugSource;\n      workInProgress._debugOwner = current._debugOwner;\n      workInProgress._debugHookTypes = current._debugHookTypes;\n    }\n\n    workInProgress.alternate = current;\n    current.alternate = workInProgress;\n  } else {\n    workInProgress.pendingProps = pendingProps; // Needed because Blocks store data on type.\n\n    workInProgress.type = current.type; // We already have an alternate.\n    // Reset the effect tag.\n\n    workInProgress.flags = NoFlags; // The effects are no longer valid.\n\n    workInProgress.subtreeFlags = NoFlags;\n    workInProgress.deletions = null;\n\n    {\n      // We intentionally reset, rather than copy, actualDuration & actualStartTime.\n      // This prevents time from endlessly accumulating in new commits.\n      // This has the downside of resetting values for different priority renders,\n      // But works for yielding (the common case) and should support resuming.\n      workInProgress.actualDuration = 0;\n      workInProgress.actualStartTime = -1;\n    }\n  } // Reset all effects except static ones.\n  // Static effects are not specific to a render.\n\n\n  workInProgress.flags = current.flags & StaticMask;\n  workInProgress.childLanes = current.childLanes;\n  workInProgress.lanes = current.lanes;\n  workInProgress.child = current.child;\n  workInProgress.memoizedProps = current.memoizedProps;\n  workInProgress.memoizedState = current.memoizedState;\n  workInProgress.updateQueue = current.updateQueue; // Clone the dependencies object. This is mutated during the render phase, so\n  // it cannot be shared with the current fiber.\n\n  var currentDependencies = current.dependencies;\n  workInProgress.dependencies = currentDependencies === null ? null : {\n    lanes: currentDependencies.lanes,\n    firstContext: currentDependencies.firstContext\n  }; // These will be overridden during the parent's reconciliation\n\n  workInProgress.sibling = current.sibling;\n  workInProgress.index = current.index;\n  workInProgress.ref = current.ref;\n\n  {\n    workInProgress.selfBaseDuration = current.selfBaseDuration;\n    workInProgress.treeBaseDuration = current.treeBaseDuration;\n  }\n\n  {\n    workInProgress._debugNeedsRemount = current._debugNeedsRemount;\n\n    switch (workInProgress.tag) {\n      case IndeterminateComponent:\n      case FunctionComponent:\n      case SimpleMemoComponent:\n        workInProgress.type = resolveFunctionForHotReloading(current.type);\n        break;\n\n      case ClassComponent:\n        workInProgress.type = resolveClassForHotReloading(current.type);\n        break;\n\n      case ForwardRef:\n        workInProgress.type = resolveForwardRefForHotReloading(current.type);\n        break;\n    }\n  }\n\n  return workInProgress;\n} // Used to reuse a Fiber for a second pass.\n\nfunction resetWorkInProgress(workInProgress, renderLanes) {\n  // This resets the Fiber to what createFiber or createWorkInProgress would\n  // have set the values to before during the first pass. Ideally this wouldn't\n  // be necessary but unfortunately many code paths reads from the workInProgress\n  // when they should be reading from current and writing to workInProgress.\n  // We assume pendingProps, index, key, ref, return are still untouched to\n  // avoid doing another reconciliation.\n  // Reset the effect flags but keep any Placement tags, since that's something\n  // that child fiber is setting, not the reconciliation.\n  workInProgress.flags &= StaticMask | Placement; // The effects are no longer valid.\n\n  var current = workInProgress.alternate;\n\n  if (current === null) {\n    // Reset to createFiber's initial values.\n    workInProgress.childLanes = NoLanes;\n    workInProgress.lanes = renderLanes;\n    workInProgress.child = null;\n    workInProgress.subtreeFlags = NoFlags;\n    workInProgress.memoizedProps = null;\n    workInProgress.memoizedState = null;\n    workInProgress.updateQueue = null;\n    workInProgress.dependencies = null;\n    workInProgress.stateNode = null;\n\n    {\n      // Note: We don't reset the actualTime counts. It's useful to accumulate\n      // actual time across multiple render passes.\n      workInProgress.selfBaseDuration = 0;\n      workInProgress.treeBaseDuration = 0;\n    }\n  } else {\n    // Reset to the cloned values that createWorkInProgress would've.\n    workInProgress.childLanes = current.childLanes;\n    workInProgress.lanes = current.lanes;\n    workInProgress.child = current.child;\n    workInProgress.subtreeFlags = NoFlags;\n    workInProgress.deletions = null;\n    workInProgress.memoizedProps = current.memoizedProps;\n    workInProgress.memoizedState = current.memoizedState;\n    workInProgress.updateQueue = current.updateQueue; // Needed because Blocks store data on type.\n\n    workInProgress.type = current.type; // Clone the dependencies object. This is mutated during the render phase, so\n    // it cannot be shared with the current fiber.\n\n    var currentDependencies = current.dependencies;\n    workInProgress.dependencies = currentDependencies === null ? null : {\n      lanes: currentDependencies.lanes,\n      firstContext: currentDependencies.firstContext\n    };\n\n    {\n      // Note: We don't reset the actualTime counts. It's useful to accumulate\n      // actual time across multiple render passes.\n      workInProgress.selfBaseDuration = current.selfBaseDuration;\n      workInProgress.treeBaseDuration = current.treeBaseDuration;\n    }\n  }\n\n  return workInProgress;\n}\nfunction createHostRootFiber(tag, isStrictMode, concurrentUpdatesByDefaultOverride) {\n  var mode;\n\n  if (tag === ConcurrentRoot) {\n    mode = ConcurrentMode;\n\n    if (isStrictMode === true) {\n      mode |= StrictLegacyMode;\n\n      {\n        mode |= StrictEffectsMode;\n      }\n    }\n  } else {\n    mode = NoMode;\n  }\n\n  if ( isDevToolsPresent) {\n    // Always collect profile timings when DevTools are present.\n    // This enables DevTools to start capturing timing at any point–\n    // Without some nodes in the tree having empty base times.\n    mode |= ProfileMode;\n  }\n\n  return createFiber(HostRoot, null, null, mode);\n}\nfunction createFiberFromTypeAndProps(type, // React$ElementType\nkey, pendingProps, owner, mode, lanes) {\n  var fiberTag = IndeterminateComponent; // The resolved type is set if we know what the final type will be. I.e. it's not lazy.\n\n  var resolvedType = type;\n\n  if (typeof type === 'function') {\n    if (shouldConstruct$1(type)) {\n      fiberTag = ClassComponent;\n\n      {\n        resolvedType = resolveClassForHotReloading(resolvedType);\n      }\n    } else {\n      {\n        resolvedType = resolveFunctionForHotReloading(resolvedType);\n      }\n    }\n  } else if (typeof type === 'string') {\n    fiberTag = HostComponent;\n  } else {\n    getTag: switch (type) {\n      case REACT_FRAGMENT_TYPE:\n        return createFiberFromFragment(pendingProps.children, mode, lanes, key);\n\n      case REACT_STRICT_MODE_TYPE:\n        fiberTag = Mode;\n        mode |= StrictLegacyMode;\n\n        if ( (mode & ConcurrentMode) !== NoMode) {\n          // Strict effects should never run on legacy roots\n          mode |= StrictEffectsMode;\n        }\n\n        break;\n\n      case REACT_PROFILER_TYPE:\n        return createFiberFromProfiler(pendingProps, mode, lanes, key);\n\n      case REACT_SUSPENSE_TYPE:\n        return createFiberFromSuspense(pendingProps, mode, lanes, key);\n\n      case REACT_SUSPENSE_LIST_TYPE:\n        return createFiberFromSuspenseList(pendingProps, mode, lanes, key);\n\n      case REACT_OFFSCREEN_TYPE:\n        return createFiberFromOffscreen(pendingProps, mode, lanes, key);\n\n      case REACT_LEGACY_HIDDEN_TYPE:\n\n      // eslint-disable-next-line no-fallthrough\n\n      case REACT_SCOPE_TYPE:\n\n      // eslint-disable-next-line no-fallthrough\n\n      case REACT_CACHE_TYPE:\n\n      // eslint-disable-next-line no-fallthrough\n\n      case REACT_TRACING_MARKER_TYPE:\n\n      // eslint-disable-next-line no-fallthrough\n\n      case REACT_DEBUG_TRACING_MODE_TYPE:\n\n      // eslint-disable-next-line no-fallthrough\n\n      default:\n        {\n          if (typeof type === 'object' && type !== null) {\n            switch (type.$$typeof) {\n              case REACT_PROVIDER_TYPE:\n                fiberTag = ContextProvider;\n                break getTag;\n\n              case REACT_CONTEXT_TYPE:\n                // This is a consumer\n                fiberTag = ContextConsumer;\n                break getTag;\n\n              case REACT_FORWARD_REF_TYPE:\n                fiberTag = ForwardRef;\n\n                {\n                  resolvedType = resolveForwardRefForHotReloading(resolvedType);\n                }\n\n                break getTag;\n\n              case REACT_MEMO_TYPE:\n                fiberTag = MemoComponent;\n                break getTag;\n\n              case REACT_LAZY_TYPE:\n                fiberTag = LazyComponent;\n                resolvedType = null;\n                break getTag;\n            }\n          }\n\n          var info = '';\n\n          {\n            if (type === undefined || typeof type === 'object' && type !== null && Object.keys(type).length === 0) {\n              info += ' You likely forgot to export your component from the file ' + \"it's defined in, or you might have mixed up default and \" + 'named imports.';\n            }\n\n            var ownerName = owner ? getComponentNameFromFiber(owner) : null;\n\n            if (ownerName) {\n              info += '\\n\\nCheck the render method of `' + ownerName + '`.';\n            }\n          }\n\n          throw new Error('Element type is invalid: expected a string (for built-in ' + 'components) or a class/function (for composite components) ' + (\"but got: \" + (type == null ? type : typeof type) + \".\" + info));\n        }\n    }\n  }\n\n  var fiber = createFiber(fiberTag, pendingProps, key, mode);\n  fiber.elementType = type;\n  fiber.type = resolvedType;\n  fiber.lanes = lanes;\n\n  {\n    fiber._debugOwner = owner;\n  }\n\n  return fiber;\n}\nfunction createFiberFromElement(element, mode, lanes) {\n  var owner = null;\n\n  {\n    owner = element._owner;\n  }\n\n  var type = element.type;\n  var key = element.key;\n  var pendingProps = element.props;\n  var fiber = createFiberFromTypeAndProps(type, key, pendingProps, owner, mode, lanes);\n\n  {\n    fiber._debugSource = element._source;\n    fiber._debugOwner = element._owner;\n  }\n\n  return fiber;\n}\nfunction createFiberFromFragment(elements, mode, lanes, key) {\n  var fiber = createFiber(Fragment, elements, key, mode);\n  fiber.lanes = lanes;\n  return fiber;\n}\n\nfunction createFiberFromProfiler(pendingProps, mode, lanes, key) {\n  {\n    if (typeof pendingProps.id !== 'string') {\n      error('Profiler must specify an \"id\" of type `string` as a prop. Received the type `%s` instead.', typeof pendingProps.id);\n    }\n  }\n\n  var fiber = createFiber(Profiler, pendingProps, key, mode | ProfileMode);\n  fiber.elementType = REACT_PROFILER_TYPE;\n  fiber.lanes = lanes;\n\n  {\n    fiber.stateNode = {\n      effectDuration: 0,\n      passiveEffectDuration: 0\n    };\n  }\n\n  return fiber;\n}\n\nfunction createFiberFromSuspense(pendingProps, mode, lanes, key) {\n  var fiber = createFiber(SuspenseComponent, pendingProps, key, mode);\n  fiber.elementType = REACT_SUSPENSE_TYPE;\n  fiber.lanes = lanes;\n  return fiber;\n}\nfunction createFiberFromSuspenseList(pendingProps, mode, lanes, key) {\n  var fiber = createFiber(SuspenseListComponent, pendingProps, key, mode);\n  fiber.elementType = REACT_SUSPENSE_LIST_TYPE;\n  fiber.lanes = lanes;\n  return fiber;\n}\nfunction createFiberFromOffscreen(pendingProps, mode, lanes, key) {\n  var fiber = createFiber(OffscreenComponent, pendingProps, key, mode);\n  fiber.elementType = REACT_OFFSCREEN_TYPE;\n  fiber.lanes = lanes;\n  var primaryChildInstance = {\n    isHidden: false\n  };\n  fiber.stateNode = primaryChildInstance;\n  return fiber;\n}\nfunction createFiberFromText(content, mode, lanes) {\n  var fiber = createFiber(HostText, content, null, mode);\n  fiber.lanes = lanes;\n  return fiber;\n}\nfunction createFiberFromHostInstanceForDeletion() {\n  var fiber = createFiber(HostComponent, null, null, NoMode);\n  fiber.elementType = 'DELETED';\n  return fiber;\n}\nfunction createFiberFromDehydratedFragment(dehydratedNode) {\n  var fiber = createFiber(DehydratedFragment, null, null, NoMode);\n  fiber.stateNode = dehydratedNode;\n  return fiber;\n}\nfunction createFiberFromPortal(portal, mode, lanes) {\n  var pendingProps = portal.children !== null ? portal.children : [];\n  var fiber = createFiber(HostPortal, pendingProps, portal.key, mode);\n  fiber.lanes = lanes;\n  fiber.stateNode = {\n    containerInfo: portal.containerInfo,\n    pendingChildren: null,\n    // Used by persistent updates\n    implementation: portal.implementation\n  };\n  return fiber;\n} // Used for stashing WIP properties to replay failed work in DEV.\n\nfunction assignFiberPropertiesInDEV(target, source) {\n  if (target === null) {\n    // This Fiber's initial properties will always be overwritten.\n    // We only use a Fiber to ensure the same hidden class so DEV isn't slow.\n    target = createFiber(IndeterminateComponent, null, null, NoMode);\n  } // This is intentionally written as a list of all properties.\n  // We tried to use Object.assign() instead but this is called in\n  // the hottest path, and Object.assign() was too slow:\n  // https://github.com/facebook/react/issues/12502\n  // This code is DEV-only so size is not a concern.\n\n\n  target.tag = source.tag;\n  target.key = source.key;\n  target.elementType = source.elementType;\n  target.type = source.type;\n  target.stateNode = source.stateNode;\n  target.return = source.return;\n  target.child = source.child;\n  target.sibling = source.sibling;\n  target.index = source.index;\n  target.ref = source.ref;\n  target.pendingProps = source.pendingProps;\n  target.memoizedProps = source.memoizedProps;\n  target.updateQueue = source.updateQueue;\n  target.memoizedState = source.memoizedState;\n  target.dependencies = source.dependencies;\n  target.mode = source.mode;\n  target.flags = source.flags;\n  target.subtreeFlags = source.subtreeFlags;\n  target.deletions = source.deletions;\n  target.lanes = source.lanes;\n  target.childLanes = source.childLanes;\n  target.alternate = source.alternate;\n\n  {\n    target.actualDuration = source.actualDuration;\n    target.actualStartTime = source.actualStartTime;\n    target.selfBaseDuration = source.selfBaseDuration;\n    target.treeBaseDuration = source.treeBaseDuration;\n  }\n\n  target._debugSource = source._debugSource;\n  target._debugOwner = source._debugOwner;\n  target._debugNeedsRemount = source._debugNeedsRemount;\n  target._debugHookTypes = source._debugHookTypes;\n  return target;\n}\n\nfunction FiberRootNode(containerInfo, tag, hydrate, identifierPrefix, onRecoverableError) {\n  this.tag = tag;\n  this.containerInfo = containerInfo;\n  this.pendingChildren = null;\n  this.current = null;\n  this.pingCache = null;\n  this.finishedWork = null;\n  this.timeoutHandle = noTimeout;\n  this.context = null;\n  this.pendingContext = null;\n  this.callbackNode = null;\n  this.callbackPriority = NoLane;\n  this.eventTimes = createLaneMap(NoLanes);\n  this.expirationTimes = createLaneMap(NoTimestamp);\n  this.pendingLanes = NoLanes;\n  this.suspendedLanes = NoLanes;\n  this.pingedLanes = NoLanes;\n  this.expiredLanes = NoLanes;\n  this.mutableReadLanes = NoLanes;\n  this.finishedLanes = NoLanes;\n  this.entangledLanes = NoLanes;\n  this.entanglements = createLaneMap(NoLanes);\n  this.identifierPrefix = identifierPrefix;\n  this.onRecoverableError = onRecoverableError;\n\n  {\n    this.mutableSourceEagerHydrationData = null;\n  }\n\n  {\n    this.effectDuration = 0;\n    this.passiveEffectDuration = 0;\n  }\n\n  {\n    this.memoizedUpdaters = new Set();\n    var pendingUpdatersLaneMap = this.pendingUpdatersLaneMap = [];\n\n    for (var _i = 0; _i < TotalLanes; _i++) {\n      pendingUpdatersLaneMap.push(new Set());\n    }\n  }\n\n  {\n    switch (tag) {\n      case ConcurrentRoot:\n        this._debugRootType = hydrate ? 'hydrateRoot()' : 'createRoot()';\n        break;\n\n      case LegacyRoot:\n        this._debugRootType = hydrate ? 'hydrate()' : 'render()';\n        break;\n    }\n  }\n}\n\nfunction createFiberRoot(containerInfo, tag, hydrate, initialChildren, hydrationCallbacks, isStrictMode, concurrentUpdatesByDefaultOverride, // TODO: We have several of these arguments that are conceptually part of the\n// host config, but because they are passed in at runtime, we have to thread\n// them through the root constructor. Perhaps we should put them all into a\n// single type, like a DynamicHostConfig that is defined by the renderer.\nidentifierPrefix, onRecoverableError, transitionCallbacks) {\n  var root = new FiberRootNode(containerInfo, tag, hydrate, identifierPrefix, onRecoverableError);\n  // stateNode is any.\n\n\n  var uninitializedFiber = createHostRootFiber(tag, isStrictMode);\n  root.current = uninitializedFiber;\n  uninitializedFiber.stateNode = root;\n\n  {\n    var _initialState = {\n      element: initialChildren,\n      isDehydrated: hydrate,\n      cache: null,\n      // not enabled yet\n      transitions: null,\n      pendingSuspenseBoundaries: null\n    };\n    uninitializedFiber.memoizedState = _initialState;\n  }\n\n  initializeUpdateQueue(uninitializedFiber);\n  return root;\n}\n\nvar ReactVersion = '18.3.1';\n\nfunction createPortal(children, containerInfo, // TODO: figure out the API for cross-renderer implementation.\nimplementation) {\n  var key = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : null;\n\n  {\n    checkKeyStringCoercion(key);\n  }\n\n  return {\n    // This tag allow us to uniquely identify this as a React Portal\n    $$typeof: REACT_PORTAL_TYPE,\n    key: key == null ? null : '' + key,\n    children: children,\n    containerInfo: containerInfo,\n    implementation: implementation\n  };\n}\n\nvar didWarnAboutNestedUpdates;\nvar didWarnAboutFindNodeInStrictMode;\n\n{\n  didWarnAboutNestedUpdates = false;\n  didWarnAboutFindNodeInStrictMode = {};\n}\n\nfunction getContextForSubtree(parentComponent) {\n  if (!parentComponent) {\n    return emptyContextObject;\n  }\n\n  var fiber = get(parentComponent);\n  var parentContext = findCurrentUnmaskedContext(fiber);\n\n  if (fiber.tag === ClassComponent) {\n    var Component = fiber.type;\n\n    if (isContextProvider(Component)) {\n      return processChildContext(fiber, Component, parentContext);\n    }\n  }\n\n  return parentContext;\n}\n\nfunction findHostInstanceWithWarning(component, methodName) {\n  {\n    var fiber = get(component);\n\n    if (fiber === undefined) {\n      if (typeof component.render === 'function') {\n        throw new Error('Unable to find node on an unmounted component.');\n      } else {\n        var keys = Object.keys(component).join(',');\n        throw new Error(\"Argument appears to not be a ReactComponent. Keys: \" + keys);\n      }\n    }\n\n    var hostFiber = findCurrentHostFiber(fiber);\n\n    if (hostFiber === null) {\n      return null;\n    }\n\n    if (hostFiber.mode & StrictLegacyMode) {\n      var componentName = getComponentNameFromFiber(fiber) || 'Component';\n\n      if (!didWarnAboutFindNodeInStrictMode[componentName]) {\n        didWarnAboutFindNodeInStrictMode[componentName] = true;\n        var previousFiber = current;\n\n        try {\n          setCurrentFiber(hostFiber);\n\n          if (fiber.mode & StrictLegacyMode) {\n            error('%s is deprecated in StrictMode. ' + '%s was passed an instance of %s which is inside StrictMode. ' + 'Instead, add a ref directly to the element you want to reference. ' + 'Learn more about using refs safely here: ' + 'https://reactjs.org/link/strict-mode-find-node', methodName, methodName, componentName);\n          } else {\n            error('%s is deprecated in StrictMode. ' + '%s was passed an instance of %s which renders StrictMode children. ' + 'Instead, add a ref directly to the element you want to reference. ' + 'Learn more about using refs safely here: ' + 'https://reactjs.org/link/strict-mode-find-node', methodName, methodName, componentName);\n          }\n        } finally {\n          // Ideally this should reset to previous but this shouldn't be called in\n          // render and there's another warning for that anyway.\n          if (previousFiber) {\n            setCurrentFiber(previousFiber);\n          } else {\n            resetCurrentFiber();\n          }\n        }\n      }\n    }\n\n    return hostFiber.stateNode;\n  }\n}\n\nfunction createContainer(containerInfo, tag, hydrationCallbacks, isStrictMode, concurrentUpdatesByDefaultOverride, identifierPrefix, onRecoverableError, transitionCallbacks) {\n  var hydrate = false;\n  var initialChildren = null;\n  return createFiberRoot(containerInfo, tag, hydrate, initialChildren, hydrationCallbacks, isStrictMode, concurrentUpdatesByDefaultOverride, identifierPrefix, onRecoverableError);\n}\nfunction createHydrationContainer(initialChildren, // TODO: Remove `callback` when we delete legacy mode.\ncallback, containerInfo, tag, hydrationCallbacks, isStrictMode, concurrentUpdatesByDefaultOverride, identifierPrefix, onRecoverableError, transitionCallbacks) {\n  var hydrate = true;\n  var root = createFiberRoot(containerInfo, tag, hydrate, initialChildren, hydrationCallbacks, isStrictMode, concurrentUpdatesByDefaultOverride, identifierPrefix, onRecoverableError); // TODO: Move this to FiberRoot constructor\n\n  root.context = getContextForSubtree(null); // Schedule the initial render. In a hydration root, this is different from\n  // a regular update because the initial render must match was was rendered\n  // on the server.\n  // NOTE: This update intentionally doesn't have a payload. We're only using\n  // the update to schedule work on the root fiber (and, for legacy roots, to\n  // enqueue the callback if one is provided).\n\n  var current = root.current;\n  var eventTime = requestEventTime();\n  var lane = requestUpdateLane(current);\n  var update = createUpdate(eventTime, lane);\n  update.callback = callback !== undefined && callback !== null ? callback : null;\n  enqueueUpdate(current, update, lane);\n  scheduleInitialHydrationOnRoot(root, lane, eventTime);\n  return root;\n}\nfunction updateContainer(element, container, parentComponent, callback) {\n  {\n    onScheduleRoot(container, element);\n  }\n\n  var current$1 = container.current;\n  var eventTime = requestEventTime();\n  var lane = requestUpdateLane(current$1);\n\n  {\n    markRenderScheduled(lane);\n  }\n\n  var context = getContextForSubtree(parentComponent);\n\n  if (container.context === null) {\n    container.context = context;\n  } else {\n    container.pendingContext = context;\n  }\n\n  {\n    if (isRendering && current !== null && !didWarnAboutNestedUpdates) {\n      didWarnAboutNestedUpdates = true;\n\n      error('Render methods should be a pure function of props and state; ' + 'triggering nested component updates from render is not allowed. ' + 'If necessary, trigger nested updates in componentDidUpdate.\\n\\n' + 'Check the render method of %s.', getComponentNameFromFiber(current) || 'Unknown');\n    }\n  }\n\n  var update = createUpdate(eventTime, lane); // Caution: React DevTools currently depends on this property\n  // being called \"element\".\n\n  update.payload = {\n    element: element\n  };\n  callback = callback === undefined ? null : callback;\n\n  if (callback !== null) {\n    {\n      if (typeof callback !== 'function') {\n        error('render(...): Expected the last optional `callback` argument to be a ' + 'function. Instead received: %s.', callback);\n      }\n    }\n\n    update.callback = callback;\n  }\n\n  var root = enqueueUpdate(current$1, update, lane);\n\n  if (root !== null) {\n    scheduleUpdateOnFiber(root, current$1, lane, eventTime);\n    entangleTransitions(root, current$1, lane);\n  }\n\n  return lane;\n}\nfunction getPublicRootInstance(container) {\n  var containerFiber = container.current;\n\n  if (!containerFiber.child) {\n    return null;\n  }\n\n  switch (containerFiber.child.tag) {\n    case HostComponent:\n      return getPublicInstance(containerFiber.child.stateNode);\n\n    default:\n      return containerFiber.child.stateNode;\n  }\n}\nfunction attemptSynchronousHydration$1(fiber) {\n  switch (fiber.tag) {\n    case HostRoot:\n      {\n        var root = fiber.stateNode;\n\n        if (isRootDehydrated(root)) {\n          // Flush the first scheduled \"update\".\n          var lanes = getHighestPriorityPendingLanes(root);\n          flushRoot(root, lanes);\n        }\n\n        break;\n      }\n\n    case SuspenseComponent:\n      {\n        flushSync(function () {\n          var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n          if (root !== null) {\n            var eventTime = requestEventTime();\n            scheduleUpdateOnFiber(root, fiber, SyncLane, eventTime);\n          }\n        }); // If we're still blocked after this, we need to increase\n        // the priority of any promises resolving within this\n        // boundary so that they next attempt also has higher pri.\n\n        var retryLane = SyncLane;\n        markRetryLaneIfNotHydrated(fiber, retryLane);\n        break;\n      }\n  }\n}\n\nfunction markRetryLaneImpl(fiber, retryLane) {\n  var suspenseState = fiber.memoizedState;\n\n  if (suspenseState !== null && suspenseState.dehydrated !== null) {\n    suspenseState.retryLane = higherPriorityLane(suspenseState.retryLane, retryLane);\n  }\n} // Increases the priority of thenables when they resolve within this boundary.\n\n\nfunction markRetryLaneIfNotHydrated(fiber, retryLane) {\n  markRetryLaneImpl(fiber, retryLane);\n  var alternate = fiber.alternate;\n\n  if (alternate) {\n    markRetryLaneImpl(alternate, retryLane);\n  }\n}\nfunction attemptContinuousHydration$1(fiber) {\n  if (fiber.tag !== SuspenseComponent) {\n    // We ignore HostRoots here because we can't increase\n    // their priority and they should not suspend on I/O,\n    // since you have to wrap anything that might suspend in\n    // Suspense.\n    return;\n  }\n\n  var lane = SelectiveHydrationLane;\n  var root = enqueueConcurrentRenderForLane(fiber, lane);\n\n  if (root !== null) {\n    var eventTime = requestEventTime();\n    scheduleUpdateOnFiber(root, fiber, lane, eventTime);\n  }\n\n  markRetryLaneIfNotHydrated(fiber, lane);\n}\nfunction attemptHydrationAtCurrentPriority$1(fiber) {\n  if (fiber.tag !== SuspenseComponent) {\n    // We ignore HostRoots here because we can't increase\n    // their priority other than synchronously flush it.\n    return;\n  }\n\n  var lane = requestUpdateLane(fiber);\n  var root = enqueueConcurrentRenderForLane(fiber, lane);\n\n  if (root !== null) {\n    var eventTime = requestEventTime();\n    scheduleUpdateOnFiber(root, fiber, lane, eventTime);\n  }\n\n  markRetryLaneIfNotHydrated(fiber, lane);\n}\nfunction findHostInstanceWithNoPortals(fiber) {\n  var hostFiber = findCurrentHostFiberWithNoPortals(fiber);\n\n  if (hostFiber === null) {\n    return null;\n  }\n\n  return hostFiber.stateNode;\n}\n\nvar shouldErrorImpl = function (fiber) {\n  return null;\n};\n\nfunction shouldError(fiber) {\n  return shouldErrorImpl(fiber);\n}\n\nvar shouldSuspendImpl = function (fiber) {\n  return false;\n};\n\nfunction shouldSuspend(fiber) {\n  return shouldSuspendImpl(fiber);\n}\nvar overrideHookState = null;\nvar overrideHookStateDeletePath = null;\nvar overrideHookStateRenamePath = null;\nvar overrideProps = null;\nvar overridePropsDeletePath = null;\nvar overridePropsRenamePath = null;\nvar scheduleUpdate = null;\nvar setErrorHandler = null;\nvar setSuspenseHandler = null;\n\n{\n  var copyWithDeleteImpl = function (obj, path, index) {\n    var key = path[index];\n    var updated = isArray(obj) ? obj.slice() : assign({}, obj);\n\n    if (index + 1 === path.length) {\n      if (isArray(updated)) {\n        updated.splice(key, 1);\n      } else {\n        delete updated[key];\n      }\n\n      return updated;\n    } // $FlowFixMe number or string is fine here\n\n\n    updated[key] = copyWithDeleteImpl(obj[key], path, index + 1);\n    return updated;\n  };\n\n  var copyWithDelete = function (obj, path) {\n    return copyWithDeleteImpl(obj, path, 0);\n  };\n\n  var copyWithRenameImpl = function (obj, oldPath, newPath, index) {\n    var oldKey = oldPath[index];\n    var updated = isArray(obj) ? obj.slice() : assign({}, obj);\n\n    if (index + 1 === oldPath.length) {\n      var newKey = newPath[index]; // $FlowFixMe number or string is fine here\n\n      updated[newKey] = updated[oldKey];\n\n      if (isArray(updated)) {\n        updated.splice(oldKey, 1);\n      } else {\n        delete updated[oldKey];\n      }\n    } else {\n      // $FlowFixMe number or string is fine here\n      updated[oldKey] = copyWithRenameImpl( // $FlowFixMe number or string is fine here\n      obj[oldKey], oldPath, newPath, index + 1);\n    }\n\n    return updated;\n  };\n\n  var copyWithRename = function (obj, oldPath, newPath) {\n    if (oldPath.length !== newPath.length) {\n      warn('copyWithRename() expects paths of the same length');\n\n      return;\n    } else {\n      for (var i = 0; i < newPath.length - 1; i++) {\n        if (oldPath[i] !== newPath[i]) {\n          warn('copyWithRename() expects paths to be the same except for the deepest key');\n\n          return;\n        }\n      }\n    }\n\n    return copyWithRenameImpl(obj, oldPath, newPath, 0);\n  };\n\n  var copyWithSetImpl = function (obj, path, index, value) {\n    if (index >= path.length) {\n      return value;\n    }\n\n    var key = path[index];\n    var updated = isArray(obj) ? obj.slice() : assign({}, obj); // $FlowFixMe number or string is fine here\n\n    updated[key] = copyWithSetImpl(obj[key], path, index + 1, value);\n    return updated;\n  };\n\n  var copyWithSet = function (obj, path, value) {\n    return copyWithSetImpl(obj, path, 0, value);\n  };\n\n  var findHook = function (fiber, id) {\n    // For now, the \"id\" of stateful hooks is just the stateful hook index.\n    // This may change in the future with e.g. nested hooks.\n    var currentHook = fiber.memoizedState;\n\n    while (currentHook !== null && id > 0) {\n      currentHook = currentHook.next;\n      id--;\n    }\n\n    return currentHook;\n  }; // Support DevTools editable values for useState and useReducer.\n\n\n  overrideHookState = function (fiber, id, path, value) {\n    var hook = findHook(fiber, id);\n\n    if (hook !== null) {\n      var newState = copyWithSet(hook.memoizedState, path, value);\n      hook.memoizedState = newState;\n      hook.baseState = newState; // We aren't actually adding an update to the queue,\n      // because there is no update we can add for useReducer hooks that won't trigger an error.\n      // (There's no appropriate action type for DevTools overrides.)\n      // As a result though, React will see the scheduled update as a noop and bailout.\n      // Shallow cloning props works as a workaround for now to bypass the bailout check.\n\n      fiber.memoizedProps = assign({}, fiber.memoizedProps);\n      var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n      if (root !== null) {\n        scheduleUpdateOnFiber(root, fiber, SyncLane, NoTimestamp);\n      }\n    }\n  };\n\n  overrideHookStateDeletePath = function (fiber, id, path) {\n    var hook = findHook(fiber, id);\n\n    if (hook !== null) {\n      var newState = copyWithDelete(hook.memoizedState, path);\n      hook.memoizedState = newState;\n      hook.baseState = newState; // We aren't actually adding an update to the queue,\n      // because there is no update we can add for useReducer hooks that won't trigger an error.\n      // (There's no appropriate action type for DevTools overrides.)\n      // As a result though, React will see the scheduled update as a noop and bailout.\n      // Shallow cloning props works as a workaround for now to bypass the bailout check.\n\n      fiber.memoizedProps = assign({}, fiber.memoizedProps);\n      var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n      if (root !== null) {\n        scheduleUpdateOnFiber(root, fiber, SyncLane, NoTimestamp);\n      }\n    }\n  };\n\n  overrideHookStateRenamePath = function (fiber, id, oldPath, newPath) {\n    var hook = findHook(fiber, id);\n\n    if (hook !== null) {\n      var newState = copyWithRename(hook.memoizedState, oldPath, newPath);\n      hook.memoizedState = newState;\n      hook.baseState = newState; // We aren't actually adding an update to the queue,\n      // because there is no update we can add for useReducer hooks that won't trigger an error.\n      // (There's no appropriate action type for DevTools overrides.)\n      // As a result though, React will see the scheduled update as a noop and bailout.\n      // Shallow cloning props works as a workaround for now to bypass the bailout check.\n\n      fiber.memoizedProps = assign({}, fiber.memoizedProps);\n      var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n      if (root !== null) {\n        scheduleUpdateOnFiber(root, fiber, SyncLane, NoTimestamp);\n      }\n    }\n  }; // Support DevTools props for function components, forwardRef, memo, host components, etc.\n\n\n  overrideProps = function (fiber, path, value) {\n    fiber.pendingProps = copyWithSet(fiber.memoizedProps, path, value);\n\n    if (fiber.alternate) {\n      fiber.alternate.pendingProps = fiber.pendingProps;\n    }\n\n    var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n    if (root !== null) {\n      scheduleUpdateOnFiber(root, fiber, SyncLane, NoTimestamp);\n    }\n  };\n\n  overridePropsDeletePath = function (fiber, path) {\n    fiber.pendingProps = copyWithDelete(fiber.memoizedProps, path);\n\n    if (fiber.alternate) {\n      fiber.alternate.pendingProps = fiber.pendingProps;\n    }\n\n    var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n    if (root !== null) {\n      scheduleUpdateOnFiber(root, fiber, SyncLane, NoTimestamp);\n    }\n  };\n\n  overridePropsRenamePath = function (fiber, oldPath, newPath) {\n    fiber.pendingProps = copyWithRename(fiber.memoizedProps, oldPath, newPath);\n\n    if (fiber.alternate) {\n      fiber.alternate.pendingProps = fiber.pendingProps;\n    }\n\n    var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n    if (root !== null) {\n      scheduleUpdateOnFiber(root, fiber, SyncLane, NoTimestamp);\n    }\n  };\n\n  scheduleUpdate = function (fiber) {\n    var root = enqueueConcurrentRenderForLane(fiber, SyncLane);\n\n    if (root !== null) {\n      scheduleUpdateOnFiber(root, fiber, SyncLane, NoTimestamp);\n    }\n  };\n\n  setErrorHandler = function (newShouldErrorImpl) {\n    shouldErrorImpl = newShouldErrorImpl;\n  };\n\n  setSuspenseHandler = function (newShouldSuspendImpl) {\n    shouldSuspendImpl = newShouldSuspendImpl;\n  };\n}\n\nfunction findHostInstanceByFiber(fiber) {\n  var hostFiber = findCurrentHostFiber(fiber);\n\n  if (hostFiber === null) {\n    return null;\n  }\n\n  return hostFiber.stateNode;\n}\n\nfunction emptyFindFiberByHostInstance(instance) {\n  return null;\n}\n\nfunction getCurrentFiberForDevTools() {\n  return current;\n}\n\nfunction injectIntoDevTools(devToolsConfig) {\n  var findFiberByHostInstance = devToolsConfig.findFiberByHostInstance;\n  var ReactCurrentDispatcher = ReactSharedInternals.ReactCurrentDispatcher;\n  return injectInternals({\n    bundleType: devToolsConfig.bundleType,\n    version: devToolsConfig.version,\n    rendererPackageName: devToolsConfig.rendererPackageName,\n    rendererConfig: devToolsConfig.rendererConfig,\n    overrideHookState: overrideHookState,\n    overrideHookStateDeletePath: overrideHookStateDeletePath,\n    overrideHookStateRenamePath: overrideHookStateRenamePath,\n    overrideProps: overrideProps,\n    overridePropsDeletePath: overridePropsDeletePath,\n    overridePropsRenamePath: overridePropsRenamePath,\n    setErrorHandler: setErrorHandler,\n    setSuspenseHandler: setSuspenseHandler,\n    scheduleUpdate: scheduleUpdate,\n    currentDispatcherRef: ReactCurrentDispatcher,\n    findHostInstanceByFiber: findHostInstanceByFiber,\n    findFiberByHostInstance: findFiberByHostInstance || emptyFindFiberByHostInstance,\n    // React Refresh\n    findHostInstancesForRefresh:  findHostInstancesForRefresh ,\n    scheduleRefresh:  scheduleRefresh ,\n    scheduleRoot:  scheduleRoot ,\n    setRefreshHandler:  setRefreshHandler ,\n    // Enables DevTools to append owner stacks to error messages in DEV mode.\n    getCurrentFiber:  getCurrentFiberForDevTools ,\n    // Enables DevTools to detect reconciler version rather than renderer version\n    // which may not match for third party renderers.\n    reconcilerVersion: ReactVersion\n  });\n}\n\n/* global reportError */\n\nvar defaultOnRecoverableError = typeof reportError === 'function' ? // In modern browsers, reportError will dispatch an error event,\n// emulating an uncaught JavaScript error.\nreportError : function (error) {\n  // In older browsers and test environments, fallback to console.error.\n  // eslint-disable-next-line react-internal/no-production-logging\n  console['error'](error);\n};\n\nfunction ReactDOMRoot(internalRoot) {\n  this._internalRoot = internalRoot;\n}\n\nReactDOMHydrationRoot.prototype.render = ReactDOMRoot.prototype.render = function (children) {\n  var root = this._internalRoot;\n\n  if (root === null) {\n    throw new Error('Cannot update an unmounted root.');\n  }\n\n  {\n    if (typeof arguments[1] === 'function') {\n      error('render(...): does not support the second callback argument. ' + 'To execute a side effect after rendering, declare it in a component body with useEffect().');\n    } else if (isValidContainer(arguments[1])) {\n      error('You passed a container to the second argument of root.render(...). ' + \"You don't need to pass it again since you already passed it to create the root.\");\n    } else if (typeof arguments[1] !== 'undefined') {\n      error('You passed a second argument to root.render(...) but it only accepts ' + 'one argument.');\n    }\n\n    var container = root.containerInfo;\n\n    if (container.nodeType !== COMMENT_NODE) {\n      var hostInstance = findHostInstanceWithNoPortals(root.current);\n\n      if (hostInstance) {\n        if (hostInstance.parentNode !== container) {\n          error('render(...): It looks like the React-rendered content of the ' + 'root container was removed without using React. This is not ' + 'supported and will cause errors. Instead, call ' + \"root.unmount() to empty a root's container.\");\n        }\n      }\n    }\n  }\n\n  updateContainer(children, root, null, null);\n};\n\nReactDOMHydrationRoot.prototype.unmount = ReactDOMRoot.prototype.unmount = function () {\n  {\n    if (typeof arguments[0] === 'function') {\n      error('unmount(...): does not support a callback argument. ' + 'To execute a side effect after rendering, declare it in a component body with useEffect().');\n    }\n  }\n\n  var root = this._internalRoot;\n\n  if (root !== null) {\n    this._internalRoot = null;\n    var container = root.containerInfo;\n\n    {\n      if (isAlreadyRendering()) {\n        error('Attempted to synchronously unmount a root while React was already ' + 'rendering. React cannot finish unmounting the root until the ' + 'current render has completed, which may lead to a race condition.');\n      }\n    }\n\n    flushSync(function () {\n      updateContainer(null, root, null, null);\n    });\n    unmarkContainerAsRoot(container);\n  }\n};\n\nfunction createRoot(container, options) {\n  if (!isValidContainer(container)) {\n    throw new Error('createRoot(...): Target container is not a DOM element.');\n  }\n\n  warnIfReactDOMContainerInDEV(container);\n  var isStrictMode = false;\n  var concurrentUpdatesByDefaultOverride = false;\n  var identifierPrefix = '';\n  var onRecoverableError = defaultOnRecoverableError;\n  var transitionCallbacks = null;\n\n  if (options !== null && options !== undefined) {\n    {\n      if (options.hydrate) {\n        warn('hydrate through createRoot is deprecated. Use ReactDOMClient.hydrateRoot(container, <App />) instead.');\n      } else {\n        if (typeof options === 'object' && options !== null && options.$$typeof === REACT_ELEMENT_TYPE) {\n          error('You passed a JSX element to createRoot. You probably meant to ' + 'call root.render instead. ' + 'Example usage:\\n\\n' + '  let root = createRoot(domContainer);\\n' + '  root.render(<App />);');\n        }\n      }\n    }\n\n    if (options.unstable_strictMode === true) {\n      isStrictMode = true;\n    }\n\n    if (options.identifierPrefix !== undefined) {\n      identifierPrefix = options.identifierPrefix;\n    }\n\n    if (options.onRecoverableError !== undefined) {\n      onRecoverableError = options.onRecoverableError;\n    }\n\n    if (options.transitionCallbacks !== undefined) {\n      transitionCallbacks = options.transitionCallbacks;\n    }\n  }\n\n  var root = createContainer(container, ConcurrentRoot, null, isStrictMode, concurrentUpdatesByDefaultOverride, identifierPrefix, onRecoverableError);\n  markContainerAsRoot(root.current, container);\n  var rootContainerElement = container.nodeType === COMMENT_NODE ? container.parentNode : container;\n  listenToAllSupportedEvents(rootContainerElement);\n  return new ReactDOMRoot(root);\n}\n\nfunction ReactDOMHydrationRoot(internalRoot) {\n  this._internalRoot = internalRoot;\n}\n\nfunction scheduleHydration(target) {\n  if (target) {\n    queueExplicitHydrationTarget(target);\n  }\n}\n\nReactDOMHydrationRoot.prototype.unstable_scheduleHydration = scheduleHydration;\nfunction hydrateRoot(container, initialChildren, options) {\n  if (!isValidContainer(container)) {\n    throw new Error('hydrateRoot(...): Target container is not a DOM element.');\n  }\n\n  warnIfReactDOMContainerInDEV(container);\n\n  {\n    if (initialChildren === undefined) {\n      error('Must provide initial children as second argument to hydrateRoot. ' + 'Example usage: hydrateRoot(domContainer, <App />)');\n    }\n  } // For now we reuse the whole bag of options since they contain\n  // the hydration callbacks.\n\n\n  var hydrationCallbacks = options != null ? options : null; // TODO: Delete this option\n\n  var mutableSources = options != null && options.hydratedSources || null;\n  var isStrictMode = false;\n  var concurrentUpdatesByDefaultOverride = false;\n  var identifierPrefix = '';\n  var onRecoverableError = defaultOnRecoverableError;\n\n  if (options !== null && options !== undefined) {\n    if (options.unstable_strictMode === true) {\n      isStrictMode = true;\n    }\n\n    if (options.identifierPrefix !== undefined) {\n      identifierPrefix = options.identifierPrefix;\n    }\n\n    if (options.onRecoverableError !== undefined) {\n      onRecoverableError = options.onRecoverableError;\n    }\n  }\n\n  var root = createHydrationContainer(initialChildren, null, container, ConcurrentRoot, hydrationCallbacks, isStrictMode, concurrentUpdatesByDefaultOverride, identifierPrefix, onRecoverableError);\n  markContainerAsRoot(root.current, container); // This can't be a comment node since hydration doesn't work on comment nodes anyway.\n\n  listenToAllSupportedEvents(container);\n\n  if (mutableSources) {\n    for (var i = 0; i < mutableSources.length; i++) {\n      var mutableSource = mutableSources[i];\n      registerMutableSourceForHydration(root, mutableSource);\n    }\n  }\n\n  return new ReactDOMHydrationRoot(root);\n}\nfunction isValidContainer(node) {\n  return !!(node && (node.nodeType === ELEMENT_NODE || node.nodeType === DOCUMENT_NODE || node.nodeType === DOCUMENT_FRAGMENT_NODE || !disableCommentsAsDOMContainers  ));\n} // TODO: Remove this function which also includes comment nodes.\n// We only use it in places that are currently more relaxed.\n\nfunction isValidContainerLegacy(node) {\n  return !!(node && (node.nodeType === ELEMENT_NODE || node.nodeType === DOCUMENT_NODE || node.nodeType === DOCUMENT_FRAGMENT_NODE || node.nodeType === COMMENT_NODE && node.nodeValue === ' react-mount-point-unstable '));\n}\n\nfunction warnIfReactDOMContainerInDEV(container) {\n  {\n    if (container.nodeType === ELEMENT_NODE && container.tagName && container.tagName.toUpperCase() === 'BODY') {\n      error('createRoot(): Creating roots directly with document.body is ' + 'discouraged, since its children are often manipulated by third-party ' + 'scripts and browser extensions. This may lead to subtle ' + 'reconciliation issues. Try using a container element created ' + 'for your app.');\n    }\n\n    if (isContainerMarkedAsRoot(container)) {\n      if (container._reactRootContainer) {\n        error('You are calling ReactDOMClient.createRoot() on a container that was previously ' + 'passed to ReactDOM.render(). This is not supported.');\n      } else {\n        error('You are calling ReactDOMClient.createRoot() on a container that ' + 'has already been passed to createRoot() before. Instead, call ' + 'root.render() on the existing root instead if you want to update it.');\n      }\n    }\n  }\n}\n\nvar ReactCurrentOwner$3 = ReactSharedInternals.ReactCurrentOwner;\nvar topLevelUpdateWarnings;\n\n{\n  topLevelUpdateWarnings = function (container) {\n    if (container._reactRootContainer && container.nodeType !== COMMENT_NODE) {\n      var hostInstance = findHostInstanceWithNoPortals(container._reactRootContainer.current);\n\n      if (hostInstance) {\n        if (hostInstance.parentNode !== container) {\n          error('render(...): It looks like the React-rendered content of this ' + 'container was removed without using React. This is not ' + 'supported and will cause errors. Instead, call ' + 'ReactDOM.unmountComponentAtNode to empty a container.');\n        }\n      }\n    }\n\n    var isRootRenderedBySomeReact = !!container._reactRootContainer;\n    var rootEl = getReactRootElementInContainer(container);\n    var hasNonRootReactChild = !!(rootEl && getInstanceFromNode(rootEl));\n\n    if (hasNonRootReactChild && !isRootRenderedBySomeReact) {\n      error('render(...): Replacing React-rendered children with a new root ' + 'component. If you intended to update the children of this node, ' + 'you should instead have the existing children update their state ' + 'and render the new components instead of calling ReactDOM.render.');\n    }\n\n    if (container.nodeType === ELEMENT_NODE && container.tagName && container.tagName.toUpperCase() === 'BODY') {\n      error('render(): Rendering components directly into document.body is ' + 'discouraged, since its children are often manipulated by third-party ' + 'scripts and browser extensions. This may lead to subtle ' + 'reconciliation issues. Try rendering into a container element created ' + 'for your app.');\n    }\n  };\n}\n\nfunction getReactRootElementInContainer(container) {\n  if (!container) {\n    return null;\n  }\n\n  if (container.nodeType === DOCUMENT_NODE) {\n    return container.documentElement;\n  } else {\n    return container.firstChild;\n  }\n}\n\nfunction noopOnRecoverableError() {// This isn't reachable because onRecoverableError isn't called in the\n  // legacy API.\n}\n\nfunction legacyCreateRootFromDOMContainer(container, initialChildren, parentComponent, callback, isHydrationContainer) {\n  if (isHydrationContainer) {\n    if (typeof callback === 'function') {\n      var originalCallback = callback;\n\n      callback = function () {\n        var instance = getPublicRootInstance(root);\n        originalCallback.call(instance);\n      };\n    }\n\n    var root = createHydrationContainer(initialChildren, callback, container, LegacyRoot, null, // hydrationCallbacks\n    false, // isStrictMode\n    false, // concurrentUpdatesByDefaultOverride,\n    '', // identifierPrefix\n    noopOnRecoverableError);\n    container._reactRootContainer = root;\n    markContainerAsRoot(root.current, container);\n    var rootContainerElement = container.nodeType === COMMENT_NODE ? container.parentNode : container;\n    listenToAllSupportedEvents(rootContainerElement);\n    flushSync();\n    return root;\n  } else {\n    // First clear any existing content.\n    var rootSibling;\n\n    while (rootSibling = container.lastChild) {\n      container.removeChild(rootSibling);\n    }\n\n    if (typeof callback === 'function') {\n      var _originalCallback = callback;\n\n      callback = function () {\n        var instance = getPublicRootInstance(_root);\n\n        _originalCallback.call(instance);\n      };\n    }\n\n    var _root = createContainer(container, LegacyRoot, null, // hydrationCallbacks\n    false, // isStrictMode\n    false, // concurrentUpdatesByDefaultOverride,\n    '', // identifierPrefix\n    noopOnRecoverableError);\n\n    container._reactRootContainer = _root;\n    markContainerAsRoot(_root.current, container);\n\n    var _rootContainerElement = container.nodeType === COMMENT_NODE ? container.parentNode : container;\n\n    listenToAllSupportedEvents(_rootContainerElement); // Initial mount should not be batched.\n\n    flushSync(function () {\n      updateContainer(initialChildren, _root, parentComponent, callback);\n    });\n    return _root;\n  }\n}\n\nfunction warnOnInvalidCallback$1(callback, callerName) {\n  {\n    if (callback !== null && typeof callback !== 'function') {\n      error('%s(...): Expected the last optional `callback` argument to be a ' + 'function. Instead received: %s.', callerName, callback);\n    }\n  }\n}\n\nfunction legacyRenderSubtreeIntoContainer(parentComponent, children, container, forceHydrate, callback) {\n  {\n    topLevelUpdateWarnings(container);\n    warnOnInvalidCallback$1(callback === undefined ? null : callback, 'render');\n  }\n\n  var maybeRoot = container._reactRootContainer;\n  var root;\n\n  if (!maybeRoot) {\n    // Initial mount\n    root = legacyCreateRootFromDOMContainer(container, children, parentComponent, callback, forceHydrate);\n  } else {\n    root = maybeRoot;\n\n    if (typeof callback === 'function') {\n      var originalCallback = callback;\n\n      callback = function () {\n        var instance = getPublicRootInstance(root);\n        originalCallback.call(instance);\n      };\n    } // Update\n\n\n    updateContainer(children, root, parentComponent, callback);\n  }\n\n  return getPublicRootInstance(root);\n}\n\nvar didWarnAboutFindDOMNode = false;\nfunction findDOMNode(componentOrElement) {\n  {\n    if (!didWarnAboutFindDOMNode) {\n      didWarnAboutFindDOMNode = true;\n\n      error('findDOMNode is deprecated and will be removed in the next major ' + 'release. Instead, add a ref directly to the element you want ' + 'to reference. Learn more about using refs safely here: ' + 'https://reactjs.org/link/strict-mode-find-node');\n    }\n\n    var owner = ReactCurrentOwner$3.current;\n\n    if (owner !== null && owner.stateNode !== null) {\n      var warnedAboutRefsInRender = owner.stateNode._warnedAboutRefsInRender;\n\n      if (!warnedAboutRefsInRender) {\n        error('%s is accessing findDOMNode inside its render(). ' + 'render() should be a pure function of props and state. It should ' + 'never access something that requires stale data from the previous ' + 'render, such as refs. Move this logic to componentDidMount and ' + 'componentDidUpdate instead.', getComponentNameFromType(owner.type) || 'A component');\n      }\n\n      owner.stateNode._warnedAboutRefsInRender = true;\n    }\n  }\n\n  if (componentOrElement == null) {\n    return null;\n  }\n\n  if (componentOrElement.nodeType === ELEMENT_NODE) {\n    return componentOrElement;\n  }\n\n  {\n    return findHostInstanceWithWarning(componentOrElement, 'findDOMNode');\n  }\n}\nfunction hydrate(element, container, callback) {\n  {\n    error('ReactDOM.hydrate is no longer supported in React 18. Use hydrateRoot ' + 'instead. Until you switch to the new API, your app will behave as ' + \"if it's running React 17. Learn \" + 'more: https://reactjs.org/link/switch-to-createroot');\n  }\n\n  if (!isValidContainerLegacy(container)) {\n    throw new Error('Target container is not a DOM element.');\n  }\n\n  {\n    var isModernRoot = isContainerMarkedAsRoot(container) && container._reactRootContainer === undefined;\n\n    if (isModernRoot) {\n      error('You are calling ReactDOM.hydrate() on a container that was previously ' + 'passed to ReactDOMClient.createRoot(). This is not supported. ' + 'Did you mean to call hydrateRoot(container, element)?');\n    }\n  } // TODO: throw or warn if we couldn't hydrate?\n\n\n  return legacyRenderSubtreeIntoContainer(null, element, container, true, callback);\n}\nfunction render(element, container, callback) {\n  {\n    error('ReactDOM.render is no longer supported in React 18. Use createRoot ' + 'instead. Until you switch to the new API, your app will behave as ' + \"if it's running React 17. Learn \" + 'more: https://reactjs.org/link/switch-to-createroot');\n  }\n\n  if (!isValidContainerLegacy(container)) {\n    throw new Error('Target container is not a DOM element.');\n  }\n\n  {\n    var isModernRoot = isContainerMarkedAsRoot(container) && container._reactRootContainer === undefined;\n\n    if (isModernRoot) {\n      error('You are calling ReactDOM.render() on a container that was previously ' + 'passed to ReactDOMClient.createRoot(). This is not supported. ' + 'Did you mean to call root.render(element)?');\n    }\n  }\n\n  return legacyRenderSubtreeIntoContainer(null, element, container, false, callback);\n}\nfunction unstable_renderSubtreeIntoContainer(parentComponent, element, containerNode, callback) {\n  {\n    error('ReactDOM.unstable_renderSubtreeIntoContainer() is no longer supported ' + 'in React 18. Consider using a portal instead. Until you switch to ' + \"the createRoot API, your app will behave as if it's running React \" + '17. Learn more: https://reactjs.org/link/switch-to-createroot');\n  }\n\n  if (!isValidContainerLegacy(containerNode)) {\n    throw new Error('Target container is not a DOM element.');\n  }\n\n  if (parentComponent == null || !has(parentComponent)) {\n    throw new Error('parentComponent must be a valid React Component');\n  }\n\n  return legacyRenderSubtreeIntoContainer(parentComponent, element, containerNode, false, callback);\n}\nvar didWarnAboutUnmountComponentAtNode = false;\nfunction unmountComponentAtNode(container) {\n  {\n    if (!didWarnAboutUnmountComponentAtNode) {\n      didWarnAboutUnmountComponentAtNode = true;\n\n      error('unmountComponentAtNode is deprecated and will be removed in the ' + 'next major release. Switch to the createRoot API. Learn ' + 'more: https://reactjs.org/link/switch-to-createroot');\n    }\n  }\n\n  if (!isValidContainerLegacy(container)) {\n    throw new Error('unmountComponentAtNode(...): Target container is not a DOM element.');\n  }\n\n  {\n    var isModernRoot = isContainerMarkedAsRoot(container) && container._reactRootContainer === undefined;\n\n    if (isModernRoot) {\n      error('You are calling ReactDOM.unmountComponentAtNode() on a container that was previously ' + 'passed to ReactDOMClient.createRoot(). This is not supported. Did you mean to call root.unmount()?');\n    }\n  }\n\n  if (container._reactRootContainer) {\n    {\n      var rootEl = getReactRootElementInContainer(container);\n      var renderedByDifferentReact = rootEl && !getInstanceFromNode(rootEl);\n\n      if (renderedByDifferentReact) {\n        error(\"unmountComponentAtNode(): The node you're attempting to unmount \" + 'was rendered by another copy of React.');\n      }\n    } // Unmount should not be batched.\n\n\n    flushSync(function () {\n      legacyRenderSubtreeIntoContainer(null, null, container, false, function () {\n        // $FlowFixMe This should probably use `delete container._reactRootContainer`\n        container._reactRootContainer = null;\n        unmarkContainerAsRoot(container);\n      });\n    }); // If you call unmountComponentAtNode twice in quick succession, you'll\n    // get `true` twice. That's probably fine?\n\n    return true;\n  } else {\n    {\n      var _rootEl = getReactRootElementInContainer(container);\n\n      var hasNonRootReactChild = !!(_rootEl && getInstanceFromNode(_rootEl)); // Check if the container itself is a React root node.\n\n      var isContainerReactRoot = container.nodeType === ELEMENT_NODE && isValidContainerLegacy(container.parentNode) && !!container.parentNode._reactRootContainer;\n\n      if (hasNonRootReactChild) {\n        error(\"unmountComponentAtNode(): The node you're attempting to unmount \" + 'was rendered by React and is not a top-level container. %s', isContainerReactRoot ? 'You may have accidentally passed in a React root node instead ' + 'of its container.' : 'Instead, have the parent component update its state and ' + 'rerender in order to remove this component.');\n      }\n    }\n\n    return false;\n  }\n}\n\nsetAttemptSynchronousHydration(attemptSynchronousHydration$1);\nsetAttemptContinuousHydration(attemptContinuousHydration$1);\nsetAttemptHydrationAtCurrentPriority(attemptHydrationAtCurrentPriority$1);\nsetGetCurrentUpdatePriority(getCurrentUpdatePriority);\nsetAttemptHydrationAtPriority(runWithPriority);\n\n{\n  if (typeof Map !== 'function' || // $FlowIssue Flow incorrectly thinks Map has no prototype\n  Map.prototype == null || typeof Map.prototype.forEach !== 'function' || typeof Set !== 'function' || // $FlowIssue Flow incorrectly thinks Set has no prototype\n  Set.prototype == null || typeof Set.prototype.clear !== 'function' || typeof Set.prototype.forEach !== 'function') {\n    error('React depends on Map and Set built-in types. Make sure that you load a ' + 'polyfill in older browsers. https://reactjs.org/link/react-polyfills');\n  }\n}\n\nsetRestoreImplementation(restoreControlledState$3);\nsetBatchingImplementation(batchedUpdates$1, discreteUpdates, flushSync);\n\nfunction createPortal$1(children, container) {\n  var key = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : null;\n\n  if (!isValidContainer(container)) {\n    throw new Error('Target container is not a DOM element.');\n  } // TODO: pass ReactDOM portal implementation as third argument\n  // $FlowFixMe The Flow type is opaque but there's no way to actually create it.\n\n\n  return createPortal(children, container, null, key);\n}\n\nfunction renderSubtreeIntoContainer(parentComponent, element, containerNode, callback) {\n  return unstable_renderSubtreeIntoContainer(parentComponent, element, containerNode, callback);\n}\n\nvar Internals = {\n  usingClientEntryPoint: false,\n  // Keep in sync with ReactTestUtils.js.\n  // This is an array for better minification.\n  Events: [getInstanceFromNode, getNodeFromInstance, getFiberCurrentPropsFromNode, enqueueStateRestore, restoreStateIfNeeded, batchedUpdates$1]\n};\n\nfunction createRoot$1(container, options) {\n  {\n    if (!Internals.usingClientEntryPoint && !false) {\n      error('You are importing createRoot from \"react-dom\" which is not supported. ' + 'You should instead import it from \"react-dom/client\".');\n    }\n  }\n\n  return createRoot(container, options);\n}\n\nfunction hydrateRoot$1(container, initialChildren, options) {\n  {\n    if (!Internals.usingClientEntryPoint && !false) {\n      error('You are importing hydrateRoot from \"react-dom\" which is not supported. ' + 'You should instead import it from \"react-dom/client\".');\n    }\n  }\n\n  return hydrateRoot(container, initialChildren, options);\n} // Overload the definition to the two valid signatures.\n// Warning, this opts-out of checking the function body.\n\n\n// eslint-disable-next-line no-redeclare\nfunction flushSync$1(fn) {\n  {\n    if (isAlreadyRendering()) {\n      error('flushSync was called from inside a lifecycle method. React cannot ' + 'flush when React is already rendering. Consider moving this call to ' + 'a scheduler task or micro task.');\n    }\n  }\n\n  return flushSync(fn);\n}\nvar foundDevTools = injectIntoDevTools({\n  findFiberByHostInstance: getClosestInstanceFromNode,\n  bundleType:  1 ,\n  version: ReactVersion,\n  rendererPackageName: 'react-dom'\n});\n\n{\n  if (!foundDevTools && canUseDOM && window.top === window.self) {\n    // If we're in Chrome or Firefox, provide a download link if not installed.\n    if (navigator.userAgent.indexOf('Chrome') > -1 && navigator.userAgent.indexOf('Edge') === -1 || navigator.userAgent.indexOf('Firefox') > -1) {\n      var protocol = window.location.protocol; // Don't warn in exotic cases like chrome-extension://.\n\n      if (/^(https?|file):$/.test(protocol)) {\n        // eslint-disable-next-line react-internal/no-production-logging\n        console.info('%cDownload the React DevTools ' + 'for a better development experience: ' + 'https://reactjs.org/link/react-devtools' + (protocol === 'file:' ? '\\nYou might need to use a local HTTP server (instead of file://): ' + 'https://reactjs.org/link/react-devtools-faq' : ''), 'font-weight:bold');\n      }\n    }\n  }\n}\n\nexports.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED = Internals;\nexports.createPortal = createPortal$1;\nexports.createRoot = createRoot$1;\nexports.findDOMNode = findDOMNode;\nexports.flushSync = flushSync$1;\nexports.hydrate = hydrate;\nexports.hydrateRoot = hydrateRoot$1;\nexports.render = render;\nexports.unmountComponentAtNode = unmountComponentAtNode;\nexports.unstable_batchedUpdates = batchedUpdates$1;\nexports.unstable_renderSubtreeIntoContainer = renderSubtreeIntoContainer;\nexports.version = ReactVersion;\n          /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop ===\n    'function'\n) {\n  __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error());\n}\n        \n  })();\n}\n\n\n//# sourceURL=webpack://WordPress/./node_modules/react-dom/cjs/react-dom.development.js?");

/***/ }),

/***/ "./node_modules/react-dom/index.js":
/*!*****************************************!*\
  !*** ./node_modules/react-dom/index.js ***!
  \*****************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {

eval("\n\nfunction checkDCE() {\n  /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\n  if (\n    typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ === 'undefined' ||\n    typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE !== 'function'\n  ) {\n    return;\n  }\n  if (true) {\n    // This branch is unreachable because this function is only called\n    // in production, but the condition is true only in development.\n    // Therefore if the branch is still here, dead code elimination wasn't\n    // properly applied.\n    // Don't change the message. React DevTools relies on it. Also make sure\n    // this message doesn't occur elsewhere in this function, or it will cause\n    // a false positive.\n    throw new Error('^_^');\n  }\n  try {\n    // Verify that the code above has been dead code eliminated (DCE'd).\n    __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(checkDCE);\n  } catch (err) {\n    // DevTools shouldn't crash React, no matter what.\n    // We should still report in case we break this code.\n    console.error(err);\n  }\n}\n\nif (false) {} else {\n  module.exports = __webpack_require__(/*! ./cjs/react-dom.development.js */ \"./node_modules/react-dom/cjs/react-dom.development.js\");\n}\n\n\n//# sourceURL=webpack://WordPress/./node_modules/react-dom/index.js?");

/***/ }),

/***/ "./node_modules/scheduler/cjs/scheduler.development.js":
/*!*************************************************************!*\
  !*** ./node_modules/scheduler/cjs/scheduler.development.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, exports) => {

eval("/**\n * @license React\n * scheduler.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n\n\nif (true) {\n  (function() {\n\n          'use strict';\n\n/* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart ===\n    'function'\n) {\n  __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error());\n}\n          var enableSchedulerDebugging = false;\nvar enableProfiling = false;\nvar frameYieldMs = 5;\n\nfunction push(heap, node) {\n  var index = heap.length;\n  heap.push(node);\n  siftUp(heap, node, index);\n}\nfunction peek(heap) {\n  return heap.length === 0 ? null : heap[0];\n}\nfunction pop(heap) {\n  if (heap.length === 0) {\n    return null;\n  }\n\n  var first = heap[0];\n  var last = heap.pop();\n\n  if (last !== first) {\n    heap[0] = last;\n    siftDown(heap, last, 0);\n  }\n\n  return first;\n}\n\nfunction siftUp(heap, node, i) {\n  var index = i;\n\n  while (index > 0) {\n    var parentIndex = index - 1 >>> 1;\n    var parent = heap[parentIndex];\n\n    if (compare(parent, node) > 0) {\n      // The parent is larger. Swap positions.\n      heap[parentIndex] = node;\n      heap[index] = parent;\n      index = parentIndex;\n    } else {\n      // The parent is smaller. Exit.\n      return;\n    }\n  }\n}\n\nfunction siftDown(heap, node, i) {\n  var index = i;\n  var length = heap.length;\n  var halfLength = length >>> 1;\n\n  while (index < halfLength) {\n    var leftIndex = (index + 1) * 2 - 1;\n    var left = heap[leftIndex];\n    var rightIndex = leftIndex + 1;\n    var right = heap[rightIndex]; // If the left or right node is smaller, swap with the smaller of those.\n\n    if (compare(left, node) < 0) {\n      if (rightIndex < length && compare(right, left) < 0) {\n        heap[index] = right;\n        heap[rightIndex] = node;\n        index = rightIndex;\n      } else {\n        heap[index] = left;\n        heap[leftIndex] = node;\n        index = leftIndex;\n      }\n    } else if (rightIndex < length && compare(right, node) < 0) {\n      heap[index] = right;\n      heap[rightIndex] = node;\n      index = rightIndex;\n    } else {\n      // Neither child is smaller. Exit.\n      return;\n    }\n  }\n}\n\nfunction compare(a, b) {\n  // Compare sort index first, then task id.\n  var diff = a.sortIndex - b.sortIndex;\n  return diff !== 0 ? diff : a.id - b.id;\n}\n\n// TODO: Use symbols?\nvar ImmediatePriority = 1;\nvar UserBlockingPriority = 2;\nvar NormalPriority = 3;\nvar LowPriority = 4;\nvar IdlePriority = 5;\n\nfunction markTaskErrored(task, ms) {\n}\n\n/* eslint-disable no-var */\n\nvar hasPerformanceNow = typeof performance === 'object' && typeof performance.now === 'function';\n\nif (hasPerformanceNow) {\n  var localPerformance = performance;\n\n  exports.unstable_now = function () {\n    return localPerformance.now();\n  };\n} else {\n  var localDate = Date;\n  var initialTime = localDate.now();\n\n  exports.unstable_now = function () {\n    return localDate.now() - initialTime;\n  };\n} // Max 31 bit integer. The max integer size in V8 for 32-bit systems.\n// Math.pow(2, 30) - 1\n// 0b111111111111111111111111111111\n\n\nvar maxSigned31BitInt = 1073741823; // Times out immediately\n\nvar IMMEDIATE_PRIORITY_TIMEOUT = -1; // Eventually times out\n\nvar USER_BLOCKING_PRIORITY_TIMEOUT = 250;\nvar NORMAL_PRIORITY_TIMEOUT = 5000;\nvar LOW_PRIORITY_TIMEOUT = 10000; // Never times out\n\nvar IDLE_PRIORITY_TIMEOUT = maxSigned31BitInt; // Tasks are stored on a min heap\n\nvar taskQueue = [];\nvar timerQueue = []; // Incrementing id counter. Used to maintain insertion order.\n\nvar taskIdCounter = 1; // Pausing the scheduler is useful for debugging.\nvar currentTask = null;\nvar currentPriorityLevel = NormalPriority; // This is set while performing work, to prevent re-entrance.\n\nvar isPerformingWork = false;\nvar isHostCallbackScheduled = false;\nvar isHostTimeoutScheduled = false; // Capture local references to native APIs, in case a polyfill overrides them.\n\nvar localSetTimeout = typeof setTimeout === 'function' ? setTimeout : null;\nvar localClearTimeout = typeof clearTimeout === 'function' ? clearTimeout : null;\nvar localSetImmediate = typeof setImmediate !== 'undefined' ? setImmediate : null; // IE and Node.js + jsdom\n\nvar isInputPending = typeof navigator !== 'undefined' && navigator.scheduling !== undefined && navigator.scheduling.isInputPending !== undefined ? navigator.scheduling.isInputPending.bind(navigator.scheduling) : null;\n\nfunction advanceTimers(currentTime) {\n  // Check for tasks that are no longer delayed and add them to the queue.\n  var timer = peek(timerQueue);\n\n  while (timer !== null) {\n    if (timer.callback === null) {\n      // Timer was cancelled.\n      pop(timerQueue);\n    } else if (timer.startTime <= currentTime) {\n      // Timer fired. Transfer to the task queue.\n      pop(timerQueue);\n      timer.sortIndex = timer.expirationTime;\n      push(taskQueue, timer);\n    } else {\n      // Remaining timers are pending.\n      return;\n    }\n\n    timer = peek(timerQueue);\n  }\n}\n\nfunction handleTimeout(currentTime) {\n  isHostTimeoutScheduled = false;\n  advanceTimers(currentTime);\n\n  if (!isHostCallbackScheduled) {\n    if (peek(taskQueue) !== null) {\n      isHostCallbackScheduled = true;\n      requestHostCallback(flushWork);\n    } else {\n      var firstTimer = peek(timerQueue);\n\n      if (firstTimer !== null) {\n        requestHostTimeout(handleTimeout, firstTimer.startTime - currentTime);\n      }\n    }\n  }\n}\n\nfunction flushWork(hasTimeRemaining, initialTime) {\n\n\n  isHostCallbackScheduled = false;\n\n  if (isHostTimeoutScheduled) {\n    // We scheduled a timeout but it's no longer needed. Cancel it.\n    isHostTimeoutScheduled = false;\n    cancelHostTimeout();\n  }\n\n  isPerformingWork = true;\n  var previousPriorityLevel = currentPriorityLevel;\n\n  try {\n    if (enableProfiling) {\n      try {\n        return workLoop(hasTimeRemaining, initialTime);\n      } catch (error) {\n        if (currentTask !== null) {\n          var currentTime = exports.unstable_now();\n          markTaskErrored(currentTask, currentTime);\n          currentTask.isQueued = false;\n        }\n\n        throw error;\n      }\n    } else {\n      // No catch in prod code path.\n      return workLoop(hasTimeRemaining, initialTime);\n    }\n  } finally {\n    currentTask = null;\n    currentPriorityLevel = previousPriorityLevel;\n    isPerformingWork = false;\n  }\n}\n\nfunction workLoop(hasTimeRemaining, initialTime) {\n  var currentTime = initialTime;\n  advanceTimers(currentTime);\n  currentTask = peek(taskQueue);\n\n  while (currentTask !== null && !(enableSchedulerDebugging )) {\n    if (currentTask.expirationTime > currentTime && (!hasTimeRemaining || shouldYieldToHost())) {\n      // This currentTask hasn't expired, and we've reached the deadline.\n      break;\n    }\n\n    var callback = currentTask.callback;\n\n    if (typeof callback === 'function') {\n      currentTask.callback = null;\n      currentPriorityLevel = currentTask.priorityLevel;\n      var didUserCallbackTimeout = currentTask.expirationTime <= currentTime;\n\n      var continuationCallback = callback(didUserCallbackTimeout);\n      currentTime = exports.unstable_now();\n\n      if (typeof continuationCallback === 'function') {\n        currentTask.callback = continuationCallback;\n      } else {\n\n        if (currentTask === peek(taskQueue)) {\n          pop(taskQueue);\n        }\n      }\n\n      advanceTimers(currentTime);\n    } else {\n      pop(taskQueue);\n    }\n\n    currentTask = peek(taskQueue);\n  } // Return whether there's additional work\n\n\n  if (currentTask !== null) {\n    return true;\n  } else {\n    var firstTimer = peek(timerQueue);\n\n    if (firstTimer !== null) {\n      requestHostTimeout(handleTimeout, firstTimer.startTime - currentTime);\n    }\n\n    return false;\n  }\n}\n\nfunction unstable_runWithPriority(priorityLevel, eventHandler) {\n  switch (priorityLevel) {\n    case ImmediatePriority:\n    case UserBlockingPriority:\n    case NormalPriority:\n    case LowPriority:\n    case IdlePriority:\n      break;\n\n    default:\n      priorityLevel = NormalPriority;\n  }\n\n  var previousPriorityLevel = currentPriorityLevel;\n  currentPriorityLevel = priorityLevel;\n\n  try {\n    return eventHandler();\n  } finally {\n    currentPriorityLevel = previousPriorityLevel;\n  }\n}\n\nfunction unstable_next(eventHandler) {\n  var priorityLevel;\n\n  switch (currentPriorityLevel) {\n    case ImmediatePriority:\n    case UserBlockingPriority:\n    case NormalPriority:\n      // Shift down to normal priority\n      priorityLevel = NormalPriority;\n      break;\n\n    default:\n      // Anything lower than normal priority should remain at the current level.\n      priorityLevel = currentPriorityLevel;\n      break;\n  }\n\n  var previousPriorityLevel = currentPriorityLevel;\n  currentPriorityLevel = priorityLevel;\n\n  try {\n    return eventHandler();\n  } finally {\n    currentPriorityLevel = previousPriorityLevel;\n  }\n}\n\nfunction unstable_wrapCallback(callback) {\n  var parentPriorityLevel = currentPriorityLevel;\n  return function () {\n    // This is a fork of runWithPriority, inlined for performance.\n    var previousPriorityLevel = currentPriorityLevel;\n    currentPriorityLevel = parentPriorityLevel;\n\n    try {\n      return callback.apply(this, arguments);\n    } finally {\n      currentPriorityLevel = previousPriorityLevel;\n    }\n  };\n}\n\nfunction unstable_scheduleCallback(priorityLevel, callback, options) {\n  var currentTime = exports.unstable_now();\n  var startTime;\n\n  if (typeof options === 'object' && options !== null) {\n    var delay = options.delay;\n\n    if (typeof delay === 'number' && delay > 0) {\n      startTime = currentTime + delay;\n    } else {\n      startTime = currentTime;\n    }\n  } else {\n    startTime = currentTime;\n  }\n\n  var timeout;\n\n  switch (priorityLevel) {\n    case ImmediatePriority:\n      timeout = IMMEDIATE_PRIORITY_TIMEOUT;\n      break;\n\n    case UserBlockingPriority:\n      timeout = USER_BLOCKING_PRIORITY_TIMEOUT;\n      break;\n\n    case IdlePriority:\n      timeout = IDLE_PRIORITY_TIMEOUT;\n      break;\n\n    case LowPriority:\n      timeout = LOW_PRIORITY_TIMEOUT;\n      break;\n\n    case NormalPriority:\n    default:\n      timeout = NORMAL_PRIORITY_TIMEOUT;\n      break;\n  }\n\n  var expirationTime = startTime + timeout;\n  var newTask = {\n    id: taskIdCounter++,\n    callback: callback,\n    priorityLevel: priorityLevel,\n    startTime: startTime,\n    expirationTime: expirationTime,\n    sortIndex: -1\n  };\n\n  if (startTime > currentTime) {\n    // This is a delayed task.\n    newTask.sortIndex = startTime;\n    push(timerQueue, newTask);\n\n    if (peek(taskQueue) === null && newTask === peek(timerQueue)) {\n      // All tasks are delayed, and this is the task with the earliest delay.\n      if (isHostTimeoutScheduled) {\n        // Cancel an existing timeout.\n        cancelHostTimeout();\n      } else {\n        isHostTimeoutScheduled = true;\n      } // Schedule a timeout.\n\n\n      requestHostTimeout(handleTimeout, startTime - currentTime);\n    }\n  } else {\n    newTask.sortIndex = expirationTime;\n    push(taskQueue, newTask);\n    // wait until the next time we yield.\n\n\n    if (!isHostCallbackScheduled && !isPerformingWork) {\n      isHostCallbackScheduled = true;\n      requestHostCallback(flushWork);\n    }\n  }\n\n  return newTask;\n}\n\nfunction unstable_pauseExecution() {\n}\n\nfunction unstable_continueExecution() {\n\n  if (!isHostCallbackScheduled && !isPerformingWork) {\n    isHostCallbackScheduled = true;\n    requestHostCallback(flushWork);\n  }\n}\n\nfunction unstable_getFirstCallbackNode() {\n  return peek(taskQueue);\n}\n\nfunction unstable_cancelCallback(task) {\n  // remove from the queue because you can't remove arbitrary nodes from an\n  // array based heap, only the first one.)\n\n\n  task.callback = null;\n}\n\nfunction unstable_getCurrentPriorityLevel() {\n  return currentPriorityLevel;\n}\n\nvar isMessageLoopRunning = false;\nvar scheduledHostCallback = null;\nvar taskTimeoutID = -1; // Scheduler periodically yields in case there is other work on the main\n// thread, like user events. By default, it yields multiple times per frame.\n// It does not attempt to align with frame boundaries, since most tasks don't\n// need to be frame aligned; for those that do, use requestAnimationFrame.\n\nvar frameInterval = frameYieldMs;\nvar startTime = -1;\n\nfunction shouldYieldToHost() {\n  var timeElapsed = exports.unstable_now() - startTime;\n\n  if (timeElapsed < frameInterval) {\n    // The main thread has only been blocked for a really short amount of time;\n    // smaller than a single frame. Don't yield yet.\n    return false;\n  } // The main thread has been blocked for a non-negligible amount of time. We\n\n\n  return true;\n}\n\nfunction requestPaint() {\n\n}\n\nfunction forceFrameRate(fps) {\n  if (fps < 0 || fps > 125) {\n    // Using console['error'] to evade Babel and ESLint\n    console['error']('forceFrameRate takes a positive int between 0 and 125, ' + 'forcing frame rates higher than 125 fps is not supported');\n    return;\n  }\n\n  if (fps > 0) {\n    frameInterval = Math.floor(1000 / fps);\n  } else {\n    // reset the framerate\n    frameInterval = frameYieldMs;\n  }\n}\n\nvar performWorkUntilDeadline = function () {\n  if (scheduledHostCallback !== null) {\n    var currentTime = exports.unstable_now(); // Keep track of the start time so we can measure how long the main thread\n    // has been blocked.\n\n    startTime = currentTime;\n    var hasTimeRemaining = true; // If a scheduler task throws, exit the current browser task so the\n    // error can be observed.\n    //\n    // Intentionally not using a try-catch, since that makes some debugging\n    // techniques harder. Instead, if `scheduledHostCallback` errors, then\n    // `hasMoreWork` will remain true, and we'll continue the work loop.\n\n    var hasMoreWork = true;\n\n    try {\n      hasMoreWork = scheduledHostCallback(hasTimeRemaining, currentTime);\n    } finally {\n      if (hasMoreWork) {\n        // If there's more work, schedule the next message event at the end\n        // of the preceding one.\n        schedulePerformWorkUntilDeadline();\n      } else {\n        isMessageLoopRunning = false;\n        scheduledHostCallback = null;\n      }\n    }\n  } else {\n    isMessageLoopRunning = false;\n  } // Yielding to the browser will give it a chance to paint, so we can\n};\n\nvar schedulePerformWorkUntilDeadline;\n\nif (typeof localSetImmediate === 'function') {\n  // Node.js and old IE.\n  // There's a few reasons for why we prefer setImmediate.\n  //\n  // Unlike MessageChannel, it doesn't prevent a Node.js process from exiting.\n  // (Even though this is a DOM fork of the Scheduler, you could get here\n  // with a mix of Node.js 15+, which has a MessageChannel, and jsdom.)\n  // https://github.com/facebook/react/issues/20756\n  //\n  // But also, it runs earlier which is the semantic we want.\n  // If other browsers ever implement it, it's better to use it.\n  // Although both of these would be inferior to native scheduling.\n  schedulePerformWorkUntilDeadline = function () {\n    localSetImmediate(performWorkUntilDeadline);\n  };\n} else if (typeof MessageChannel !== 'undefined') {\n  // DOM and Worker environments.\n  // We prefer MessageChannel because of the 4ms setTimeout clamping.\n  var channel = new MessageChannel();\n  var port = channel.port2;\n  channel.port1.onmessage = performWorkUntilDeadline;\n\n  schedulePerformWorkUntilDeadline = function () {\n    port.postMessage(null);\n  };\n} else {\n  // We should only fallback here in non-browser environments.\n  schedulePerformWorkUntilDeadline = function () {\n    localSetTimeout(performWorkUntilDeadline, 0);\n  };\n}\n\nfunction requestHostCallback(callback) {\n  scheduledHostCallback = callback;\n\n  if (!isMessageLoopRunning) {\n    isMessageLoopRunning = true;\n    schedulePerformWorkUntilDeadline();\n  }\n}\n\nfunction requestHostTimeout(callback, ms) {\n  taskTimeoutID = localSetTimeout(function () {\n    callback(exports.unstable_now());\n  }, ms);\n}\n\nfunction cancelHostTimeout() {\n  localClearTimeout(taskTimeoutID);\n  taskTimeoutID = -1;\n}\n\nvar unstable_requestPaint = requestPaint;\nvar unstable_Profiling =  null;\n\nexports.unstable_IdlePriority = IdlePriority;\nexports.unstable_ImmediatePriority = ImmediatePriority;\nexports.unstable_LowPriority = LowPriority;\nexports.unstable_NormalPriority = NormalPriority;\nexports.unstable_Profiling = unstable_Profiling;\nexports.unstable_UserBlockingPriority = UserBlockingPriority;\nexports.unstable_cancelCallback = unstable_cancelCallback;\nexports.unstable_continueExecution = unstable_continueExecution;\nexports.unstable_forceFrameRate = forceFrameRate;\nexports.unstable_getCurrentPriorityLevel = unstable_getCurrentPriorityLevel;\nexports.unstable_getFirstCallbackNode = unstable_getFirstCallbackNode;\nexports.unstable_next = unstable_next;\nexports.unstable_pauseExecution = unstable_pauseExecution;\nexports.unstable_requestPaint = unstable_requestPaint;\nexports.unstable_runWithPriority = unstable_runWithPriority;\nexports.unstable_scheduleCallback = unstable_scheduleCallback;\nexports.unstable_shouldYield = shouldYieldToHost;\nexports.unstable_wrapCallback = unstable_wrapCallback;\n          /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n  typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop ===\n    'function'\n) {\n  __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error());\n}\n        \n  })();\n}\n\n\n//# sourceURL=webpack://WordPress/./node_modules/scheduler/cjs/scheduler.development.js?");

/***/ }),

/***/ "./node_modules/scheduler/index.js":
/*!*****************************************!*\
  !*** ./node_modules/scheduler/index.js ***!
  \*****************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) => {

eval("\n\nif (false) {} else {\n  module.exports = __webpack_require__(/*! ./cjs/scheduler.development.js */ \"./node_modules/scheduler/cjs/scheduler.development.js\");\n}\n\n\n//# sourceURL=webpack://WordPress/./node_modules/scheduler/index.js?");

/***/ }),

/***/ "react":
/*!************************!*\
  !*** external "React" ***!
  \************************/
/***/ ((module) => {

module.exports = React;

/***/ })

/******/ 	});
/************************************************************************/
/******/ 	// The module cache
/******/ 	var __webpack_module_cache__ = {};
/******/ 	
/******/ 	// The require function
/******/ 	function __webpack_require__(moduleId) {
/******/ 		// Check if module is in cache
/******/ 		var cachedModule = __webpack_module_cache__[moduleId];
/******/ 		if (cachedModule !== undefined) {
/******/ 			return cachedModule.exports;
/******/ 		}
/******/ 		// Create a new module (and put it into the cache)
/******/ 		var module = __webpack_module_cache__[moduleId] = {
/******/ 			// no module.id needed
/******/ 			// no module.loaded needed
/******/ 			exports: {}
/******/ 		};
/******/ 	
/******/ 		// Execute the module function
/******/ 		__webpack_modules__[moduleId](module, module.exports, __webpack_require__);
/******/ 	
/******/ 		// Return the exports of the module
/******/ 		return module.exports;
/******/ 	}
/******/ 	
/************************************************************************/
/******/ 	
/******/ 	// startup
/******/ 	// Load entry module and return exports
/******/ 	// This entry module can't be inlined because the eval devtool is used.
/******/ 	var __webpack_exports__ = __webpack_require__("./node_modules/react-dom/index.js");
/******/ 	window.ReactDOM = __webpack_exports__;
/******/ 	
/******/ })()
;wp-polyfill-formdata.js000064400000027142151334462320011164 0ustar00/* formdata-polyfill. MIT License. Jimmy Wärting <https://jimmy.warting.se/opensource> */

/* global FormData self Blob File */
/* eslint-disable no-inner-declarations */

if (typeof Blob !== 'undefined' && (typeof FormData === 'undefined' || !FormData.prototype.keys)) {
  const global = typeof globalThis === 'object'
    ? globalThis
    : typeof window === 'object'
      ? window
      : typeof self === 'object' ? self : this

  // keep a reference to native implementation
  const _FormData = global.FormData

  // To be monkey patched
  const _send = global.XMLHttpRequest && global.XMLHttpRequest.prototype.send
  const _fetch = global.Request && global.fetch
  const _sendBeacon = global.navigator && global.navigator.sendBeacon
  // Might be a worker thread...
  const _match = global.Element && global.Element.prototype

  // Unable to patch Request/Response constructor correctly #109
  // only way is to use ES6 class extend
  // https://github.com/babel/babel/issues/1966

  const stringTag = global.Symbol && Symbol.toStringTag

  // Add missing stringTags to blob and files
  if (stringTag) {
    if (!Blob.prototype[stringTag]) {
      Blob.prototype[stringTag] = 'Blob'
    }

    if ('File' in global && !File.prototype[stringTag]) {
      File.prototype[stringTag] = 'File'
    }
  }

  // Fix so you can construct your own File
  try {
    new File([], '') // eslint-disable-line
  } catch (a) {
    global.File = function File (b, d, c) {
      const blob = new Blob(b, c || {})
      const t = c && void 0 !== c.lastModified ? new Date(c.lastModified) : new Date()

      Object.defineProperties(blob, {
        name: {
          value: d
        },
        lastModified: {
          value: +t
        },
        toString: {
          value () {
            return '[object File]'
          }
        }
      })

      if (stringTag) {
        Object.defineProperty(blob, stringTag, {
          value: 'File'
        })
      }

      return blob
    }
  }

  function ensureArgs (args, expected) {
    if (args.length < expected) {
      throw new TypeError(`${expected} argument required, but only ${args.length} present.`)
    }
  }

  /**
   * @param {string} name
   * @param {string | undefined} filename
   * @returns {[string, File|string]}
   */
  function normalizeArgs (name, value, filename) {
    if (value instanceof Blob) {
      filename = filename !== undefined
      ? String(filename + '')
      : typeof value.name === 'string'
      ? value.name
      : 'blob'

      if (value.name !== filename || Object.prototype.toString.call(value) === '[object Blob]') {
        value = new File([value], filename)
      }
      return [String(name), value]
    }
    return [String(name), String(value)]
  }

  // normalize line feeds for textarea
  // https://html.spec.whatwg.org/multipage/form-elements.html#textarea-line-break-normalisation-transformation
  function normalizeLinefeeds (value) {
    return value.replace(/\r?\n|\r/g, '\r\n')
  }

  /**
   * @template T
   * @param {ArrayLike<T>} arr
   * @param {{ (elm: T): void; }} cb
   */
  function each (arr, cb) {
    for (let i = 0; i < arr.length; i++) {
      cb(arr[i])
    }
  }

  const escape = str => str.replace(/\n/g, '%0A').replace(/\r/g, '%0D').replace(/"/g, '%22')

  /**
   * @implements {Iterable}
   */
  class FormDataPolyfill {
    /**
     * FormData class
     *
     * @param {HTMLFormElement=} form
     */
    constructor (form) {
      /** @type {[string, string|File][]} */
      this._data = []

      const self = this
      form && each(form.elements, (/** @type {HTMLInputElement} */ elm) => {
        if (
          !elm.name ||
          elm.disabled ||
          elm.type === 'submit' ||
          elm.type === 'button' ||
          elm.matches('form fieldset[disabled] *')
        ) return

        if (elm.type === 'file') {
          const files = elm.files && elm.files.length
            ? elm.files
            : [new File([], '', { type: 'application/octet-stream' })] // #78

          each(files, file => {
            self.append(elm.name, file)
          })
        } else if (elm.type === 'select-multiple' || elm.type === 'select-one') {
          each(elm.options, opt => {
            !opt.disabled && opt.selected && self.append(elm.name, opt.value)
          })
        } else if (elm.type === 'checkbox' || elm.type === 'radio') {
          if (elm.checked) self.append(elm.name, elm.value)
        } else {
          const value = elm.type === 'textarea' ? normalizeLinefeeds(elm.value) : elm.value
          self.append(elm.name, value)
        }
      })
    }

    /**
     * Append a field
     *
     * @param   {string}           name      field name
     * @param   {string|Blob|File} value     string / blob / file
     * @param   {string=}          filename  filename to use with blob
     * @return  {undefined}
     */
    append (name, value, filename) {
      ensureArgs(arguments, 2)
      this._data.push(normalizeArgs(name, value, filename))
    }

    /**
     * Delete all fields values given name
     *
     * @param   {string}  name  Field name
     * @return  {undefined}
     */
    delete (name) {
      ensureArgs(arguments, 1)
      const result = []
      name = String(name)

      each(this._data, entry => {
        entry[0] !== name && result.push(entry)
      })

      this._data = result
    }

    /**
     * Iterate over all fields as [name, value]
     *
     * @return {Iterator}
     */
    * entries () {
      for (var i = 0; i < this._data.length; i++) {
        yield this._data[i]
      }
    }

    /**
     * Iterate over all fields
     *
     * @param   {Function}  callback  Executed for each item with parameters (value, name, thisArg)
     * @param   {Object=}   thisArg   `this` context for callback function
     */
    forEach (callback, thisArg) {
      ensureArgs(arguments, 1)
      for (const [name, value] of this) {
        callback.call(thisArg, value, name, this)
      }
    }

    /**
     * Return first field value given name
     * or null if non existent
     *
     * @param   {string}  name      Field name
     * @return  {string|File|null}  value Fields value
     */
    get (name) {
      ensureArgs(arguments, 1)
      const entries = this._data
      name = String(name)
      for (let i = 0; i < entries.length; i++) {
        if (entries[i][0] === name) {
          return entries[i][1]
        }
      }
      return null
    }

    /**
     * Return all fields values given name
     *
     * @param   {string}  name  Fields name
     * @return  {Array}         [{String|File}]
     */
    getAll (name) {
      ensureArgs(arguments, 1)
      const result = []
      name = String(name)
      each(this._data, data => {
        data[0] === name && result.push(data[1])
      })

      return result
    }

    /**
     * Check for field name existence
     *
     * @param   {string}   name  Field name
     * @return  {boolean}
     */
    has (name) {
      ensureArgs(arguments, 1)
      name = String(name)
      for (let i = 0; i < this._data.length; i++) {
        if (this._data[i][0] === name) {
          return true
        }
      }
      return false
    }

    /**
     * Iterate over all fields name
     *
     * @return {Iterator}
     */
    * keys () {
      for (const [name] of this) {
        yield name
      }
    }

    /**
     * Overwrite all values given name
     *
     * @param   {string}    name      Filed name
     * @param   {string}    value     Field value
     * @param   {string=}   filename  Filename (optional)
     */
    set (name, value, filename) {
      ensureArgs(arguments, 2)
      name = String(name)
      /** @type {[string, string|File][]} */
      const result = []
      const args = normalizeArgs(name, value, filename)
      let replace = true

      // - replace the first occurrence with same name
      // - discards the remaining with same name
      // - while keeping the same order items where added
      each(this._data, data => {
        data[0] === name
          ? replace && (replace = !result.push(args))
          : result.push(data)
      })

      replace && result.push(args)

      this._data = result
    }

    /**
     * Iterate over all fields
     *
     * @return {Iterator}
     */
    * values () {
      for (const [, value] of this) {
        yield value
      }
    }

    /**
     * Return a native (perhaps degraded) FormData with only a `append` method
     * Can throw if it's not supported
     *
     * @return {FormData}
     */
    ['_asNative'] () {
      const fd = new _FormData()

      for (const [name, value] of this) {
        fd.append(name, value)
      }

      return fd
    }

    /**
     * [_blob description]
     *
     * @return {Blob} [description]
     */
    ['_blob'] () {
        const boundary = '----formdata-polyfill-' + Math.random(),
          chunks = [],
          p = `--${boundary}\r\nContent-Disposition: form-data; name="`
        this.forEach((value, name) => typeof value == 'string'
          ? chunks.push(p + escape(normalizeLinefeeds(name)) + `"\r\n\r\n${normalizeLinefeeds(value)}\r\n`)
          : chunks.push(p + escape(normalizeLinefeeds(name)) + `"; filename="${escape(value.name)}"\r\nContent-Type: ${value.type||"application/octet-stream"}\r\n\r\n`, value, `\r\n`))
        chunks.push(`--${boundary}--`)
        return new Blob(chunks, {
          type: "multipart/form-data; boundary=" + boundary
        })
    }

    /**
     * The class itself is iterable
     * alias for formdata.entries()
     *
     * @return {Iterator}
     */
    [Symbol.iterator] () {
      return this.entries()
    }

    /**
     * Create the default string description.
     *
     * @return  {string} [object FormData]
     */
    toString () {
      return '[object FormData]'
    }
  }

  if (_match && !_match.matches) {
    _match.matches =
      _match.matchesSelector ||
      _match.mozMatchesSelector ||
      _match.msMatchesSelector ||
      _match.oMatchesSelector ||
      _match.webkitMatchesSelector ||
      function (s) {
        var matches = (this.document || this.ownerDocument).querySelectorAll(s)
        var i = matches.length
        while (--i >= 0 && matches.item(i) !== this) {}
        return i > -1
      }
  }

  if (stringTag) {
    /**
     * Create the default string description.
     * It is accessed internally by the Object.prototype.toString().
     */
    FormDataPolyfill.prototype[stringTag] = 'FormData'
  }

  // Patch xhr's send method to call _blob transparently
  if (_send) {
    const setRequestHeader = global.XMLHttpRequest.prototype.setRequestHeader

    global.XMLHttpRequest.prototype.setRequestHeader = function (name, value) {
      setRequestHeader.call(this, name, value)
      if (name.toLowerCase() === 'content-type') this._hasContentType = true
    }

    global.XMLHttpRequest.prototype.send = function (data) {
      // need to patch send b/c old IE don't send blob's type (#44)
      if (data instanceof FormDataPolyfill) {
        const blob = data['_blob']()
        if (!this._hasContentType) this.setRequestHeader('Content-Type', blob.type)
        _send.call(this, blob)
      } else {
        _send.call(this, data)
      }
    }
  }

  // Patch fetch's function to call _blob transparently
  if (_fetch) {
    global.fetch = function (input, init) {
      if (init && init.body && init.body instanceof FormDataPolyfill) {
        init.body = init.body['_blob']()
      }

      return _fetch.call(this, input, init)
    }
  }

  // Patch navigator.sendBeacon to use native FormData
  if (_sendBeacon) {
    global.navigator.sendBeacon = function (url, data) {
      if (data instanceof FormDataPolyfill) {
        data = data['_asNative']()
      }
      return _sendBeacon.call(this, url, data)
    }
  }

  global['FormData'] = FormDataPolyfill
}
regenerator-runtime.js000064400000061171151334462320011111 0ustar00/**
 * Copyright (c) 2014-present, Facebook, Inc.
 *
 * This source code is licensed under the MIT license found in the
 * LICENSE file in the root directory of this source tree.
 */

var runtime = (function (exports) {
  "use strict";

  var Op = Object.prototype;
  var hasOwn = Op.hasOwnProperty;
  var defineProperty = Object.defineProperty || function (obj, key, desc) { obj[key] = desc.value; };
  var undefined; // More compressible than void 0.
  var $Symbol = typeof Symbol === "function" ? Symbol : {};
  var iteratorSymbol = $Symbol.iterator || "@@iterator";
  var asyncIteratorSymbol = $Symbol.asyncIterator || "@@asyncIterator";
  var toStringTagSymbol = $Symbol.toStringTag || "@@toStringTag";

  function define(obj, key, value) {
    Object.defineProperty(obj, key, {
      value: value,
      enumerable: true,
      configurable: true,
      writable: true
    });
    return obj[key];
  }
  try {
    // IE 8 has a broken Object.defineProperty that only works on DOM objects.
    define({}, "");
  } catch (err) {
    define = function(obj, key, value) {
      return obj[key] = value;
    };
  }

  function wrap(innerFn, outerFn, self, tryLocsList) {
    // If outerFn provided and outerFn.prototype is a Generator, then outerFn.prototype instanceof Generator.
    var protoGenerator = outerFn && outerFn.prototype instanceof Generator ? outerFn : Generator;
    var generator = Object.create(protoGenerator.prototype);
    var context = new Context(tryLocsList || []);

    // The ._invoke method unifies the implementations of the .next,
    // .throw, and .return methods.
    defineProperty(generator, "_invoke", { value: makeInvokeMethod(innerFn, self, context) });

    return generator;
  }
  exports.wrap = wrap;

  // Try/catch helper to minimize deoptimizations. Returns a completion
  // record like context.tryEntries[i].completion. This interface could
  // have been (and was previously) designed to take a closure to be
  // invoked without arguments, but in all the cases we care about we
  // already have an existing method we want to call, so there's no need
  // to create a new function object. We can even get away with assuming
  // the method takes exactly one argument, since that happens to be true
  // in every case, so we don't have to touch the arguments object. The
  // only additional allocation required is the completion record, which
  // has a stable shape and so hopefully should be cheap to allocate.
  function tryCatch(fn, obj, arg) {
    try {
      return { type: "normal", arg: fn.call(obj, arg) };
    } catch (err) {
      return { type: "throw", arg: err };
    }
  }

  var GenStateSuspendedStart = "suspendedStart";
  var GenStateSuspendedYield = "suspendedYield";
  var GenStateExecuting = "executing";
  var GenStateCompleted = "completed";

  // Returning this object from the innerFn has the same effect as
  // breaking out of the dispatch switch statement.
  var ContinueSentinel = {};

  // Dummy constructor functions that we use as the .constructor and
  // .constructor.prototype properties for functions that return Generator
  // objects. For full spec compliance, you may wish to configure your
  // minifier not to mangle the names of these two functions.
  function Generator() {}
  function GeneratorFunction() {}
  function GeneratorFunctionPrototype() {}

  // This is a polyfill for %IteratorPrototype% for environments that
  // don't natively support it.
  var IteratorPrototype = {};
  define(IteratorPrototype, iteratorSymbol, function () {
    return this;
  });

  var getProto = Object.getPrototypeOf;
  var NativeIteratorPrototype = getProto && getProto(getProto(values([])));
  if (NativeIteratorPrototype &&
      NativeIteratorPrototype !== Op &&
      hasOwn.call(NativeIteratorPrototype, iteratorSymbol)) {
    // This environment has a native %IteratorPrototype%; use it instead
    // of the polyfill.
    IteratorPrototype = NativeIteratorPrototype;
  }

  var Gp = GeneratorFunctionPrototype.prototype =
    Generator.prototype = Object.create(IteratorPrototype);
  GeneratorFunction.prototype = GeneratorFunctionPrototype;
  defineProperty(Gp, "constructor", { value: GeneratorFunctionPrototype, configurable: true });
  defineProperty(
    GeneratorFunctionPrototype,
    "constructor",
    { value: GeneratorFunction, configurable: true }
  );
  GeneratorFunction.displayName = define(
    GeneratorFunctionPrototype,
    toStringTagSymbol,
    "GeneratorFunction"
  );

  // Helper for defining the .next, .throw, and .return methods of the
  // Iterator interface in terms of a single ._invoke method.
  function defineIteratorMethods(prototype) {
    ["next", "throw", "return"].forEach(function(method) {
      define(prototype, method, function(arg) {
        return this._invoke(method, arg);
      });
    });
  }

  exports.isGeneratorFunction = function(genFun) {
    var ctor = typeof genFun === "function" && genFun.constructor;
    return ctor
      ? ctor === GeneratorFunction ||
        // For the native GeneratorFunction constructor, the best we can
        // do is to check its .name property.
        (ctor.displayName || ctor.name) === "GeneratorFunction"
      : false;
  };

  exports.mark = function(genFun) {
    if (Object.setPrototypeOf) {
      Object.setPrototypeOf(genFun, GeneratorFunctionPrototype);
    } else {
      genFun.__proto__ = GeneratorFunctionPrototype;
      define(genFun, toStringTagSymbol, "GeneratorFunction");
    }
    genFun.prototype = Object.create(Gp);
    return genFun;
  };

  // Within the body of any async function, `await x` is transformed to
  // `yield regeneratorRuntime.awrap(x)`, so that the runtime can test
  // `hasOwn.call(value, "__await")` to determine if the yielded value is
  // meant to be awaited.
  exports.awrap = function(arg) {
    return { __await: arg };
  };

  function AsyncIterator(generator, PromiseImpl) {
    function invoke(method, arg, resolve, reject) {
      var record = tryCatch(generator[method], generator, arg);
      if (record.type === "throw") {
        reject(record.arg);
      } else {
        var result = record.arg;
        var value = result.value;
        if (value &&
            typeof value === "object" &&
            hasOwn.call(value, "__await")) {
          return PromiseImpl.resolve(value.__await).then(function(value) {
            invoke("next", value, resolve, reject);
          }, function(err) {
            invoke("throw", err, resolve, reject);
          });
        }

        return PromiseImpl.resolve(value).then(function(unwrapped) {
          // When a yielded Promise is resolved, its final value becomes
          // the .value of the Promise<{value,done}> result for the
          // current iteration.
          result.value = unwrapped;
          resolve(result);
        }, function(error) {
          // If a rejected Promise was yielded, throw the rejection back
          // into the async generator function so it can be handled there.
          return invoke("throw", error, resolve, reject);
        });
      }
    }

    var previousPromise;

    function enqueue(method, arg) {
      function callInvokeWithMethodAndArg() {
        return new PromiseImpl(function(resolve, reject) {
          invoke(method, arg, resolve, reject);
        });
      }

      return previousPromise =
        // If enqueue has been called before, then we want to wait until
        // all previous Promises have been resolved before calling invoke,
        // so that results are always delivered in the correct order. If
        // enqueue has not been called before, then it is important to
        // call invoke immediately, without waiting on a callback to fire,
        // so that the async generator function has the opportunity to do
        // any necessary setup in a predictable way. This predictability
        // is why the Promise constructor synchronously invokes its
        // executor callback, and why async functions synchronously
        // execute code before the first await. Since we implement simple
        // async functions in terms of async generators, it is especially
        // important to get this right, even though it requires care.
        previousPromise ? previousPromise.then(
          callInvokeWithMethodAndArg,
          // Avoid propagating failures to Promises returned by later
          // invocations of the iterator.
          callInvokeWithMethodAndArg
        ) : callInvokeWithMethodAndArg();
    }

    // Define the unified helper method that is used to implement .next,
    // .throw, and .return (see defineIteratorMethods).
    defineProperty(this, "_invoke", { value: enqueue });
  }

  defineIteratorMethods(AsyncIterator.prototype);
  define(AsyncIterator.prototype, asyncIteratorSymbol, function () {
    return this;
  });
  exports.AsyncIterator = AsyncIterator;

  // Note that simple async functions are implemented on top of
  // AsyncIterator objects; they just return a Promise for the value of
  // the final result produced by the iterator.
  exports.async = function(innerFn, outerFn, self, tryLocsList, PromiseImpl) {
    if (PromiseImpl === void 0) PromiseImpl = Promise;

    var iter = new AsyncIterator(
      wrap(innerFn, outerFn, self, tryLocsList),
      PromiseImpl
    );

    return exports.isGeneratorFunction(outerFn)
      ? iter // If outerFn is a generator, return the full iterator.
      : iter.next().then(function(result) {
          return result.done ? result.value : iter.next();
        });
  };

  function makeInvokeMethod(innerFn, self, context) {
    var state = GenStateSuspendedStart;

    return function invoke(method, arg) {
      if (state === GenStateExecuting) {
        throw new Error("Generator is already running");
      }

      if (state === GenStateCompleted) {
        if (method === "throw") {
          throw arg;
        }

        // Be forgiving, per 25.3.3.3.3 of the spec:
        // https://people.mozilla.org/~jorendorff/es6-draft.html#sec-generatorresume
        return doneResult();
      }

      context.method = method;
      context.arg = arg;

      while (true) {
        var delegate = context.delegate;
        if (delegate) {
          var delegateResult = maybeInvokeDelegate(delegate, context);
          if (delegateResult) {
            if (delegateResult === ContinueSentinel) continue;
            return delegateResult;
          }
        }

        if (context.method === "next") {
          // Setting context._sent for legacy support of Babel's
          // function.sent implementation.
          context.sent = context._sent = context.arg;

        } else if (context.method === "throw") {
          if (state === GenStateSuspendedStart) {
            state = GenStateCompleted;
            throw context.arg;
          }

          context.dispatchException(context.arg);

        } else if (context.method === "return") {
          context.abrupt("return", context.arg);
        }

        state = GenStateExecuting;

        var record = tryCatch(innerFn, self, context);
        if (record.type === "normal") {
          // If an exception is thrown from innerFn, we leave state ===
          // GenStateExecuting and loop back for another invocation.
          state = context.done
            ? GenStateCompleted
            : GenStateSuspendedYield;

          if (record.arg === ContinueSentinel) {
            continue;
          }

          return {
            value: record.arg,
            done: context.done
          };

        } else if (record.type === "throw") {
          state = GenStateCompleted;
          // Dispatch the exception by looping back around to the
          // context.dispatchException(context.arg) call above.
          context.method = "throw";
          context.arg = record.arg;
        }
      }
    };
  }

  // Call delegate.iterator[context.method](context.arg) and handle the
  // result, either by returning a { value, done } result from the
  // delegate iterator, or by modifying context.method and context.arg,
  // setting context.delegate to null, and returning the ContinueSentinel.
  function maybeInvokeDelegate(delegate, context) {
    var methodName = context.method;
    var method = delegate.iterator[methodName];
    if (method === undefined) {
      // A .throw or .return when the delegate iterator has no .throw
      // method, or a missing .next mehtod, always terminate the
      // yield* loop.
      context.delegate = null;

      // Note: ["return"] must be used for ES3 parsing compatibility.
      if (methodName === "throw" && delegate.iterator["return"]) {
        // If the delegate iterator has a return method, give it a
        // chance to clean up.
        context.method = "return";
        context.arg = undefined;
        maybeInvokeDelegate(delegate, context);

        if (context.method === "throw") {
          // If maybeInvokeDelegate(context) changed context.method from
          // "return" to "throw", let that override the TypeError below.
          return ContinueSentinel;
        }
      }
      if (methodName !== "return") {
        context.method = "throw";
        context.arg = new TypeError(
          "The iterator does not provide a '" + methodName + "' method");
      }

      return ContinueSentinel;
    }

    var record = tryCatch(method, delegate.iterator, context.arg);

    if (record.type === "throw") {
      context.method = "throw";
      context.arg = record.arg;
      context.delegate = null;
      return ContinueSentinel;
    }

    var info = record.arg;

    if (! info) {
      context.method = "throw";
      context.arg = new TypeError("iterator result is not an object");
      context.delegate = null;
      return ContinueSentinel;
    }

    if (info.done) {
      // Assign the result of the finished delegate to the temporary
      // variable specified by delegate.resultName (see delegateYield).
      context[delegate.resultName] = info.value;

      // Resume execution at the desired location (see delegateYield).
      context.next = delegate.nextLoc;

      // If context.method was "throw" but the delegate handled the
      // exception, let the outer generator proceed normally. If
      // context.method was "next", forget context.arg since it has been
      // "consumed" by the delegate iterator. If context.method was
      // "return", allow the original .return call to continue in the
      // outer generator.
      if (context.method !== "return") {
        context.method = "next";
        context.arg = undefined;
      }

    } else {
      // Re-yield the result returned by the delegate method.
      return info;
    }

    // The delegate iterator is finished, so forget it and continue with
    // the outer generator.
    context.delegate = null;
    return ContinueSentinel;
  }

  // Define Generator.prototype.{next,throw,return} in terms of the
  // unified ._invoke helper method.
  defineIteratorMethods(Gp);

  define(Gp, toStringTagSymbol, "Generator");

  // A Generator should always return itself as the iterator object when the
  // @@iterator function is called on it. Some browsers' implementations of the
  // iterator prototype chain incorrectly implement this, causing the Generator
  // object to not be returned from this call. This ensures that doesn't happen.
  // See https://github.com/facebook/regenerator/issues/274 for more details.
  define(Gp, iteratorSymbol, function() {
    return this;
  });

  define(Gp, "toString", function() {
    return "[object Generator]";
  });

  function pushTryEntry(locs) {
    var entry = { tryLoc: locs[0] };

    if (1 in locs) {
      entry.catchLoc = locs[1];
    }

    if (2 in locs) {
      entry.finallyLoc = locs[2];
      entry.afterLoc = locs[3];
    }

    this.tryEntries.push(entry);
  }

  function resetTryEntry(entry) {
    var record = entry.completion || {};
    record.type = "normal";
    delete record.arg;
    entry.completion = record;
  }

  function Context(tryLocsList) {
    // The root entry object (effectively a try statement without a catch
    // or a finally block) gives us a place to store values thrown from
    // locations where there is no enclosing try statement.
    this.tryEntries = [{ tryLoc: "root" }];
    tryLocsList.forEach(pushTryEntry, this);
    this.reset(true);
  }

  exports.keys = function(val) {
    var object = Object(val);
    var keys = [];
    for (var key in object) {
      keys.push(key);
    }
    keys.reverse();

    // Rather than returning an object with a next method, we keep
    // things simple and return the next function itself.
    return function next() {
      while (keys.length) {
        var key = keys.pop();
        if (key in object) {
          next.value = key;
          next.done = false;
          return next;
        }
      }

      // To avoid creating an additional object, we just hang the .value
      // and .done properties off the next function object itself. This
      // also ensures that the minifier will not anonymize the function.
      next.done = true;
      return next;
    };
  };

  function values(iterable) {
    if (iterable || iterable === "") {
      var iteratorMethod = iterable[iteratorSymbol];
      if (iteratorMethod) {
        return iteratorMethod.call(iterable);
      }

      if (typeof iterable.next === "function") {
        return iterable;
      }

      if (!isNaN(iterable.length)) {
        var i = -1, next = function next() {
          while (++i < iterable.length) {
            if (hasOwn.call(iterable, i)) {
              next.value = iterable[i];
              next.done = false;
              return next;
            }
          }

          next.value = undefined;
          next.done = true;

          return next;
        };

        return next.next = next;
      }
    }

    throw new TypeError(typeof iterable + " is not iterable");
  }
  exports.values = values;

  function doneResult() {
    return { value: undefined, done: true };
  }

  Context.prototype = {
    constructor: Context,

    reset: function(skipTempReset) {
      this.prev = 0;
      this.next = 0;
      // Resetting context._sent for legacy support of Babel's
      // function.sent implementation.
      this.sent = this._sent = undefined;
      this.done = false;
      this.delegate = null;

      this.method = "next";
      this.arg = undefined;

      this.tryEntries.forEach(resetTryEntry);

      if (!skipTempReset) {
        for (var name in this) {
          // Not sure about the optimal order of these conditions:
          if (name.charAt(0) === "t" &&
              hasOwn.call(this, name) &&
              !isNaN(+name.slice(1))) {
            this[name] = undefined;
          }
        }
      }
    },

    stop: function() {
      this.done = true;

      var rootEntry = this.tryEntries[0];
      var rootRecord = rootEntry.completion;
      if (rootRecord.type === "throw") {
        throw rootRecord.arg;
      }

      return this.rval;
    },

    dispatchException: function(exception) {
      if (this.done) {
        throw exception;
      }

      var context = this;
      function handle(loc, caught) {
        record.type = "throw";
        record.arg = exception;
        context.next = loc;

        if (caught) {
          // If the dispatched exception was caught by a catch block,
          // then let that catch block handle the exception normally.
          context.method = "next";
          context.arg = undefined;
        }

        return !! caught;
      }

      for (var i = this.tryEntries.length - 1; i >= 0; --i) {
        var entry = this.tryEntries[i];
        var record = entry.completion;

        if (entry.tryLoc === "root") {
          // Exception thrown outside of any try block that could handle
          // it, so set the completion value of the entire function to
          // throw the exception.
          return handle("end");
        }

        if (entry.tryLoc <= this.prev) {
          var hasCatch = hasOwn.call(entry, "catchLoc");
          var hasFinally = hasOwn.call(entry, "finallyLoc");

          if (hasCatch && hasFinally) {
            if (this.prev < entry.catchLoc) {
              return handle(entry.catchLoc, true);
            } else if (this.prev < entry.finallyLoc) {
              return handle(entry.finallyLoc);
            }

          } else if (hasCatch) {
            if (this.prev < entry.catchLoc) {
              return handle(entry.catchLoc, true);
            }

          } else if (hasFinally) {
            if (this.prev < entry.finallyLoc) {
              return handle(entry.finallyLoc);
            }

          } else {
            throw new Error("try statement without catch or finally");
          }
        }
      }
    },

    abrupt: function(type, arg) {
      for (var i = this.tryEntries.length - 1; i >= 0; --i) {
        var entry = this.tryEntries[i];
        if (entry.tryLoc <= this.prev &&
            hasOwn.call(entry, "finallyLoc") &&
            this.prev < entry.finallyLoc) {
          var finallyEntry = entry;
          break;
        }
      }

      if (finallyEntry &&
          (type === "break" ||
           type === "continue") &&
          finallyEntry.tryLoc <= arg &&
          arg <= finallyEntry.finallyLoc) {
        // Ignore the finally entry if control is not jumping to a
        // location outside the try/catch block.
        finallyEntry = null;
      }

      var record = finallyEntry ? finallyEntry.completion : {};
      record.type = type;
      record.arg = arg;

      if (finallyEntry) {
        this.method = "next";
        this.next = finallyEntry.finallyLoc;
        return ContinueSentinel;
      }

      return this.complete(record);
    },

    complete: function(record, afterLoc) {
      if (record.type === "throw") {
        throw record.arg;
      }

      if (record.type === "break" ||
          record.type === "continue") {
        this.next = record.arg;
      } else if (record.type === "return") {
        this.rval = this.arg = record.arg;
        this.method = "return";
        this.next = "end";
      } else if (record.type === "normal" && afterLoc) {
        this.next = afterLoc;
      }

      return ContinueSentinel;
    },

    finish: function(finallyLoc) {
      for (var i = this.tryEntries.length - 1; i >= 0; --i) {
        var entry = this.tryEntries[i];
        if (entry.finallyLoc === finallyLoc) {
          this.complete(entry.completion, entry.afterLoc);
          resetTryEntry(entry);
          return ContinueSentinel;
        }
      }
    },

    "catch": function(tryLoc) {
      for (var i = this.tryEntries.length - 1; i >= 0; --i) {
        var entry = this.tryEntries[i];
        if (entry.tryLoc === tryLoc) {
          var record = entry.completion;
          if (record.type === "throw") {
            var thrown = record.arg;
            resetTryEntry(entry);
          }
          return thrown;
        }
      }

      // The context.catch method must only be called with a location
      // argument that corresponds to a known catch block.
      throw new Error("illegal catch attempt");
    },

    delegateYield: function(iterable, resultName, nextLoc) {
      this.delegate = {
        iterator: values(iterable),
        resultName: resultName,
        nextLoc: nextLoc
      };

      if (this.method === "next") {
        // Deliberately forget the last sent value so that we don't
        // accidentally pass it on to the delegate.
        this.arg = undefined;
      }

      return ContinueSentinel;
    }
  };

  // Regardless of whether this script is executing as a CommonJS module
  // or not, return the runtime object so that we can declare the variable
  // regeneratorRuntime in the outer scope, which allows this module to be
  // injected easily by `bin/regenerator --include-runtime script.js`.
  return exports;

}(
  // If this script is executing as a CommonJS module, use module.exports
  // as the regeneratorRuntime namespace. Otherwise create a new empty
  // object. Either way, the resulting object will be used to initialize
  // the regeneratorRuntime variable at the top of this file.
  typeof module === "object" ? module.exports : {}
));

try {
  regeneratorRuntime = runtime;
} catch (accidentalStrictMode) {
  // This module should not be running in strict mode, so the above
  // assignment should always work unless something is misconfigured. Just
  // in case runtime.js accidentally runs in strict mode, in modern engines
  // we can explicitly access globalThis. In older engines we can escape
  // strict mode using a global Function call. This could conceivably fail
  // if a Content Security Policy forbids using Function, but in that case
  // the proper solution is to fix the accidental strict mode problem. If
  // you've misconfigured your bundler to force strict mode and applied a
  // CSP to forbid Function, and you're not willing to fix either of those
  // problems, please detail your unique predicament in a GitHub issue.
  if (typeof globalThis === "object") {
    globalThis.regeneratorRuntime = runtime;
  } else {
    Function("r", "regeneratorRuntime = r")(runtime);
  }
}
wp-polyfill-importmap.min.js000064400000065030151334462320012157 0ustar00!function(){const A="undefined"!=typeof window,Q="undefined"!=typeof document,e=()=>{};var t=Q?document.querySelector("script[type=esms-options]"):void 0;const C=t?JSON.parse(t.innerHTML):{};Object.assign(C,self.esmsInitOptions||{});let B=!Q||!!C.shimMode;const E=p(B&&C.onimport),o=p(B&&C.resolve);let i=C.fetch?p(C.fetch):fetch;const g=C.meta?p(B&&C.meta):e,n=C.mapOverrides;let s=C.nonce;!s&&Q&&(t=document.querySelector("script[nonce]"))&&(s=t.nonce||t.getAttribute("nonce"));const r=p(C.onerror||e),a=C.onpolyfill?p(C.onpolyfill):()=>{console.log("%c^^ Module TypeError above is polyfilled and can be ignored ^^","font-weight:900;color:#391")},{revokeBlobURLs:I,noLoadEventRetriggers:c,enforceIntegrity:l}=C;function p(A){return"string"==typeof A?self[A]:A}const f=(t=Array.isArray(C.polyfillEnable)?C.polyfillEnable:[]).includes("css-modules"),k=t.includes("json-modules"),w=!navigator.userAgentData&&!!navigator.userAgent.match(/Edge\/\d+\.\d+/),m=Q?document.baseURI:location.protocol+"//"+location.host+(location.pathname.includes("/")?location.pathname.slice(0,location.pathname.lastIndexOf("/")+1):location.pathname),K=(A,Q="text/javascript")=>URL.createObjectURL(new Blob([A],{type:Q}));let d=C.skip;if(Array.isArray(d)){const A=d.map((A=>new URL(A,m).href));d=Q=>A.some((A=>"/"===A[A.length-1]&&Q.startsWith(A)||Q===A))}else if("string"==typeof d){const A=new RegExp(d);d=Q=>A.test(Q)}else d instanceof RegExp&&(d=A=>d.test(A));const u=A=>setTimeout((()=>{throw A})),D=Q=>{(self.reportError||A&&window.safari&&console.error||u)(Q),r(Q)};function h(A){return A?" imported from "+A:""}let J=!1;if(!B)if(document.querySelectorAll("script[type=module-shim],script[type=importmap-shim],link[rel=modulepreload-shim]").length)B=!0;else{let A=!1;for(const Q of document.querySelectorAll("script[type=module],script[type=importmap]"))if(A){if("importmap"===Q.type&&A){J=!0;break}}else"module"!==Q.type||Q.ep||(A=!0)}const L=/\\/g;function N(A){try{if(-1!==A.indexOf(":"))return new URL(A).href}catch(A){}}function y(A,Q){return F(A,Q)||N(A)||F("./"+A,Q)}function F(A,Q){var e=Q.indexOf("#"),t=Q.indexOf("?");if(-2<e+t&&(Q=Q.slice(0,-1!==e&&(-1===t||e<t)?e:t)),"/"===(A=-1!==A.indexOf("\\")?A.replace(L,"/"):A)[0]&&"/"===A[1])return Q.slice(0,Q.indexOf(":")+1)+A;if("."===A[0]&&("/"===A[1]||"."===A[1]&&("/"===A[2]||2===A.length&&(A+="/"))||1===A.length&&(A+="/"))||"/"===A[0]){if("blob:"===(e=Q.slice(0,Q.indexOf(":")+1)))throw new TypeError(`Failed to resolve module specifier "${A}". Invalid relative url or base scheme isn't hierarchical.`);let t;if(t="/"===Q[e.length+1]?"file:"!==e?(t=Q.slice(e.length+2)).slice(t.indexOf("/")+1):Q.slice(8):Q.slice(e.length+("/"===Q[e.length])),"/"===A[0])return Q.slice(0,Q.length-t.length-1)+A;var C=t.slice(0,t.lastIndexOf("/")+1)+A,B=[];let E=-1;for(let A=0;A<C.length;A++)if(-1!==E)"/"===C[A]&&(B.push(C.slice(E,A+1)),E=-1);else{if("."===C[A]){if("."===C[A+1]&&("/"===C[A+2]||A+2===C.length)){B.pop(),A+=2;continue}if("/"===C[A+1]||A+1===C.length){A+=1;continue}}for(;"/"===C[A];)A++;E=A}return-1!==E&&B.push(C.slice(E)),Q.slice(0,Q.length-t.length)+B.join("")}}function U(A,Q,e){var t={imports:Object.assign({},e.imports),scopes:Object.assign({},e.scopes)};if(A.imports&&Y(A.imports,t.imports,Q,e),A.scopes)for(var C in A.scopes){var B=y(C,Q);Y(A.scopes[C],t.scopes[B]||(t.scopes[B]={}),Q,e)}return t}function q(A,Q){if(Q[A])return A;let e=A.length;do{var t=A.slice(0,e+1);if(t in Q)return t}while(-1!==(e=A.lastIndexOf("/",e-1)))}function v(A,Q){var e=q(A,Q);if(e&&null!==(Q=Q[e]))return Q+A.slice(e.length)}function R(A,Q,e){let t=e&&q(e,A.scopes);for(;t;){var C=v(Q,A.scopes[t]);if(C)return C;t=q(t.slice(0,t.lastIndexOf("/")),A.scopes)}return v(Q,A.imports)||-1!==Q.indexOf(":")&&Q}function Y(A,Q,e,t){for(var C in A){var E=F(C,e)||C;if((!B||!n)&&Q[E]&&Q[E]!==A[E])throw Error(`Rejected map override "${E}" from ${Q[E]} to ${A[E]}.`);var o=A[C];"string"==typeof o&&((o=R(t,F(o,e)||o,e))?Q[E]=o:console.warn(`Mapping "${C}" -> "${A[C]}" does not resolve`))}}let M,S=!Q&&(0,eval)("u=>import(u)");t=Q&&new Promise((A=>{const Q=Object.assign(document.createElement("script"),{src:K("self._d=u=>import(u)"),ep:!0});Q.setAttribute("nonce",s),Q.addEventListener("load",(()=>{if(!(M=!!(S=self._d))){let A;window.addEventListener("error",(Q=>A=Q)),S=(Q,e)=>new Promise(((t,C)=>{const B=Object.assign(document.createElement("script"),{type:"module",src:K(`import*as m from'${Q}';self._esmsi=m`)});function E(E){document.head.removeChild(B),self._esmsi?(t(self._esmsi,m),self._esmsi=void 0):(C(!(E instanceof Event)&&E||A&&A.error||new Error(`Error loading ${e&&e.errUrl||Q} (${B.src}).`)),A=void 0)}A=void 0,B.ep=!0,s&&B.setAttribute("nonce",s),B.addEventListener("error",E),B.addEventListener("load",E),document.head.appendChild(B)}))}document.head.removeChild(Q),delete self._d,A()})),document.head.appendChild(Q)}));let G=!1,b=!1;var x=Q&&HTMLScriptElement.supports;let H=x&&"supports"===x.name&&x("importmap"),$=M;const j="import.meta",O='import"x"assert{type:"css"}';x=Promise.resolve(t).then((()=>{if(M)return Q?new Promise((A=>{const Q=document.createElement("iframe");Q.style.display="none",Q.setAttribute("nonce",s),window.addEventListener("message",(function e({data:t}){Array.isArray(t)&&"esms"===t[0]&&(H=t[1],$=t[2],b=t[3],G=t[4],A(),document.head.removeChild(Q),window.removeEventListener("message",e,!1))}),!1);const e=`<script nonce=${s||""}>b=(s,type='text/javascript')=>URL.createObjectURL(new Blob([s],{type}));document.head.appendChild(Object.assign(document.createElement('script'),{type:'importmap',nonce:"${s}",innerText:\`{"imports":{"x":"\${b('')}"}}\`}));Promise.all([${H?"true,true":`'x',b('${j}')`}, ${f?`b('${O}'.replace('x',b('','text/css')))`:"false"}, ${k?"b('import\"x\"assert{type:\"json\"}'.replace('x',b('{}','text/json')))":"false"}].map(x =>typeof x==='string'?import(x).then(x =>!!x,()=>false):x)).then(a=>parent.postMessage(['esms'].concat(a),'*'))<\/script>`;let t=!1,C=!1;function B(){var A,B;t?(A=Q.contentDocument)&&0===A.head.childNodes.length&&(B=A.createElement("script"),s&&B.setAttribute("nonce",s),B.innerHTML=e.slice(15+(s?s.length:0),-9),A.head.appendChild(B)):C=!0}Q.onload=B,document.head.appendChild(Q),t=!0,"srcdoc"in Q?Q.srcdoc=e:Q.contentDocument.write(e),C&&B()})):Promise.all([H||S(K(j)).then((()=>$=!0),e),f&&S(K(O.replace("x",K("","text/css")))).then((()=>b=!0),e),k&&S(K(jsonModulescheck.replace("x",K("{}","text/json")))).then((()=>G=!0),e)])}));const X=1===new Uint8Array(new Uint16Array([1]).buffer)[0];function P(A,Q="@"){if(!Z)return V.then((()=>P(A)));const e=A.length+1,t=(Z.__heap_base.value||Z.__heap_base)+4*e-Z.memory.buffer.byteLength,C=(0<t&&Z.memory.grow(Math.ceil(t/65536)),Z.sa(e-1));if((X?_:T)(A,new Uint16Array(Z.memory.buffer,C,e)),!Z.parse())throw Object.assign(new Error(`Parse error ${Q}:${A.slice(0,Z.e()).split("\n").length}:`+(Z.e()-A.lastIndexOf("\n",Z.e()-1))),{idx:Z.e()});const B=[],E=[];for(;Z.ri();){const Q=Z.is(),e=Z.ie(),t=Z.ai(),C=Z.id(),E=Z.ss(),i=Z.se();let g;Z.ip()&&(g=o(A.slice(-1===C?Q-1:Q,-1===C?e+1:e))),B.push({n:g,s:Q,e,ss:E,se:i,d:C,a:t})}for(;Z.re();){const Q=Z.es(),e=Z.ee(),t=Z.els(),C=Z.ele(),B=A.slice(Q,e),i=B[0],g=t<0?void 0:A.slice(t,C),n=g?g[0]:"";E.push({s:Q,e,ls:t,le:C,n:'"'===i||"'"===i?o(B):B,ln:'"'===n||"'"===n?o(g):g})}function o(A){try{return(0,eval)(A)}catch(A){}}return[B,E,!!Z.f(),!!Z.ms()]}function T(A,Q){const e=A.length;let t=0;for(;t<e;){const e=A.charCodeAt(t);Q[t++]=(255&e)<<8|e>>>8}}function _(A,Q){var e=A.length;let t=0;for(;t<e;)Q[t]=A.charCodeAt(t++)}let Z;const V=WebAssembly.compile((t="AGFzbQEAAAABKghgAX8Bf2AEf39/fwBgAAF/YAAAYAF/AGADf39/AX9gAn9/AX9gAn9/AAMwLwABAQICAgICAgICAgICAgICAgICAAMDAwQEAAAAAwAAAAADAwAFBgAAAAcABgIFBAUBcAEBAQUDAQABBg8CfwFBsPIAC38AQbDyAAsHdRQGbWVtb3J5AgACc2EAAAFlAAMCaXMABAJpZQAFAnNzAAYCc2UABwJhaQAIAmlkAAkCaXAACgJlcwALAmVlAAwDZWxzAA0DZWxlAA4CcmkADwJyZQAQAWYAEQJtcwASBXBhcnNlABMLX19oZWFwX2Jhc2UDAQryPS9oAQF/QQAgADYC9AlBACgC0AkiASAAQQF0aiIAQQA7AQBBACAAQQJqIgA2AvgJQQAgADYC/AlBAEEANgLUCUEAQQA2AuQJQQBBADYC3AlBAEEANgLYCUEAQQA2AuwJQQBBADYC4AkgAQu+AQEDf0EAKALkCSEEQQBBACgC/AkiBTYC5AlBACAENgLoCUEAIAVBIGo2AvwJIARBHGpB1AkgBBsgBTYCAEEAKALICSEEQQAoAsQJIQYgBSABNgIAIAUgADYCCCAFIAIgAkECakEAIAYgA0YbIAQgA0YbNgIMIAUgAzYCFCAFQQA2AhAgBSACNgIEIAVBADYCHCAFQQAoAsQJIANGIgI6ABgCQAJAIAINAEEAKALICSADRw0BC0EAQQE6AIAKCwteAQF/QQAoAuwJIgRBEGpB2AkgBBtBACgC/AkiBDYCAEEAIAQ2AuwJQQAgBEEUajYC/AlBAEEBOgCACiAEQQA2AhAgBCADNgIMIAQgAjYCCCAEIAE2AgQgBCAANgIACwgAQQAoAoQKCxUAQQAoAtwJKAIAQQAoAtAJa0EBdQseAQF/QQAoAtwJKAIEIgBBACgC0AlrQQF1QX8gABsLFQBBACgC3AkoAghBACgC0AlrQQF1Cx4BAX9BACgC3AkoAgwiAEEAKALQCWtBAXVBfyAAGwseAQF/QQAoAtwJKAIQIgBBACgC0AlrQQF1QX8gABsLOwEBfwJAQQAoAtwJKAIUIgBBACgCxAlHDQBBfw8LAkAgAEEAKALICUcNAEF+DwsgAEEAKALQCWtBAXULCwBBACgC3AktABgLFQBBACgC4AkoAgBBACgC0AlrQQF1CxUAQQAoAuAJKAIEQQAoAtAJa0EBdQseAQF/QQAoAuAJKAIIIgBBACgC0AlrQQF1QX8gABsLHgEBf0EAKALgCSgCDCIAQQAoAtAJa0EBdUF/IAAbCyUBAX9BAEEAKALcCSIAQRxqQdQJIAAbKAIAIgA2AtwJIABBAEcLJQEBf0EAQQAoAuAJIgBBEGpB2AkgABsoAgAiADYC4AkgAEEARwsIAEEALQCICgsIAEEALQCACgvyDAEGfyMAQYDQAGsiACQAQQBBAToAiApBAEEAKALMCTYCkApBAEEAKALQCUF+aiIBNgKkCkEAIAFBACgC9AlBAXRqIgI2AqgKQQBBADoAgApBAEEAOwGKCkEAQQA7AYwKQQBBADoAlApBAEEANgKECkEAQQA6APAJQQAgAEGAEGo2ApgKQQAgADYCnApBAEEAOgCgCgJAAkACQAJAA0BBACABQQJqIgM2AqQKIAEgAk8NAQJAIAMvAQAiAkF3akEFSQ0AAkACQAJAAkACQCACQZt/ag4FAQgICAIACyACQSBGDQQgAkEvRg0DIAJBO0YNAgwHC0EALwGMCg0BIAMQFEUNASABQQRqQYIIQQoQLg0BEBVBAC0AiAoNAUEAQQAoAqQKIgE2ApAKDAcLIAMQFEUNACABQQRqQYwIQQoQLg0AEBYLQQBBACgCpAo2ApAKDAELAkAgAS8BBCIDQSpGDQAgA0EvRw0EEBcMAQtBARAYC0EAKAKoCiECQQAoAqQKIQEMAAsLQQAhAiADIQFBAC0A8AkNAgwBC0EAIAE2AqQKQQBBADoAiAoLA0BBACABQQJqIgM2AqQKAkACQAJAAkACQAJAAkACQAJAIAFBACgCqApPDQAgAy8BACICQXdqQQVJDQgCQAJAAkACQAJAAkACQAJAAkACQCACQWBqDgoSEQYRERERBQECAAsCQAJAAkACQCACQaB/ag4KCxQUAxQBFBQUAgALIAJBhX9qDgMFEwYJC0EALwGMCg0SIAMQFEUNEiABQQRqQYIIQQoQLg0SEBUMEgsgAxAURQ0RIAFBBGpBjAhBChAuDREQFgwRCyADEBRFDRAgASkABELsgISDsI7AOVINECABLwEMIgNBd2oiAUEXSw0OQQEgAXRBn4CABHFFDQ4MDwtBAEEALwGMCiIBQQFqOwGMCkEAKAKYCiABQQN0aiIBQQE2AgAgAUEAKAKQCjYCBAwPC0EALwGMCiIDRQ0LQQAgA0F/aiICOwGMCkEALwGKCiIDRQ0OQQAoApgKIAJB//8DcUEDdGooAgBBBUcNDgJAIANBAnRBACgCnApqQXxqKAIAIgIoAgQNACACQQAoApAKQQJqNgIEC0EAIANBf2o7AYoKIAIgAUEEajYCDAwOCwJAQQAoApAKIgEvAQBBKUcNAEEAKALkCSIDRQ0AIAMoAgQgAUcNAEEAQQAoAugJIgM2AuQJAkAgA0UNACADQQA2AhwMAQtBAEEANgLUCQtBAEEALwGMCiIDQQFqOwGMCkEAKAKYCiADQQN0aiIDQQZBAkEALQCgChs2AgAgAyABNgIEQQBBADoAoAoMDQtBAC8BjAoiAUUNCUEAIAFBf2oiATsBjApBACgCmAogAUH//wNxQQN0aigCAEEERg0EDAwLQScQGQwLC0EiEBkMCgsgAkEvRw0JAkACQCABLwEEIgFBKkYNACABQS9HDQEQFwwMC0EBEBgMCwsCQAJAQQAoApAKIgEvAQAiAxAaRQ0AAkACQCADQVVqDgQACAEDCAsgAUF+ai8BAEErRg0GDAcLIAFBfmovAQBBLUYNBQwGCwJAIANB/QBGDQAgA0EpRw0FQQAoApgKQQAvAYwKQQN0aigCBBAbRQ0FDAYLQQAoApgKQQAvAYwKQQN0aiICKAIEEBwNBSACKAIAQQZGDQUMBAsgAUF+ai8BAEFQakH//wNxQQpJDQMMBAtBACgCmApBAC8BjAoiAUEDdCIDakEAKAKQCjYCBEEAIAFBAWo7AYwKQQAoApgKIANqQQM2AgALEB0MBwtBAC0A8AlBAC8BigpBAC8BjApyckUhAgwJCyABEB4NACADRQ0AIANBL0ZBAC0AlApBAEdxDQAgAUF+aiEBQQAoAtAJIQICQANAIAFBAmoiBCACTQ0BQQAgATYCkAogAS8BACEDIAFBfmoiBCEBIAMQH0UNAAsgBEECaiEEC0EBIQUgA0H//wNxECBFDQEgBEF+aiEBAkADQCABQQJqIgMgAk0NAUEAIAE2ApAKIAEvAQAhAyABQX5qIgQhASADECANAAsgBEECaiEDCyADECFFDQEQIkEAQQA6AJQKDAULECJBACEFC0EAIAU6AJQKDAMLECNBACECDAULIANBoAFHDQELQQBBAToAoAoLQQBBACgCpAo2ApAKC0EAKAKkCiEBDAALCyAAQYDQAGokACACCxoAAkBBACgC0AkgAEcNAEEBDwsgAEF+ahAkC/wKAQZ/QQBBACgCpAoiAEEMaiIBNgKkCkEAKALsCSECQQEQKCEDAkACQAJAAkACQAJAAkACQAJAQQAoAqQKIgQgAUcNACADECdFDQELAkACQAJAAkACQAJAAkAgA0EqRg0AIANB+wBHDQFBACAEQQJqNgKkCkEBECghA0EAKAKkCiEEA0ACQAJAIANB//8DcSIDQSJGDQAgA0EnRg0AIAMQKxpBACgCpAohAwwBCyADEBlBAEEAKAKkCkECaiIDNgKkCgtBARAoGgJAIAQgAxAsIgNBLEcNAEEAQQAoAqQKQQJqNgKkCkEBECghAwsgA0H9AEYNA0EAKAKkCiIFIARGDQ8gBSEEIAVBACgCqApNDQAMDwsLQQAgBEECajYCpApBARAoGkEAKAKkCiIDIAMQLBoMAgtBAEEAOgCICgJAAkACQAJAAkACQCADQZ9/ag4MAgsEAQsDCwsLCwsFAAsgA0H2AEYNBAwKC0EAIARBDmoiAzYCpAoCQAJAAkBBARAoQZ9/ag4GABICEhIBEgtBACgCpAoiBSkAAkLzgOSD4I3AMVINESAFLwEKECBFDRFBACAFQQpqNgKkCkEAECgaC0EAKAKkCiIFQQJqQaIIQQ4QLg0QIAUvARAiAkF3aiIBQRdLDQ1BASABdEGfgIAEcUUNDQwOC0EAKAKkCiIFKQACQuyAhIOwjsA5Ug0PIAUvAQoiAkF3aiIBQRdNDQYMCgtBACAEQQpqNgKkCkEAECgaQQAoAqQKIQQLQQAgBEEQajYCpAoCQEEBECgiBEEqRw0AQQBBACgCpApBAmo2AqQKQQEQKCEEC0EAKAKkCiEDIAQQKxogA0EAKAKkCiIEIAMgBBACQQBBACgCpApBfmo2AqQKDwsCQCAEKQACQuyAhIOwjsA5Ug0AIAQvAQoQH0UNAEEAIARBCmo2AqQKQQEQKCEEQQAoAqQKIQMgBBArGiADQQAoAqQKIgQgAyAEEAJBAEEAKAKkCkF+ajYCpAoPC0EAIARBBGoiBDYCpAoLQQAgBEEGajYCpApBAEEAOgCICkEBECghBEEAKAKkCiEDIAQQKyEEQQAoAqQKIQIgBEHf/wNxIgFB2wBHDQNBACACQQJqNgKkCkEBECghBUEAKAKkCiEDQQAhBAwEC0EAQQE6AIAKQQBBACgCpApBAmo2AqQKC0EBECghBEEAKAKkCiEDAkAgBEHmAEcNACADQQJqQZwIQQYQLg0AQQAgA0EIajYCpAogAEEBECgQKiACQRBqQdgJIAIbIQMDQCADKAIAIgNFDQUgA0IANwIIIANBEGohAwwACwtBACADQX5qNgKkCgwDC0EBIAF0QZ+AgARxRQ0DDAQLQQEhBAsDQAJAAkAgBA4CAAEBCyAFQf//A3EQKxpBASEEDAELAkACQEEAKAKkCiIEIANGDQAgAyAEIAMgBBACQQEQKCEEAkAgAUHbAEcNACAEQSByQf0ARg0EC0EAKAKkCiEDAkAgBEEsRw0AQQAgA0ECajYCpApBARAoIQVBACgCpAohAyAFQSByQfsARw0CC0EAIANBfmo2AqQKCyABQdsARw0CQQAgAkF+ajYCpAoPC0EAIQQMAAsLDwsgAkGgAUYNACACQfsARw0EC0EAIAVBCmo2AqQKQQEQKCIFQfsARg0DDAILAkAgAkFYag4DAQMBAAsgAkGgAUcNAgtBACAFQRBqNgKkCgJAQQEQKCIFQSpHDQBBAEEAKAKkCkECajYCpApBARAoIQULIAVBKEYNAQtBACgCpAohASAFECsaQQAoAqQKIgUgAU0NACAEIAMgASAFEAJBAEEAKAKkCkF+ajYCpAoPCyAEIANBAEEAEAJBACAEQQxqNgKkCg8LECML1AYBBH9BAEEAKAKkCiIAQQxqIgE2AqQKAkACQAJAAkACQAJAAkACQAJAAkBBARAoIgJBWWoOCAQCAQQBAQEDAAsgAkEiRg0DIAJB+wBGDQQLQQAoAqQKIAFHDQJBACAAQQpqNgKkCg8LQQAoApgKQQAvAYwKIgJBA3RqIgFBACgCpAo2AgRBACACQQFqOwGMCiABQQU2AgBBACgCkAovAQBBLkYNA0EAQQAoAqQKIgFBAmo2AqQKQQEQKCECIABBACgCpApBACABEAFBAEEALwGKCiIBQQFqOwGKCkEAKAKcCiABQQJ0akEAKALkCTYCAAJAIAJBIkYNACACQSdGDQBBAEEAKAKkCkF+ajYCpAoPCyACEBlBAEEAKAKkCkECaiICNgKkCgJAAkACQEEBEChBV2oOBAECAgACC0EAQQAoAqQKQQJqNgKkCkEBECgaQQAoAuQJIgEgAjYCBCABQQE6ABggAUEAKAKkCiICNgIQQQAgAkF+ajYCpAoPC0EAKALkCSIBIAI2AgQgAUEBOgAYQQBBAC8BjApBf2o7AYwKIAFBACgCpApBAmo2AgxBAEEALwGKCkF/ajsBigoPC0EAQQAoAqQKQX5qNgKkCg8LQQBBACgCpApBAmo2AqQKQQEQKEHtAEcNAkEAKAKkCiICQQJqQZYIQQYQLg0CAkBBACgCkAoiARApDQAgAS8BAEEuRg0DCyAAIAAgAkEIakEAKALICRABDwtBAC8BjAoNAkEAKAKkCiECQQAoAqgKIQMDQCACIANPDQUCQAJAIAIvAQAiAUEnRg0AIAFBIkcNAQsgACABECoPC0EAIAJBAmoiAjYCpAoMAAsLQQAoAqQKIQJBAC8BjAoNAgJAA0ACQAJAAkAgAkEAKAKoCk8NAEEBECgiAkEiRg0BIAJBJ0YNASACQf0ARw0CQQBBACgCpApBAmo2AqQKC0EBECghAUEAKAKkCiECAkAgAUHmAEcNACACQQJqQZwIQQYQLg0IC0EAIAJBCGo2AqQKQQEQKCICQSJGDQMgAkEnRg0DDAcLIAIQGQtBAEEAKAKkCkECaiICNgKkCgwACwsgACACECoLDwtBAEEAKAKkCkF+ajYCpAoPC0EAIAJBfmo2AqQKDwsQIwtHAQN/QQAoAqQKQQJqIQBBACgCqAohAQJAA0AgACICQX5qIAFPDQEgAkECaiEAIAIvAQBBdmoOBAEAAAEACwtBACACNgKkCguYAQEDf0EAQQAoAqQKIgFBAmo2AqQKIAFBBmohAUEAKAKoCiECA0ACQAJAAkAgAUF8aiACTw0AIAFBfmovAQAhAwJAAkAgAA0AIANBKkYNASADQXZqDgQCBAQCBAsgA0EqRw0DCyABLwEAQS9HDQJBACABQX5qNgKkCgwBCyABQX5qIQELQQAgATYCpAoPCyABQQJqIQEMAAsLiAEBBH9BACgCpAohAUEAKAKoCiECAkACQANAIAEiA0ECaiEBIAMgAk8NASABLwEAIgQgAEYNAgJAIARB3ABGDQAgBEF2ag4EAgEBAgELIANBBGohASADLwEEQQ1HDQAgA0EGaiABIAMvAQZBCkYbIQEMAAsLQQAgATYCpAoQIw8LQQAgATYCpAoLbAEBfwJAAkAgAEFfaiIBQQVLDQBBASABdEExcQ0BCyAAQUZqQf//A3FBBkkNACAAQSlHIABBWGpB//8DcUEHSXENAAJAIABBpX9qDgQBAAABAAsgAEH9AEcgAEGFf2pB//8DcUEESXEPC0EBCy4BAX9BASEBAkAgAEGWCUEFECUNACAAQaAJQQMQJQ0AIABBpglBAhAlIQELIAELgwEBAn9BASEBAkACQAJAAkACQAJAIAAvAQAiAkFFag4EBQQEAQALAkAgAkGbf2oOBAMEBAIACyACQSlGDQQgAkH5AEcNAyAAQX5qQbIJQQYQJQ8LIABBfmovAQBBPUYPCyAAQX5qQaoJQQQQJQ8LIABBfmpBvglBAxAlDwtBACEBCyABC94BAQR/QQAoAqQKIQBBACgCqAohAQJAAkACQANAIAAiAkECaiEAIAIgAU8NAQJAAkACQCAALwEAIgNBpH9qDgUCAwMDAQALIANBJEcNAiACLwEEQfsARw0CQQAgAkEEaiIANgKkCkEAQQAvAYwKIgJBAWo7AYwKQQAoApgKIAJBA3RqIgJBBDYCACACIAA2AgQPC0EAIAA2AqQKQQBBAC8BjApBf2oiADsBjApBACgCmAogAEH//wNxQQN0aigCAEEDRw0DDAQLIAJBBGohAAwACwtBACAANgKkCgsQIwsLtAMBAn9BACEBAkACQAJAAkACQAJAAkACQAJAAkAgAC8BAEGcf2oOFAABAgkJCQkDCQkEBQkJBgkHCQkICQsCQAJAIABBfmovAQBBl39qDgQACgoBCgsgAEF8akG6CEECECUPCyAAQXxqQb4IQQMQJQ8LAkACQAJAIABBfmovAQBBjX9qDgMAAQIKCwJAIABBfGovAQAiAkHhAEYNACACQewARw0KIABBempB5QAQJg8LIABBempB4wAQJg8LIABBfGpBxAhBBBAlDwsgAEF8akHMCEEGECUPCyAAQX5qLwEAQe8ARw0GIABBfGovAQBB5QBHDQYCQCAAQXpqLwEAIgJB8ABGDQAgAkHjAEcNByAAQXhqQdgIQQYQJQ8LIABBeGpB5AhBAhAlDwsgAEF+akHoCEEEECUPC0EBIQEgAEF+aiIAQekAECYNBCAAQfAIQQUQJQ8LIABBfmpB5AAQJg8LIABBfmpB+ghBBxAlDwsgAEF+akGICUEEECUPCwJAIABBfmovAQAiAkHvAEYNACACQeUARw0BIABBfGpB7gAQJg8LIABBfGpBkAlBAxAlIQELIAELNAEBf0EBIQECQCAAQXdqQf//A3FBBUkNACAAQYABckGgAUYNACAAQS5HIAAQJ3EhAQsgAQswAQF/AkACQCAAQXdqIgFBF0sNAEEBIAF0QY2AgARxDQELIABBoAFGDQBBAA8LQQELTgECf0EAIQECQAJAIAAvAQAiAkHlAEYNACACQesARw0BIABBfmpB6AhBBBAlDwsgAEF+ai8BAEH1AEcNACAAQXxqQcwIQQYQJSEBCyABC3ABAn8CQAJAA0BBAEEAKAKkCiIAQQJqIgE2AqQKIABBACgCqApPDQECQAJAAkAgAS8BACIBQaV/ag4CAQIACwJAIAFBdmoOBAQDAwQACyABQS9HDQIMBAsQLRoMAQtBACAAQQRqNgKkCgwACwsQIwsLNQEBf0EAQQE6APAJQQAoAqQKIQBBAEEAKAKoCkECajYCpApBACAAQQAoAtAJa0EBdTYChAoLQwECf0EBIQECQCAALwEAIgJBd2pB//8DcUEFSQ0AIAJBgAFyQaABRg0AQQAhASACECdFDQAgAkEuRyAAEClyDwsgAQtGAQN/QQAhAwJAIAAgAkEBdCICayIEQQJqIgBBACgC0AkiBUkNACAAIAEgAhAuDQACQCAAIAVHDQBBAQ8LIAQQJCEDCyADCz0BAn9BACECAkBBACgC0AkiAyAASw0AIAAvAQAgAUcNAAJAIAMgAEcNAEEBDwsgAEF+ai8BABAfIQILIAILaAECf0EBIQECQAJAIABBX2oiAkEFSw0AQQEgAnRBMXENAQsgAEH4/wNxQShGDQAgAEFGakH//wNxQQZJDQACQCAAQaV/aiICQQNLDQAgAkEBRw0BCyAAQYV/akH//wNxQQRJIQELIAELnAEBA39BACgCpAohAQJAA0ACQAJAIAEvAQAiAkEvRw0AAkAgAS8BAiIBQSpGDQAgAUEvRw0EEBcMAgsgABAYDAELAkACQCAARQ0AIAJBd2oiAUEXSw0BQQEgAXRBn4CABHFFDQEMAgsgAhAgRQ0DDAELIAJBoAFHDQILQQBBACgCpAoiA0ECaiIBNgKkCiADQQAoAqgKSQ0ACwsgAgsxAQF/QQAhAQJAIAAvAQBBLkcNACAAQX5qLwEAQS5HDQAgAEF8ai8BAEEuRiEBCyABC4kEAQF/AkAgAUEiRg0AIAFBJ0YNABAjDwtBACgCpAohAiABEBkgACACQQJqQQAoAqQKQQAoAsQJEAFBAEEAKAKkCkECajYCpAoCQAJAAkACQEEAECgiAUHhAEYNACABQfcARg0BQQAoAqQKIQEMAgtBACgCpAoiAUECakGwCEEKEC4NAUEGIQAMAgtBACgCpAoiAS8BAkHpAEcNACABLwEEQfQARw0AQQQhACABLwEGQegARg0BC0EAIAFBfmo2AqQKDwtBACABIABBAXRqNgKkCgJAQQEQKEH7AEYNAEEAIAE2AqQKDwtBACgCpAoiAiEAA0BBACAAQQJqNgKkCgJAAkACQEEBECgiAEEiRg0AIABBJ0cNAUEnEBlBAEEAKAKkCkECajYCpApBARAoIQAMAgtBIhAZQQBBACgCpApBAmo2AqQKQQEQKCEADAELIAAQKyEACwJAIABBOkYNAEEAIAE2AqQKDwtBAEEAKAKkCkECajYCpAoCQEEBECgiAEEiRg0AIABBJ0YNAEEAIAE2AqQKDwsgABAZQQBBACgCpApBAmo2AqQKAkACQEEBECgiAEEsRg0AIABB/QBGDQFBACABNgKkCg8LQQBBACgCpApBAmo2AqQKQQEQKEH9AEYNAEEAKAKkCiEADAELC0EAKALkCSIBIAI2AhAgAUEAKAKkCkECajYCDAttAQJ/AkACQANAAkAgAEH//wNxIgFBd2oiAkEXSw0AQQEgAnRBn4CABHENAgsgAUGgAUYNASAAIQIgARAnDQJBACECQQBBACgCpAoiAEECajYCpAogAC8BAiIADQAMAgsLIAAhAgsgAkH//wNxC6sBAQR/AkACQEEAKAKkCiICLwEAIgNB4QBGDQAgASEEIAAhBQwBC0EAIAJBBGo2AqQKQQEQKCECQQAoAqQKIQUCQAJAIAJBIkYNACACQSdGDQAgAhArGkEAKAKkCiEEDAELIAIQGUEAQQAoAqQKQQJqIgQ2AqQKC0EBECghA0EAKAKkCiECCwJAIAIgBUYNACAFIARBACAAIAAgAUYiAhtBACABIAIbEAILIAMLcgEEf0EAKAKkCiEAQQAoAqgKIQECQAJAA0AgAEECaiECIAAgAU8NAQJAAkAgAi8BACIDQaR/ag4CAQQACyACIQAgA0F2ag4EAgEBAgELIABBBGohAAwACwtBACACNgKkChAjQQAPC0EAIAI2AqQKQd0AC0kBA39BACEDAkAgAkUNAAJAA0AgAC0AACIEIAEtAAAiBUcNASABQQFqIQEgAEEBaiEAIAJBf2oiAg0ADAILCyAEIAVrIQMLIAMLC+IBAgBBgAgLxAEAAHgAcABvAHIAdABtAHAAbwByAHQAZQB0AGEAcgBvAG0AdQBuAGMAdABpAG8AbgBzAHMAZQByAHQAdgBvAHkAaQBlAGQAZQBsAGUAYwBvAG4AdABpAG4AaQBuAHMAdABhAG4AdAB5AGIAcgBlAGEAcgBlAHQAdQByAGQAZQBiAHUAZwBnAGUAYQB3AGEAaQB0AGgAcgB3AGgAaQBsAGUAZgBvAHIAaQBmAGMAYQB0AGMAZgBpAG4AYQBsAGwAZQBsAHMAAEHECQsQAQAAAAIAAAAABAAAMDkAAA==","undefined"!=typeof Buffer?Buffer.from(t,"base64"):Uint8Array.from(atob(t),(A=>A.charCodeAt(0))))).then(WebAssembly.instantiate).then((({exports:A})=>{Z=A}));async function W(A,Q){var e=F(A,Q)||N(A);return{r:R(oA,e||A,Q)||eA(A,Q),b:!e&&!N(A)}}const z=o?async(A,Q)=>{let e=o(A,Q,QA);return(e=e&&e.then?await e:e)?{r:e,b:!F(A,Q)&&!N(A)}:W(A,Q)}:W;async function AA(A,...e){let t=e[e.length-1];return"string"!=typeof t&&(t=m),await iA,E&&await E(A,"string"!=typeof e[1]?e[1]:{},t),!rA&&!B&&EA||(Q&&JA(!0),B)||(rA=!1),await nA,aA((await z(A,t)).r,{credentials:"same-origin"})}function QA(A,Q){return R(oA,F(A,Q)||A,Q)||eA(A,Q)}function eA(A,Q){throw Error(`Unable to resolve specifier '${A}'`+h(Q))}self.importShim=AA;const tA=(A,Q=m)=>{Q=""+Q;var e=o&&o(A,Q,QA);return e&&!e.then?e:QA(A,Q)};function CA(A,Q=this.url){return tA(A,Q)}AA.resolve=tA,AA.getImportMap=()=>JSON.parse(JSON.stringify(oA)),AA.addImportMap=A=>{if(!B)throw new Error("Unsupported in polyfill mode.");oA=U(A,m,oA)};const BA=AA._r={};AA._w={};let EA,oA={imports:{},scopes:{}};const iA=x.then((()=>{if(EA=!0!==C.polyfillEnable&&M&&$&&H&&(!k||G)&&(!f||b)&&!J,Q){if(!H){const A=HTMLScriptElement.supports||(A=>"classic"===A||"module"===A);HTMLScriptElement.supports=Q=>"importmap"===Q||A(Q)}!B&&EA||(new MutationObserver((A=>{for(const Q of A)if("childList"===Q.type)for(const A of Q.addedNodes)"SCRIPT"===A.tagName?(A.type===(B?"module-shim":"module")&&MA(A,!0),A.type===(B?"importmap-shim":"importmap")&&YA(A,!0)):"LINK"===A.tagName&&A.rel===(B?"modulepreload-shim":"modulepreload")&&GA(A)})).observe(document,{childList:!0,subtree:!0}),JA(),"complete"===document.readyState?qA():document.addEventListener("readystatechange",(async function A(){await iA,JA(),"complete"===document.readyState&&(qA(),document.removeEventListener("readystatechange",A))})))}return V}));let gA,nA=iA,sA=!0,rA=!0;async function aA(A,Q,e,t,C){return B||(rA=!1),await iA,await nA,E&&await E(A,"string"!=typeof Q?Q:{},""),!B&&EA?t?null:(await C,S(e?K(e):A,{errUrl:A||e})):(A=function A(Q,e,t,C){let E=BA[Q];if(E&&!C)return E;if(E={u:Q,r:C?Q:void 0,f:void 0,S:void 0,L:void 0,a:void 0,d:void 0,b:void 0,s:void 0,n:!1,t:null,m:null},BA[Q]){let A=0;for(;BA[E.u+ ++A];);E.u+=A}return BA[E.u]=E,E.f=(async()=>{if(!C){let A;if(({r:E.r,s:C,t:A}=await(SA[Q]||hA(Q,e,t))),A&&!B){if("css"===A&&!f||"json"===A&&!k)throw Error(`${A}-modules require <script type="esms-options">{ "polyfillEnable": ["${A}-modules"] }<\/script>`);("css"===A&&!b||"json"===A&&!G)&&(E.n=!0)}}try{E.a=P(C,E.u)}catch(A){D(A),E.a=[[],[],!1]}return E.S=C,E})(),E.L=E.f.then((async()=>{let Q=e;E.d=(await Promise.all(E.a[0].map((async({n:e,d:t})=>{if((0<=t&&!M||-2===t&&!$)&&(E.n=!0),-1===t&&e){const{r:C,b:B}=await z(e,E.r||E.u);if(!B||H&&!J||(E.n=!0),-1===t)return d&&d(C)?{b:C}:(Q.integrity&&(Q=Object.assign({},Q,{integrity:void 0})),A(C,Q,E.r).f)}})))).filter((A=>A))})),E}(A,Q,null,e),Q={},await async function A(Q,e){Q.b||e[Q.u]||(e[Q.u]=1,await Q.L,await Promise.all(Q.d.map((Q=>A(Q,e)))),Q.n)||(Q.n=Q.d.some((A=>A.n)))}(A,Q),gA=void 0,function A(Q,e){if(Q.b||!e[Q.u])return;e[Q.u]=0;for(const t of Q.d)A(t,e);const[t,C]=Q.a,B=Q.S;let E=w&&gA?`import '${gA}';`:"",o=0,i=0,n=[];function s(A){for(;n[n.length-1]<A;){const A=n.pop();E+=B.slice(o,A)+", "+cA(Q.r),o=A}E+=B.slice(o,A),o=A}for(var{s:r,ss:a,se:I,d:c}of t)if(-1===c){let A=Q.d[i++],e=A.b,t=!e;t&&(e=(e=A.s)||(A.s=K(`export function u$_(m){${A.a[1].map((({s:Q,e},t)=>{const C='"'===A.S[Q]||"'"===A.S[Q];return`e$_${t}=m`+(C?"[":".")+A.S.slice(Q,e)+(C?"]":"")})).join(",")}}${A.a[1].length?`let ${A.a[1].map(((A,Q)=>"e$_"+Q)).join(",")};`:""}export {${A.a[1].map((({s:Q,e},t)=>`e$_${t} as `+A.S.slice(Q,e))).join(",")}}\n//# sourceURL=${A.r}?cycle`))),s(r-1),E+=`/*${B.slice(r-1,I)}*/`+cA(e),!t&&A.s&&(E+=`;import*as m$_${i} from'${A.b}';import{u$_ as u$_${i}}from'${A.s}';u$_${i}(m$_${i})`,A.s=void 0),o=I}else o=-2===c?(Q.m={url:Q.r,resolve:CA},g(Q.m,Q.u),s(r),E+=`importShim._r[${cA(Q.u)}].m`,I):(s(a+6),E+="Shim(",n.push(I-1),r);function l(A,e){const t=e+A.length,C=B.indexOf("\n",t),i=-1!==C?C:B.length;s(t),E+=new URL(B.slice(t,i),Q.r).href,o=i}Q.s&&(E+=`\n;import{u$_}from'${Q.s}';try{u$_({${C.filter((A=>A.ln)).map((({s:A,e:Q,ln:e})=>B.slice(A,Q)+":"+e)).join(",")}})}catch(_){};\n`);let p=B.lastIndexOf(lA),f=B.lastIndexOf(pA);p<o&&(p=-1),f<o&&(f=-1),-1!==p&&(-1===f||f>p)&&l(lA,p),-1!==f&&(l(pA,f),-1!==p)&&p>f&&l(lA,p),s(B.length),-1===p&&(E+=lA+Q.r),Q.b=gA=K(E),Q.S=void 0}(A,Q),await C,!e||B||A.n?(sA&&!B&&A.n&&t&&(a(),sA=!1),C=await S(B||A.n||!t?A.b:A.u,{errUrl:A.u}),A.s&&(await S(A.s)).u$_(C),I&&IA(Object.keys(Q)),C):t?void 0:(I&&IA(Object.keys(Q)),S(K(e),{errUrl:e})))}function IA(A){let Q=0;const e=A.length,t=self.requestIdleCallback||self.requestAnimationFrame;t((function C(){const B=100*Q;if(!(B>e)){for(const Q of A.slice(B,100+B)){const A=BA[Q];A&&URL.revokeObjectURL(A.b)}Q++,t(C)}}))}function cA(A){return`'${A.replace(/'/g,"\\'")}'`}const lA="\n//# sourceURL=",pA="\n//# sourceMappingURL=",fA=/^(text|application)\/(x-)?javascript(;|$)/,kA=/^(application)\/wasm(;|$)/,wA=/^(text|application)\/json(;|$)/,mA=/^(text|application)\/css(;|$)/,KA=/url\(\s*(?:(["'])((?:\\.|[^\n\\"'])+)\1|((?:\\.|[^\s,"'()\\])+))\s*\)/g;let dA=[],uA=0;async function DA(A,Q,e){if(l&&!Q.integrity)throw Error(`No integrity for ${A}${h(e)}.`);var t=function(){if(100<++uA)return new Promise((A=>dA.push(A)))}();t&&await t;try{var C=await i(A,Q)}catch(Q){throw Q.message=`Unable to fetch ${A}${h(e)} - see network log for details.\n`+Q.message,Q}finally{uA--,dA.length&&dA.shift()()}if(C.ok)return C;throw(t=new TypeError(`${C.status} ${C.statusText} `+C.url+h(e))).response=C,t}async function hA(A,Q,e){var t=(Q=await DA(A,Q,e)).headers.get("content-type");if(fA.test(t))return{r:Q.url,s:await Q.text(),t:"js"};if(kA.test(t)){var C=AA._w[A]=await WebAssembly.compileStreaming(Q);let e="",t=0,B="";for(const A of WebAssembly.Module.imports(C))e+=`import * as impt${t} from '${A.module}';\n`,B+=`'${A.module}':impt${t++},`;t=0,e+=`const instance = await WebAssembly.instantiate(importShim._w['${A}'], {${B}});\n`;for(const A of WebAssembly.Module.exports(C))e=(e+=`const expt${t} = instance['${A.name}'];\n`)+`export { expt${t++} as "${A.name}" };\n`;return{r:Q.url,s:e,t:"wasm"}}if(wA.test(t))return{r:Q.url,s:"export default "+await Q.text(),t:"json"};if(mA.test(t))return{r:Q.url,s:`var s=new CSSStyleSheet();s.replaceSync(${JSON.stringify((await Q.text()).replace(KA,((Q,e="",t,C)=>`url(${e}${y(t||C,A)}${e})`)))});export default s;`,t:"css"};throw Error(`Unsupported Content-Type "${t}" loading ${A}${h(e)}. Modules must be served with a valid MIME type like application/javascript.`)}function JA(A=!1){if(!A)for(const A of document.querySelectorAll(B?"link[rel=modulepreload-shim]":"link[rel=modulepreload]"))GA(A);for(const A of document.querySelectorAll(B?"script[type=importmap-shim]":"script[type=importmap]"))YA(A);if(!A)for(const A of document.querySelectorAll(B?"script[type=module-shim]":"script[type=module]"))MA(A)}function LA(A){var Q={};return A.integrity&&(Q.integrity=A.integrity),A.referrerPolicy&&(Q.referrerPolicy=A.referrerPolicy),"use-credentials"===A.crossOrigin?Q.credentials="include":"anonymous"===A.crossOrigin?Q.credentials="omit":Q.credentials="same-origin",Q}let NA=Promise.resolve(),yA=1;function FA(){0!=--yA||c||!B&&EA||document.dispatchEvent(new Event("DOMContentLoaded"))}Q&&document.addEventListener("DOMContentLoaded",(async()=>{await iA,FA()}));let UA=1;function qA(){0!=--UA||c||!B&&EA||document.dispatchEvent(new Event("readystatechange"))}const vA=A=>A.nextSibling||A.parentNode&&vA(A.parentNode),RA=(A,Q)=>A.ep||!Q&&(!A.src&&!A.innerHTML||!vA(A))||null!==A.getAttribute("noshim")||!(A.ep=!0);function YA(A,Q=0<UA){if(!RA(A,Q)){if(A.src){if(!B)return;J=!0}rA&&(nA=nA.then((async()=>{oA=U(A.src?await(await DA(A.src,LA(A))).json():JSON.parse(A.innerHTML),A.src||m,oA)})).catch((Q=>{console.log(Q),Q instanceof SyntaxError&&(Q=new Error(`Unable to parse import map ${Q.message} in: `+(A.src||A.innerHTML))),D(Q)})),B||(rA=!1))}}function MA(A,Q=0<UA){var e,t;RA(A,Q)||((Q=null===A.getAttribute("async")&&0<UA)&&UA++,(e=0<yA)&&yA++,t=aA(A.src||m,LA(A),!A.src&&A.innerHTML,!B,Q&&NA).then((()=>{B&&A.dispatchEvent(new Event("load"))})).catch(D),Q&&(NA=t.then(qA)),e&&t.then(FA))}const SA={};function GA(A){A.ep||(A.ep=!0,SA[A.href])||(SA[A.href]=hA(A.href,LA(A)))}}();wp-polyfill-fetch.min.js000064400000023351151334462320011240 0ustar00!function(t,e){"object"==typeof exports&&"undefined"!=typeof module?e(exports):"function"==typeof define&&define.amd?define(["exports"],e):e(t.WHATWGFetch={})}(this,(function(t){"use strict";var e,r,o="undefined"!=typeof globalThis&&globalThis||"undefined"!=typeof self&&self||"undefined"!=typeof global&&global||{},n="URLSearchParams"in o,i="Symbol"in o&&"iterator"in Symbol,s="FileReader"in o&&"Blob"in o&&function(){try{return new Blob,!0}catch(t){return!1}}(),a="FormData"in o,h="ArrayBuffer"in o;function u(t){if("string"!=typeof t&&(t=String(t)),/[^a-z0-9\-#$%&'*+.^_`|~!]/i.test(t)||""===t)throw new TypeError('Invalid character in header field name: "'+t+'"');return t.toLowerCase()}function f(t){return"string"!=typeof t?String(t):t}function d(t){var e={next:function(){var e=t.shift();return{done:void 0===e,value:e}}};return i&&(e[Symbol.iterator]=function(){return e}),e}function c(t){this.map={},t instanceof c?t.forEach((function(t,e){this.append(e,t)}),this):Array.isArray(t)?t.forEach((function(t){if(2!=t.length)throw new TypeError("Headers constructor: expected name/value pair to be length 2, found"+t.length);this.append(t[0],t[1])}),this):t&&Object.getOwnPropertyNames(t).forEach((function(e){this.append(e,t[e])}),this)}function y(t){if(!t._noBody)return t.bodyUsed?Promise.reject(new TypeError("Already read")):void(t.bodyUsed=!0)}function p(t){return new Promise((function(e,r){t.onload=function(){e(t.result)},t.onerror=function(){r(t.error)}}))}function l(t){var e=new FileReader,r=p(e);return e.readAsArrayBuffer(t),r}function b(t){var e;return t.slice?t.slice(0):((e=new Uint8Array(t.byteLength)).set(new Uint8Array(t)),e.buffer)}function m(){return this.bodyUsed=!1,this._initBody=function(t){var e;this.bodyUsed=this.bodyUsed,(this._bodyInit=t)?"string"==typeof t?this._bodyText=t:s&&Blob.prototype.isPrototypeOf(t)?this._bodyBlob=t:a&&FormData.prototype.isPrototypeOf(t)?this._bodyFormData=t:n&&URLSearchParams.prototype.isPrototypeOf(t)?this._bodyText=t.toString():h&&s&&(e=t)&&DataView.prototype.isPrototypeOf(e)?(this._bodyArrayBuffer=b(t.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer])):h&&(ArrayBuffer.prototype.isPrototypeOf(t)||r(t))?this._bodyArrayBuffer=b(t):this._bodyText=t=Object.prototype.toString.call(t):(this._noBody=!0,this._bodyText=""),this.headers.get("content-type")||("string"==typeof t?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):n&&URLSearchParams.prototype.isPrototypeOf(t)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},s&&(this.blob=function(){var t=y(this);if(t)return t;if(this._bodyBlob)return Promise.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return Promise.resolve(new Blob([this._bodyText]))}),this.arrayBuffer=function(){if(this._bodyArrayBuffer)return y(this)||(ArrayBuffer.isView(this._bodyArrayBuffer)?Promise.resolve(this._bodyArrayBuffer.buffer.slice(this._bodyArrayBuffer.byteOffset,this._bodyArrayBuffer.byteOffset+this._bodyArrayBuffer.byteLength)):Promise.resolve(this._bodyArrayBuffer));if(s)return this.blob().then(l);throw new Error("could not read as ArrayBuffer")},this.text=function(){var t,e,r,o=y(this);if(o)return o;if(this._bodyBlob)return o=this._bodyBlob,e=p(t=new FileReader),r=(r=/charset=([A-Za-z0-9_-]+)/.exec(o.type))?r[1]:"utf-8",t.readAsText(o,r),e;if(this._bodyArrayBuffer)return Promise.resolve(function(t){for(var e=new Uint8Array(t),r=new Array(e.length),o=0;o<e.length;o++)r[o]=String.fromCharCode(e[o]);return r.join("")}(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return Promise.resolve(this._bodyText)},a&&(this.formData=function(){return this.text().then(A)}),this.json=function(){return this.text().then(JSON.parse)},this}h&&(e=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],r=ArrayBuffer.isView||function(t){return t&&-1<e.indexOf(Object.prototype.toString.call(t))}),c.prototype.append=function(t,e){t=u(t),e=f(e);var r=this.map[t];this.map[t]=r?r+", "+e:e},c.prototype.delete=function(t){delete this.map[u(t)]},c.prototype.get=function(t){return t=u(t),this.has(t)?this.map[t]:null},c.prototype.has=function(t){return this.map.hasOwnProperty(u(t))},c.prototype.set=function(t,e){this.map[u(t)]=f(e)},c.prototype.forEach=function(t,e){for(var r in this.map)this.map.hasOwnProperty(r)&&t.call(e,this.map[r],r,this)},c.prototype.keys=function(){var t=[];return this.forEach((function(e,r){t.push(r)})),d(t)},c.prototype.values=function(){var t=[];return this.forEach((function(e){t.push(e)})),d(t)},c.prototype.entries=function(){var t=[];return this.forEach((function(e,r){t.push([r,e])})),d(t)},i&&(c.prototype[Symbol.iterator]=c.prototype.entries);var w=["CONNECT","DELETE","GET","HEAD","OPTIONS","PATCH","POST","PUT","TRACE"];function E(t,e){if(!(this instanceof E))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');var r,n=(e=e||{}).body;if(t instanceof E){if(t.bodyUsed)throw new TypeError("Already read");this.url=t.url,this.credentials=t.credentials,e.headers||(this.headers=new c(t.headers)),this.method=t.method,this.mode=t.mode,this.signal=t.signal,n||null==t._bodyInit||(n=t._bodyInit,t.bodyUsed=!0)}else this.url=String(t);if(this.credentials=e.credentials||this.credentials||"same-origin",!e.headers&&this.headers||(this.headers=new c(e.headers)),this.method=(r=(t=e.method||this.method||"GET").toUpperCase(),-1<w.indexOf(r)?r:t),this.mode=e.mode||this.mode||null,this.signal=e.signal||this.signal||function(){if("AbortController"in o)return(new AbortController).signal}(),this.referrer=null,("GET"===this.method||"HEAD"===this.method)&&n)throw new TypeError("Body not allowed for GET or HEAD requests");this._initBody(n),"GET"!==this.method&&"HEAD"!==this.method||"no-store"!==e.cache&&"no-cache"!==e.cache||((r=/([?&])_=[^&]*/).test(this.url)?this.url=this.url.replace(r,"$1_="+(new Date).getTime()):this.url+=(/\?/.test(this.url)?"&":"?")+"_="+(new Date).getTime())}function A(t){var e=new FormData;return t.trim().split("&").forEach((function(t){var r;t&&(r=(t=t.split("=")).shift().replace(/\+/g," "),t=t.join("=").replace(/\+/g," "),e.append(decodeURIComponent(r),decodeURIComponent(t)))})),e}function g(t,e){if(!(this instanceof g))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');if(e=e||{},this.type="default",this.status=void 0===e.status?200:e.status,this.status<200||599<this.status)throw new RangeError("Failed to construct 'Response': The status provided (0) is outside the range [200, 599].");this.ok=200<=this.status&&this.status<300,this.statusText=void 0===e.statusText?"":""+e.statusText,this.headers=new c(e.headers),this.url=e.url||"",this._initBody(t)}E.prototype.clone=function(){return new E(this,{body:this._bodyInit})},m.call(E.prototype),m.call(g.prototype),g.prototype.clone=function(){return new g(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new c(this.headers),url:this.url})},g.error=function(){var t=new g(null,{status:200,statusText:""});return t.status=0,t.type="error",t};var T=[301,302,303,307,308];g.redirect=function(t,e){if(-1===T.indexOf(e))throw new RangeError("Invalid status code");return new g(null,{status:e,headers:{location:t}})},t.DOMException=o.DOMException;try{new t.DOMException}catch(d){t.DOMException=function(t,e){this.message=t,this.name=e,e=Error(t),this.stack=e.stack},t.DOMException.prototype=Object.create(Error.prototype),t.DOMException.prototype.constructor=t.DOMException}function _(e,r){return new Promise((function(n,i){var a=new E(e,r);if(a.signal&&a.signal.aborted)return i(new t.DOMException("Aborted","AbortError"));var d,y=new XMLHttpRequest;function p(){y.abort()}y.onload=function(){var t,e,r={status:y.status,statusText:y.statusText,headers:(t=y.getAllResponseHeaders()||"",e=new c,t.replace(/\r?\n[\t ]+/g," ").split("\r").map((function(t){return 0===t.indexOf("\n")?t.substr(1,t.length):t})).forEach((function(t){var r=(t=t.split(":")).shift().trim();if(r){t=t.join(":").trim();try{e.append(r,t)}catch(t){console.warn("Response "+t.message)}}})),e)},o=(r.url="responseURL"in y?y.responseURL:r.headers.get("X-Request-URL"),"response"in y?y.response:y.responseText);setTimeout((function(){n(new g(o,r))}),0)},y.onerror=function(){setTimeout((function(){i(new TypeError("Network request failed"))}),0)},y.ontimeout=function(){setTimeout((function(){i(new TypeError("Network request failed"))}),0)},y.onabort=function(){setTimeout((function(){i(new t.DOMException("Aborted","AbortError"))}),0)},y.open(a.method,function(t){try{return""===t&&o.location.href?o.location.href:t}catch(e){return t}}(a.url),!0),"include"===a.credentials?y.withCredentials=!0:"omit"===a.credentials&&(y.withCredentials=!1),"responseType"in y&&(s?y.responseType="blob":h&&(y.responseType="arraybuffer")),r&&"object"==typeof r.headers&&!(r.headers instanceof c||o.Headers&&r.headers instanceof o.Headers)?(d=[],Object.getOwnPropertyNames(r.headers).forEach((function(t){d.push(u(t)),y.setRequestHeader(t,f(r.headers[t]))})),a.headers.forEach((function(t,e){-1===d.indexOf(e)&&y.setRequestHeader(e,t)}))):a.headers.forEach((function(t,e){y.setRequestHeader(e,t)})),a.signal&&(a.signal.addEventListener("abort",p),y.onreadystatechange=function(){4===y.readyState&&a.signal.removeEventListener("abort",p)}),y.send(void 0===a._bodyInit?null:a._bodyInit)}))}_.polyfill=!0,o.fetch||(o.fetch=_,o.Headers=c,o.Request=E,o.Response=g),t.Headers=c,t.Request=E,t.Response=g,t.fetch=_,Object.defineProperty(t,"__esModule",{value:!0})}));wp-polyfill-object-fit.min.js000064400000005637151334462320012204 0ustar00!function(){"use strict";if("undefined"!=typeof window){var t=window.navigator.userAgent.match(/Edge\/(\d{2})\./),e=t?parseInt(t[1],10):null,i=!!e&&16<=e&&e<=18;if("objectFit"in document.documentElement.style==0||i){var n=function(t,e,i){var n,o,l,a,d;if((i=i.split(" ")).length<2&&(i[1]=i[0]),"x"===t)n=i[0],o=i[1],l="left",a="right",d=e.clientWidth;else{if("y"!==t)return;n=i[1],o=i[0],l="top",a="bottom",d=e.clientHeight}if(n!==l&&o!==l){if(n!==a&&o!==a)return"center"===n||"50%"===n?(e.style[l]="50%",void(e.style["margin-"+l]=d/-2+"px")):void(0<=n.indexOf("%")?(n=parseInt(n,10))<50?(e.style[l]=n+"%",e.style["margin-"+l]=d*(n/-100)+"px"):(n=100-n,e.style[a]=n+"%",e.style["margin-"+a]=d*(n/-100)+"px"):e.style[l]=n);e.style[a]="0"}else e.style[l]="0"},o=function(t){var e=t.dataset?t.dataset.objectFit:t.getAttribute("data-object-fit"),i=t.dataset?t.dataset.objectPosition:t.getAttribute("data-object-position");e=e||"cover",i=i||"50% 50%";var o=t.parentNode;return function(t){var e=window.getComputedStyle(t,null),i=e.getPropertyValue("position"),n=e.getPropertyValue("overflow"),o=e.getPropertyValue("display");i&&"static"!==i||(t.style.position="relative"),"hidden"!==n&&(t.style.overflow="hidden"),o&&"inline"!==o||(t.style.display="block"),0===t.clientHeight&&(t.style.height="100%"),-1===t.className.indexOf("object-fit-polyfill")&&(t.className=t.className+" object-fit-polyfill")}(o),function(t){var e=window.getComputedStyle(t,null),i={"max-width":"none","max-height":"none","min-width":"0px","min-height":"0px",top:"auto",right:"auto",bottom:"auto",left:"auto","margin-top":"0px","margin-right":"0px","margin-bottom":"0px","margin-left":"0px"};for(var n in i)e.getPropertyValue(n)!==i[n]&&(t.style[n]=i[n])}(t),t.style.position="absolute",t.style.width="auto",t.style.height="auto","scale-down"===e&&(e=t.clientWidth<o.clientWidth&&t.clientHeight<o.clientHeight?"none":"contain"),"none"===e?(n("x",t,i),void n("y",t,i)):"fill"===e?(t.style.width="100%",t.style.height="100%",n("x",t,i),void n("y",t,i)):(t.style.height="100%",void("cover"===e&&t.clientWidth>o.clientWidth||"contain"===e&&t.clientWidth<o.clientWidth?(t.style.top="0",t.style.marginTop="0",n("x",t,i)):(t.style.width="100%",t.style.height="auto",t.style.left="0",t.style.marginLeft="0",n("y",t,i))))},l=function(t){if(void 0===t||t instanceof Event)t=document.querySelectorAll("[data-object-fit]");else if(t&&t.nodeName)t=[t];else if("object"!=typeof t||!t.length||!t[0].nodeName)return!1;for(var e=0;e<t.length;e++)if(t[e].nodeName){var n=t[e].nodeName.toLowerCase();if("img"===n){if(i)continue;t[e].complete?o(t[e]):t[e].addEventListener("load",(function(){o(this)}))}else"video"===n?0<t[e].readyState?o(t[e]):t[e].addEventListener("loadedmetadata",(function(){o(this)})):o(t[e])}return!0};"loading"===document.readyState?document.addEventListener("DOMContentLoaded",l):l(),window.addEventListener("resize",l),window.objectFitPolyfill=l}else window.objectFitPolyfill=function(){return!1}}}();wp-polyfill-importmap.js000064400000143601151334462320011376 0ustar00/* ES Module Shims Wasm 1.8.2 */
(function () {

  const hasWindow = typeof window !== 'undefined';
  const hasDocument = typeof document !== 'undefined';

  const noop = () => {};

  const optionsScript = hasDocument ? document.querySelector('script[type=esms-options]') : undefined;

  const esmsInitOptions = optionsScript ? JSON.parse(optionsScript.innerHTML) : {};
  Object.assign(esmsInitOptions, self.esmsInitOptions || {});

  let shimMode = hasDocument ? !!esmsInitOptions.shimMode : true;

  const importHook = globalHook(shimMode && esmsInitOptions.onimport);
  const resolveHook = globalHook(shimMode && esmsInitOptions.resolve);
  let fetchHook = esmsInitOptions.fetch ? globalHook(esmsInitOptions.fetch) : fetch;
  const metaHook = esmsInitOptions.meta ? globalHook(shimMode && esmsInitOptions.meta) : noop;

  const mapOverrides = esmsInitOptions.mapOverrides;

  let nonce = esmsInitOptions.nonce;
  if (!nonce && hasDocument) {
    const nonceElement = document.querySelector('script[nonce]');
    if (nonceElement)
      nonce = nonceElement.nonce || nonceElement.getAttribute('nonce');
  }

  const onerror = globalHook(esmsInitOptions.onerror || noop);
  const onpolyfill = esmsInitOptions.onpolyfill ? globalHook(esmsInitOptions.onpolyfill) : () => {
    console.log('%c^^ Module TypeError above is polyfilled and can be ignored ^^', 'font-weight:900;color:#391');
  };

  const { revokeBlobURLs, noLoadEventRetriggers, enforceIntegrity } = esmsInitOptions;

  function globalHook (name) {
    return typeof name === 'string' ? self[name] : name;
  }

  const enable = Array.isArray(esmsInitOptions.polyfillEnable) ? esmsInitOptions.polyfillEnable : [];
  const cssModulesEnabled = enable.includes('css-modules');
  const jsonModulesEnabled = enable.includes('json-modules');

  const edge = !navigator.userAgentData && !!navigator.userAgent.match(/Edge\/\d+\.\d+/);

  const baseUrl = hasDocument
    ? document.baseURI
    : `${location.protocol}//${location.host}${location.pathname.includes('/') 
    ? location.pathname.slice(0, location.pathname.lastIndexOf('/') + 1) 
    : location.pathname}`;

  const createBlob = (source, type = 'text/javascript') => URL.createObjectURL(new Blob([source], { type }));
  let { skip } = esmsInitOptions;
  if (Array.isArray(skip)) {
    const l = skip.map(s => new URL(s, baseUrl).href);
    skip = s => l.some(i => i[i.length - 1] === '/' && s.startsWith(i) || s === i);
  }
  else if (typeof skip === 'string') {
    const r = new RegExp(skip);
    skip = s => r.test(s);
  } else if (skip instanceof RegExp) {
    skip = s => skip.test(s);
  }

  const eoop = err => setTimeout(() => { throw err });

  const throwError = err => { (self.reportError || hasWindow && window.safari && console.error || eoop)(err), void onerror(err); };

  function fromParent (parent) {
    return parent ? ` imported from ${parent}` : '';
  }

  let importMapSrcOrLazy = false;

  function setImportMapSrcOrLazy () {
    importMapSrcOrLazy = true;
  }

  // shim mode is determined on initialization, no late shim mode
  if (!shimMode) {
    if (document.querySelectorAll('script[type=module-shim],script[type=importmap-shim],link[rel=modulepreload-shim]').length) {
      shimMode = true;
    }
    else {
      let seenScript = false;
      for (const script of document.querySelectorAll('script[type=module],script[type=importmap]')) {
        if (!seenScript) {
          if (script.type === 'module' && !script.ep)
            seenScript = true;
        }
        else if (script.type === 'importmap' && seenScript) {
          importMapSrcOrLazy = true;
          break;
        }
      }
    }
  }

  const backslashRegEx = /\\/g;

  function asURL (url) {
    try {
      if (url.indexOf(':') !== -1)
        return new URL(url).href;
    }
    catch (_) {}
  }

  function resolveUrl (relUrl, parentUrl) {
    return resolveIfNotPlainOrUrl(relUrl, parentUrl) || (asURL(relUrl) || resolveIfNotPlainOrUrl('./' + relUrl, parentUrl));
  }

  function resolveIfNotPlainOrUrl (relUrl, parentUrl) {
    const hIdx = parentUrl.indexOf('#'), qIdx = parentUrl.indexOf('?');
    if (hIdx + qIdx > -2)
      parentUrl = parentUrl.slice(0, hIdx === -1 ? qIdx : qIdx === -1 || qIdx > hIdx ? hIdx : qIdx);
    if (relUrl.indexOf('\\') !== -1)
      relUrl = relUrl.replace(backslashRegEx, '/');
    // protocol-relative
    if (relUrl[0] === '/' && relUrl[1] === '/') {
      return parentUrl.slice(0, parentUrl.indexOf(':') + 1) + relUrl;
    }
    // relative-url
    else if (relUrl[0] === '.' && (relUrl[1] === '/' || relUrl[1] === '.' && (relUrl[2] === '/' || relUrl.length === 2 && (relUrl += '/')) ||
        relUrl.length === 1  && (relUrl += '/')) ||
        relUrl[0] === '/') {
      const parentProtocol = parentUrl.slice(0, parentUrl.indexOf(':') + 1);
      if (parentProtocol === 'blob:') {
        throw new TypeError(`Failed to resolve module specifier "${relUrl}". Invalid relative url or base scheme isn't hierarchical.`);
      }
      // Disabled, but these cases will give inconsistent results for deep backtracking
      //if (parentUrl[parentProtocol.length] !== '/')
      //  throw new Error('Cannot resolve');
      // read pathname from parent URL
      // pathname taken to be part after leading "/"
      let pathname;
      if (parentUrl[parentProtocol.length + 1] === '/') {
        // resolving to a :// so we need to read out the auth and host
        if (parentProtocol !== 'file:') {
          pathname = parentUrl.slice(parentProtocol.length + 2);
          pathname = pathname.slice(pathname.indexOf('/') + 1);
        }
        else {
          pathname = parentUrl.slice(8);
        }
      }
      else {
        // resolving to :/ so pathname is the /... part
        pathname = parentUrl.slice(parentProtocol.length + (parentUrl[parentProtocol.length] === '/'));
      }

      if (relUrl[0] === '/')
        return parentUrl.slice(0, parentUrl.length - pathname.length - 1) + relUrl;

      // join together and split for removal of .. and . segments
      // looping the string instead of anything fancy for perf reasons
      // '../../../../../z' resolved to 'x/y' is just 'z'
      const segmented = pathname.slice(0, pathname.lastIndexOf('/') + 1) + relUrl;

      const output = [];
      let segmentIndex = -1;
      for (let i = 0; i < segmented.length; i++) {
        // busy reading a segment - only terminate on '/'
        if (segmentIndex !== -1) {
          if (segmented[i] === '/') {
            output.push(segmented.slice(segmentIndex, i + 1));
            segmentIndex = -1;
          }
          continue;
        }
        // new segment - check if it is relative
        else if (segmented[i] === '.') {
          // ../ segment
          if (segmented[i + 1] === '.' && (segmented[i + 2] === '/' || i + 2 === segmented.length)) {
            output.pop();
            i += 2;
            continue;
          }
          // ./ segment
          else if (segmented[i + 1] === '/' || i + 1 === segmented.length) {
            i += 1;
            continue;
          }
        }
        // it is the start of a new segment
        while (segmented[i] === '/') i++;
        segmentIndex = i; 
      }
      // finish reading out the last segment
      if (segmentIndex !== -1)
        output.push(segmented.slice(segmentIndex));
      return parentUrl.slice(0, parentUrl.length - pathname.length) + output.join('');
    }
  }

  function resolveAndComposeImportMap (json, baseUrl, parentMap) {
    const outMap = { imports: Object.assign({}, parentMap.imports), scopes: Object.assign({}, parentMap.scopes) };

    if (json.imports)
      resolveAndComposePackages(json.imports, outMap.imports, baseUrl, parentMap);

    if (json.scopes)
      for (let s in json.scopes) {
        const resolvedScope = resolveUrl(s, baseUrl);
        resolveAndComposePackages(json.scopes[s], outMap.scopes[resolvedScope] || (outMap.scopes[resolvedScope] = {}), baseUrl, parentMap);
      }

    return outMap;
  }

  function getMatch (path, matchObj) {
    if (matchObj[path])
      return path;
    let sepIndex = path.length;
    do {
      const segment = path.slice(0, sepIndex + 1);
      if (segment in matchObj)
        return segment;
    } while ((sepIndex = path.lastIndexOf('/', sepIndex - 1)) !== -1)
  }

  function applyPackages (id, packages) {
    const pkgName = getMatch(id, packages);
    if (pkgName) {
      const pkg = packages[pkgName];
      if (pkg === null) return;
      return pkg + id.slice(pkgName.length);
    }
  }


  function resolveImportMap (importMap, resolvedOrPlain, parentUrl) {
    let scopeUrl = parentUrl && getMatch(parentUrl, importMap.scopes);
    while (scopeUrl) {
      const packageResolution = applyPackages(resolvedOrPlain, importMap.scopes[scopeUrl]);
      if (packageResolution)
        return packageResolution;
      scopeUrl = getMatch(scopeUrl.slice(0, scopeUrl.lastIndexOf('/')), importMap.scopes);
    }
    return applyPackages(resolvedOrPlain, importMap.imports) || resolvedOrPlain.indexOf(':') !== -1 && resolvedOrPlain;
  }

  function resolveAndComposePackages (packages, outPackages, baseUrl, parentMap) {
    for (let p in packages) {
      const resolvedLhs = resolveIfNotPlainOrUrl(p, baseUrl) || p;
      if ((!shimMode || !mapOverrides) && outPackages[resolvedLhs] && (outPackages[resolvedLhs] !== packages[resolvedLhs])) {
        throw Error(`Rejected map override "${resolvedLhs}" from ${outPackages[resolvedLhs]} to ${packages[resolvedLhs]}.`);
      }
      let target = packages[p];
      if (typeof target !== 'string')
        continue;
      const mapped = resolveImportMap(parentMap, resolveIfNotPlainOrUrl(target, baseUrl) || target, baseUrl);
      if (mapped) {
        outPackages[resolvedLhs] = mapped;
        continue;
      }
      console.warn(`Mapping "${p}" -> "${packages[p]}" does not resolve`);
    }
  }

  let dynamicImport = !hasDocument && (0, eval)('u=>import(u)');

  let supportsDynamicImport;

  const dynamicImportCheck = hasDocument && new Promise(resolve => {
    const s = Object.assign(document.createElement('script'), {
      src: createBlob('self._d=u=>import(u)'),
      ep: true
    });
    s.setAttribute('nonce', nonce);
    s.addEventListener('load', () => {
      if (!(supportsDynamicImport = !!(dynamicImport = self._d))) {
        let err;
        window.addEventListener('error', _err => err = _err);
        dynamicImport = (url, opts) => new Promise((resolve, reject) => {
          const s = Object.assign(document.createElement('script'), {
            type: 'module',
            src: createBlob(`import*as m from'${url}';self._esmsi=m`)
          });
          err = undefined;
          s.ep = true;
          if (nonce)
            s.setAttribute('nonce', nonce);
          // Safari is unique in supporting module script error events
          s.addEventListener('error', cb);
          s.addEventListener('load', cb);
          function cb (_err) {
            document.head.removeChild(s);
            if (self._esmsi) {
              resolve(self._esmsi, baseUrl);
              self._esmsi = undefined;
            }
            else {
              reject(!(_err instanceof Event) && _err || err && err.error || new Error(`Error loading ${opts && opts.errUrl || url} (${s.src}).`));
              err = undefined;
            }
          }
          document.head.appendChild(s);
        });
      }
      document.head.removeChild(s);
      delete self._d;
      resolve();
    });
    document.head.appendChild(s);
  });

  // support browsers without dynamic import support (eg Firefox 6x)
  let supportsJsonAssertions = false;
  let supportsCssAssertions = false;

  const supports = hasDocument && HTMLScriptElement.supports;

  let supportsImportMaps = supports && supports.name === 'supports' && supports('importmap');
  let supportsImportMeta = supportsDynamicImport;

  const importMetaCheck = 'import.meta';
  const cssModulesCheck = `import"x"assert{type:"css"}`;
  const jsonModulesCheck = `import"x"assert{type:"json"}`;

  let featureDetectionPromise = Promise.resolve(dynamicImportCheck).then(() => {
    if (!supportsDynamicImport)
      return;

    if (!hasDocument)
      return Promise.all([
        supportsImportMaps || dynamicImport(createBlob(importMetaCheck)).then(() => supportsImportMeta = true, noop),
        cssModulesEnabled && dynamicImport(createBlob(cssModulesCheck.replace('x', createBlob('', 'text/css')))).then(() => supportsCssAssertions = true, noop),
        jsonModulesEnabled && dynamicImport(createBlob(jsonModulescheck.replace('x', createBlob('{}', 'text/json')))).then(() => supportsJsonAssertions = true, noop),
      ]);

    return new Promise(resolve => {
      const iframe = document.createElement('iframe');
      iframe.style.display = 'none';
      iframe.setAttribute('nonce', nonce);
      function cb ({ data }) {
        const isFeatureDetectionMessage = Array.isArray(data) && data[0] === 'esms';
        if (!isFeatureDetectionMessage) {
          return;
        }
        supportsImportMaps = data[1];
        supportsImportMeta = data[2];
        supportsCssAssertions = data[3];
        supportsJsonAssertions = data[4];
        resolve();
        document.head.removeChild(iframe);
        window.removeEventListener('message', cb, false);
      }
      window.addEventListener('message', cb, false);

      const importMapTest = `<script nonce=${nonce || ''}>b=(s,type='text/javascript')=>URL.createObjectURL(new Blob([s],{type}));document.head.appendChild(Object.assign(document.createElement('script'),{type:'importmap',nonce:"${nonce}",innerText:\`{"imports":{"x":"\${b('')}"}}\`}));Promise.all([${
      supportsImportMaps ? 'true,true' : `'x',b('${importMetaCheck}')`}, ${cssModulesEnabled ? `b('${cssModulesCheck}'.replace('x',b('','text/css')))` : 'false'}, ${
      jsonModulesEnabled ? `b('${jsonModulesCheck}'.replace('x',b('{}','text/json')))` : 'false'}].map(x =>typeof x==='string'?import(x).then(x =>!!x,()=>false):x)).then(a=>parent.postMessage(['esms'].concat(a),'*'))<${''}/script>`;

      // Safari will call onload eagerly on head injection, but we don't want the Wechat
      // path to trigger before setting srcdoc, therefore we track the timing
      let readyForOnload = false, onloadCalledWhileNotReady = false;
      function doOnload () {
        if (!readyForOnload) {
          onloadCalledWhileNotReady = true;
          return;
        }
        // WeChat browser doesn't support setting srcdoc scripts
        // But iframe sandboxes don't support contentDocument so we do this as a fallback
        const doc = iframe.contentDocument;
        if (doc && doc.head.childNodes.length === 0) {
          const s = doc.createElement('script');
          if (nonce)
            s.setAttribute('nonce', nonce);
          s.innerHTML = importMapTest.slice(15 + (nonce ? nonce.length : 0), -9);
          doc.head.appendChild(s);
        }
      }

      iframe.onload = doOnload;
      // WeChat browser requires append before setting srcdoc
      document.head.appendChild(iframe);

      // setting srcdoc is not supported in React native webviews on iOS
      // setting src to a blob URL results in a navigation event in webviews
      // document.write gives usability warnings
      readyForOnload = true;
      if ('srcdoc' in iframe)
        iframe.srcdoc = importMapTest;
      else
        iframe.contentDocument.write(importMapTest);
      // retrigger onload for Safari only if necessary
      if (onloadCalledWhileNotReady) doOnload();
    });
  });

  /* es-module-lexer 1.4.1 */
  const A=1===new Uint8Array(new Uint16Array([1]).buffer)[0];function parse(E,g="@"){if(!C)return init.then((()=>parse(E)));const I=E.length+1,k=(C.__heap_base.value||C.__heap_base)+4*I-C.memory.buffer.byteLength;k>0&&C.memory.grow(Math.ceil(k/65536));const K=C.sa(I-1);if((A?B:Q)(E,new Uint16Array(C.memory.buffer,K,I)),!C.parse())throw Object.assign(new Error(`Parse error ${g}:${E.slice(0,C.e()).split("\n").length}:${C.e()-E.lastIndexOf("\n",C.e()-1)}`),{idx:C.e()});const o=[],D=[];for(;C.ri();){const A=C.is(),Q=C.ie(),B=C.ai(),g=C.id(),I=C.ss(),k=C.se();let K;C.ip()&&(K=w(E.slice(-1===g?A-1:A,-1===g?Q+1:Q))),o.push({n:K,s:A,e:Q,ss:I,se:k,d:g,a:B});}for(;C.re();){const A=C.es(),Q=C.ee(),B=C.els(),g=C.ele(),I=E.slice(A,Q),k=I[0],K=B<0?void 0:E.slice(B,g),o=K?K[0]:"";D.push({s:A,e:Q,ls:B,le:g,n:'"'===k||"'"===k?w(I):I,ln:'"'===o||"'"===o?w(K):K});}function w(A){try{return (0,eval)(A)}catch(A){}}return [o,D,!!C.f(),!!C.ms()]}function Q(A,Q){const B=A.length;let C=0;for(;C<B;){const B=A.charCodeAt(C);Q[C++]=(255&B)<<8|B>>>8;}}function B(A,Q){const B=A.length;let C=0;for(;C<B;)Q[C]=A.charCodeAt(C++);}let C;const init=WebAssembly.compile((E="AGFzbQEAAAABKghgAX8Bf2AEf39/fwBgAAF/YAAAYAF/AGADf39/AX9gAn9/AX9gAn9/AAMwLwABAQICAgICAgICAgICAgICAgICAAMDAwQEAAAAAwAAAAADAwAFBgAAAAcABgIFBAUBcAEBAQUDAQABBg8CfwFBsPIAC38AQbDyAAsHdRQGbWVtb3J5AgACc2EAAAFlAAMCaXMABAJpZQAFAnNzAAYCc2UABwJhaQAIAmlkAAkCaXAACgJlcwALAmVlAAwDZWxzAA0DZWxlAA4CcmkADwJyZQAQAWYAEQJtcwASBXBhcnNlABMLX19oZWFwX2Jhc2UDAQryPS9oAQF/QQAgADYC9AlBACgC0AkiASAAQQF0aiIAQQA7AQBBACAAQQJqIgA2AvgJQQAgADYC/AlBAEEANgLUCUEAQQA2AuQJQQBBADYC3AlBAEEANgLYCUEAQQA2AuwJQQBBADYC4AkgAQu+AQEDf0EAKALkCSEEQQBBACgC/AkiBTYC5AlBACAENgLoCUEAIAVBIGo2AvwJIARBHGpB1AkgBBsgBTYCAEEAKALICSEEQQAoAsQJIQYgBSABNgIAIAUgADYCCCAFIAIgAkECakEAIAYgA0YbIAQgA0YbNgIMIAUgAzYCFCAFQQA2AhAgBSACNgIEIAVBADYCHCAFQQAoAsQJIANGIgI6ABgCQAJAIAINAEEAKALICSADRw0BC0EAQQE6AIAKCwteAQF/QQAoAuwJIgRBEGpB2AkgBBtBACgC/AkiBDYCAEEAIAQ2AuwJQQAgBEEUajYC/AlBAEEBOgCACiAEQQA2AhAgBCADNgIMIAQgAjYCCCAEIAE2AgQgBCAANgIACwgAQQAoAoQKCxUAQQAoAtwJKAIAQQAoAtAJa0EBdQseAQF/QQAoAtwJKAIEIgBBACgC0AlrQQF1QX8gABsLFQBBACgC3AkoAghBACgC0AlrQQF1Cx4BAX9BACgC3AkoAgwiAEEAKALQCWtBAXVBfyAAGwseAQF/QQAoAtwJKAIQIgBBACgC0AlrQQF1QX8gABsLOwEBfwJAQQAoAtwJKAIUIgBBACgCxAlHDQBBfw8LAkAgAEEAKALICUcNAEF+DwsgAEEAKALQCWtBAXULCwBBACgC3AktABgLFQBBACgC4AkoAgBBACgC0AlrQQF1CxUAQQAoAuAJKAIEQQAoAtAJa0EBdQseAQF/QQAoAuAJKAIIIgBBACgC0AlrQQF1QX8gABsLHgEBf0EAKALgCSgCDCIAQQAoAtAJa0EBdUF/IAAbCyUBAX9BAEEAKALcCSIAQRxqQdQJIAAbKAIAIgA2AtwJIABBAEcLJQEBf0EAQQAoAuAJIgBBEGpB2AkgABsoAgAiADYC4AkgAEEARwsIAEEALQCICgsIAEEALQCACgvyDAEGfyMAQYDQAGsiACQAQQBBAToAiApBAEEAKALMCTYCkApBAEEAKALQCUF+aiIBNgKkCkEAIAFBACgC9AlBAXRqIgI2AqgKQQBBADoAgApBAEEAOwGKCkEAQQA7AYwKQQBBADoAlApBAEEANgKECkEAQQA6APAJQQAgAEGAEGo2ApgKQQAgADYCnApBAEEAOgCgCgJAAkACQAJAA0BBACABQQJqIgM2AqQKIAEgAk8NAQJAIAMvAQAiAkF3akEFSQ0AAkACQAJAAkACQCACQZt/ag4FAQgICAIACyACQSBGDQQgAkEvRg0DIAJBO0YNAgwHC0EALwGMCg0BIAMQFEUNASABQQRqQYIIQQoQLg0BEBVBAC0AiAoNAUEAQQAoAqQKIgE2ApAKDAcLIAMQFEUNACABQQRqQYwIQQoQLg0AEBYLQQBBACgCpAo2ApAKDAELAkAgAS8BBCIDQSpGDQAgA0EvRw0EEBcMAQtBARAYC0EAKAKoCiECQQAoAqQKIQEMAAsLQQAhAiADIQFBAC0A8AkNAgwBC0EAIAE2AqQKQQBBADoAiAoLA0BBACABQQJqIgM2AqQKAkACQAJAAkACQAJAAkACQAJAIAFBACgCqApPDQAgAy8BACICQXdqQQVJDQgCQAJAAkACQAJAAkACQAJAAkACQCACQWBqDgoSEQYRERERBQECAAsCQAJAAkACQCACQaB/ag4KCxQUAxQBFBQUAgALIAJBhX9qDgMFEwYJC0EALwGMCg0SIAMQFEUNEiABQQRqQYIIQQoQLg0SEBUMEgsgAxAURQ0RIAFBBGpBjAhBChAuDREQFgwRCyADEBRFDRAgASkABELsgISDsI7AOVINECABLwEMIgNBd2oiAUEXSw0OQQEgAXRBn4CABHFFDQ4MDwtBAEEALwGMCiIBQQFqOwGMCkEAKAKYCiABQQN0aiIBQQE2AgAgAUEAKAKQCjYCBAwPC0EALwGMCiIDRQ0LQQAgA0F/aiICOwGMCkEALwGKCiIDRQ0OQQAoApgKIAJB//8DcUEDdGooAgBBBUcNDgJAIANBAnRBACgCnApqQXxqKAIAIgIoAgQNACACQQAoApAKQQJqNgIEC0EAIANBf2o7AYoKIAIgAUEEajYCDAwOCwJAQQAoApAKIgEvAQBBKUcNAEEAKALkCSIDRQ0AIAMoAgQgAUcNAEEAQQAoAugJIgM2AuQJAkAgA0UNACADQQA2AhwMAQtBAEEANgLUCQtBAEEALwGMCiIDQQFqOwGMCkEAKAKYCiADQQN0aiIDQQZBAkEALQCgChs2AgAgAyABNgIEQQBBADoAoAoMDQtBAC8BjAoiAUUNCUEAIAFBf2oiATsBjApBACgCmAogAUH//wNxQQN0aigCAEEERg0EDAwLQScQGQwLC0EiEBkMCgsgAkEvRw0JAkACQCABLwEEIgFBKkYNACABQS9HDQEQFwwMC0EBEBgMCwsCQAJAQQAoApAKIgEvAQAiAxAaRQ0AAkACQCADQVVqDgQACAEDCAsgAUF+ai8BAEErRg0GDAcLIAFBfmovAQBBLUYNBQwGCwJAIANB/QBGDQAgA0EpRw0FQQAoApgKQQAvAYwKQQN0aigCBBAbRQ0FDAYLQQAoApgKQQAvAYwKQQN0aiICKAIEEBwNBSACKAIAQQZGDQUMBAsgAUF+ai8BAEFQakH//wNxQQpJDQMMBAtBACgCmApBAC8BjAoiAUEDdCIDakEAKAKQCjYCBEEAIAFBAWo7AYwKQQAoApgKIANqQQM2AgALEB0MBwtBAC0A8AlBAC8BigpBAC8BjApyckUhAgwJCyABEB4NACADRQ0AIANBL0ZBAC0AlApBAEdxDQAgAUF+aiEBQQAoAtAJIQICQANAIAFBAmoiBCACTQ0BQQAgATYCkAogAS8BACEDIAFBfmoiBCEBIAMQH0UNAAsgBEECaiEEC0EBIQUgA0H//wNxECBFDQEgBEF+aiEBAkADQCABQQJqIgMgAk0NAUEAIAE2ApAKIAEvAQAhAyABQX5qIgQhASADECANAAsgBEECaiEDCyADECFFDQEQIkEAQQA6AJQKDAULECJBACEFC0EAIAU6AJQKDAMLECNBACECDAULIANBoAFHDQELQQBBAToAoAoLQQBBACgCpAo2ApAKC0EAKAKkCiEBDAALCyAAQYDQAGokACACCxoAAkBBACgC0AkgAEcNAEEBDwsgAEF+ahAkC/wKAQZ/QQBBACgCpAoiAEEMaiIBNgKkCkEAKALsCSECQQEQKCEDAkACQAJAAkACQAJAAkACQAJAQQAoAqQKIgQgAUcNACADECdFDQELAkACQAJAAkACQAJAAkAgA0EqRg0AIANB+wBHDQFBACAEQQJqNgKkCkEBECghA0EAKAKkCiEEA0ACQAJAIANB//8DcSIDQSJGDQAgA0EnRg0AIAMQKxpBACgCpAohAwwBCyADEBlBAEEAKAKkCkECaiIDNgKkCgtBARAoGgJAIAQgAxAsIgNBLEcNAEEAQQAoAqQKQQJqNgKkCkEBECghAwsgA0H9AEYNA0EAKAKkCiIFIARGDQ8gBSEEIAVBACgCqApNDQAMDwsLQQAgBEECajYCpApBARAoGkEAKAKkCiIDIAMQLBoMAgtBAEEAOgCICgJAAkACQAJAAkACQCADQZ9/ag4MAgsEAQsDCwsLCwsFAAsgA0H2AEYNBAwKC0EAIARBDmoiAzYCpAoCQAJAAkBBARAoQZ9/ag4GABICEhIBEgtBACgCpAoiBSkAAkLzgOSD4I3AMVINESAFLwEKECBFDRFBACAFQQpqNgKkCkEAECgaC0EAKAKkCiIFQQJqQaIIQQ4QLg0QIAUvARAiAkF3aiIBQRdLDQ1BASABdEGfgIAEcUUNDQwOC0EAKAKkCiIFKQACQuyAhIOwjsA5Ug0PIAUvAQoiAkF3aiIBQRdNDQYMCgtBACAEQQpqNgKkCkEAECgaQQAoAqQKIQQLQQAgBEEQajYCpAoCQEEBECgiBEEqRw0AQQBBACgCpApBAmo2AqQKQQEQKCEEC0EAKAKkCiEDIAQQKxogA0EAKAKkCiIEIAMgBBACQQBBACgCpApBfmo2AqQKDwsCQCAEKQACQuyAhIOwjsA5Ug0AIAQvAQoQH0UNAEEAIARBCmo2AqQKQQEQKCEEQQAoAqQKIQMgBBArGiADQQAoAqQKIgQgAyAEEAJBAEEAKAKkCkF+ajYCpAoPC0EAIARBBGoiBDYCpAoLQQAgBEEGajYCpApBAEEAOgCICkEBECghBEEAKAKkCiEDIAQQKyEEQQAoAqQKIQIgBEHf/wNxIgFB2wBHDQNBACACQQJqNgKkCkEBECghBUEAKAKkCiEDQQAhBAwEC0EAQQE6AIAKQQBBACgCpApBAmo2AqQKC0EBECghBEEAKAKkCiEDAkAgBEHmAEcNACADQQJqQZwIQQYQLg0AQQAgA0EIajYCpAogAEEBECgQKiACQRBqQdgJIAIbIQMDQCADKAIAIgNFDQUgA0IANwIIIANBEGohAwwACwtBACADQX5qNgKkCgwDC0EBIAF0QZ+AgARxRQ0DDAQLQQEhBAsDQAJAAkAgBA4CAAEBCyAFQf//A3EQKxpBASEEDAELAkACQEEAKAKkCiIEIANGDQAgAyAEIAMgBBACQQEQKCEEAkAgAUHbAEcNACAEQSByQf0ARg0EC0EAKAKkCiEDAkAgBEEsRw0AQQAgA0ECajYCpApBARAoIQVBACgCpAohAyAFQSByQfsARw0CC0EAIANBfmo2AqQKCyABQdsARw0CQQAgAkF+ajYCpAoPC0EAIQQMAAsLDwsgAkGgAUYNACACQfsARw0EC0EAIAVBCmo2AqQKQQEQKCIFQfsARg0DDAILAkAgAkFYag4DAQMBAAsgAkGgAUcNAgtBACAFQRBqNgKkCgJAQQEQKCIFQSpHDQBBAEEAKAKkCkECajYCpApBARAoIQULIAVBKEYNAQtBACgCpAohASAFECsaQQAoAqQKIgUgAU0NACAEIAMgASAFEAJBAEEAKAKkCkF+ajYCpAoPCyAEIANBAEEAEAJBACAEQQxqNgKkCg8LECML1AYBBH9BAEEAKAKkCiIAQQxqIgE2AqQKAkACQAJAAkACQAJAAkACQAJAAkBBARAoIgJBWWoOCAQCAQQBAQEDAAsgAkEiRg0DIAJB+wBGDQQLQQAoAqQKIAFHDQJBACAAQQpqNgKkCg8LQQAoApgKQQAvAYwKIgJBA3RqIgFBACgCpAo2AgRBACACQQFqOwGMCiABQQU2AgBBACgCkAovAQBBLkYNA0EAQQAoAqQKIgFBAmo2AqQKQQEQKCECIABBACgCpApBACABEAFBAEEALwGKCiIBQQFqOwGKCkEAKAKcCiABQQJ0akEAKALkCTYCAAJAIAJBIkYNACACQSdGDQBBAEEAKAKkCkF+ajYCpAoPCyACEBlBAEEAKAKkCkECaiICNgKkCgJAAkACQEEBEChBV2oOBAECAgACC0EAQQAoAqQKQQJqNgKkCkEBECgaQQAoAuQJIgEgAjYCBCABQQE6ABggAUEAKAKkCiICNgIQQQAgAkF+ajYCpAoPC0EAKALkCSIBIAI2AgQgAUEBOgAYQQBBAC8BjApBf2o7AYwKIAFBACgCpApBAmo2AgxBAEEALwGKCkF/ajsBigoPC0EAQQAoAqQKQX5qNgKkCg8LQQBBACgCpApBAmo2AqQKQQEQKEHtAEcNAkEAKAKkCiICQQJqQZYIQQYQLg0CAkBBACgCkAoiARApDQAgAS8BAEEuRg0DCyAAIAAgAkEIakEAKALICRABDwtBAC8BjAoNAkEAKAKkCiECQQAoAqgKIQMDQCACIANPDQUCQAJAIAIvAQAiAUEnRg0AIAFBIkcNAQsgACABECoPC0EAIAJBAmoiAjYCpAoMAAsLQQAoAqQKIQJBAC8BjAoNAgJAA0ACQAJAAkAgAkEAKAKoCk8NAEEBECgiAkEiRg0BIAJBJ0YNASACQf0ARw0CQQBBACgCpApBAmo2AqQKC0EBECghAUEAKAKkCiECAkAgAUHmAEcNACACQQJqQZwIQQYQLg0IC0EAIAJBCGo2AqQKQQEQKCICQSJGDQMgAkEnRg0DDAcLIAIQGQtBAEEAKAKkCkECaiICNgKkCgwACwsgACACECoLDwtBAEEAKAKkCkF+ajYCpAoPC0EAIAJBfmo2AqQKDwsQIwtHAQN/QQAoAqQKQQJqIQBBACgCqAohAQJAA0AgACICQX5qIAFPDQEgAkECaiEAIAIvAQBBdmoOBAEAAAEACwtBACACNgKkCguYAQEDf0EAQQAoAqQKIgFBAmo2AqQKIAFBBmohAUEAKAKoCiECA0ACQAJAAkAgAUF8aiACTw0AIAFBfmovAQAhAwJAAkAgAA0AIANBKkYNASADQXZqDgQCBAQCBAsgA0EqRw0DCyABLwEAQS9HDQJBACABQX5qNgKkCgwBCyABQX5qIQELQQAgATYCpAoPCyABQQJqIQEMAAsLiAEBBH9BACgCpAohAUEAKAKoCiECAkACQANAIAEiA0ECaiEBIAMgAk8NASABLwEAIgQgAEYNAgJAIARB3ABGDQAgBEF2ag4EAgEBAgELIANBBGohASADLwEEQQ1HDQAgA0EGaiABIAMvAQZBCkYbIQEMAAsLQQAgATYCpAoQIw8LQQAgATYCpAoLbAEBfwJAAkAgAEFfaiIBQQVLDQBBASABdEExcQ0BCyAAQUZqQf//A3FBBkkNACAAQSlHIABBWGpB//8DcUEHSXENAAJAIABBpX9qDgQBAAABAAsgAEH9AEcgAEGFf2pB//8DcUEESXEPC0EBCy4BAX9BASEBAkAgAEGWCUEFECUNACAAQaAJQQMQJQ0AIABBpglBAhAlIQELIAELgwEBAn9BASEBAkACQAJAAkACQAJAIAAvAQAiAkFFag4EBQQEAQALAkAgAkGbf2oOBAMEBAIACyACQSlGDQQgAkH5AEcNAyAAQX5qQbIJQQYQJQ8LIABBfmovAQBBPUYPCyAAQX5qQaoJQQQQJQ8LIABBfmpBvglBAxAlDwtBACEBCyABC94BAQR/QQAoAqQKIQBBACgCqAohAQJAAkACQANAIAAiAkECaiEAIAIgAU8NAQJAAkACQCAALwEAIgNBpH9qDgUCAwMDAQALIANBJEcNAiACLwEEQfsARw0CQQAgAkEEaiIANgKkCkEAQQAvAYwKIgJBAWo7AYwKQQAoApgKIAJBA3RqIgJBBDYCACACIAA2AgQPC0EAIAA2AqQKQQBBAC8BjApBf2oiADsBjApBACgCmAogAEH//wNxQQN0aigCAEEDRw0DDAQLIAJBBGohAAwACwtBACAANgKkCgsQIwsLtAMBAn9BACEBAkACQAJAAkACQAJAAkACQAJAAkAgAC8BAEGcf2oOFAABAgkJCQkDCQkEBQkJBgkHCQkICQsCQAJAIABBfmovAQBBl39qDgQACgoBCgsgAEF8akG6CEECECUPCyAAQXxqQb4IQQMQJQ8LAkACQAJAIABBfmovAQBBjX9qDgMAAQIKCwJAIABBfGovAQAiAkHhAEYNACACQewARw0KIABBempB5QAQJg8LIABBempB4wAQJg8LIABBfGpBxAhBBBAlDwsgAEF8akHMCEEGECUPCyAAQX5qLwEAQe8ARw0GIABBfGovAQBB5QBHDQYCQCAAQXpqLwEAIgJB8ABGDQAgAkHjAEcNByAAQXhqQdgIQQYQJQ8LIABBeGpB5AhBAhAlDwsgAEF+akHoCEEEECUPC0EBIQEgAEF+aiIAQekAECYNBCAAQfAIQQUQJQ8LIABBfmpB5AAQJg8LIABBfmpB+ghBBxAlDwsgAEF+akGICUEEECUPCwJAIABBfmovAQAiAkHvAEYNACACQeUARw0BIABBfGpB7gAQJg8LIABBfGpBkAlBAxAlIQELIAELNAEBf0EBIQECQCAAQXdqQf//A3FBBUkNACAAQYABckGgAUYNACAAQS5HIAAQJ3EhAQsgAQswAQF/AkACQCAAQXdqIgFBF0sNAEEBIAF0QY2AgARxDQELIABBoAFGDQBBAA8LQQELTgECf0EAIQECQAJAIAAvAQAiAkHlAEYNACACQesARw0BIABBfmpB6AhBBBAlDwsgAEF+ai8BAEH1AEcNACAAQXxqQcwIQQYQJSEBCyABC3ABAn8CQAJAA0BBAEEAKAKkCiIAQQJqIgE2AqQKIABBACgCqApPDQECQAJAAkAgAS8BACIBQaV/ag4CAQIACwJAIAFBdmoOBAQDAwQACyABQS9HDQIMBAsQLRoMAQtBACAAQQRqNgKkCgwACwsQIwsLNQEBf0EAQQE6APAJQQAoAqQKIQBBAEEAKAKoCkECajYCpApBACAAQQAoAtAJa0EBdTYChAoLQwECf0EBIQECQCAALwEAIgJBd2pB//8DcUEFSQ0AIAJBgAFyQaABRg0AQQAhASACECdFDQAgAkEuRyAAEClyDwsgAQtGAQN/QQAhAwJAIAAgAkEBdCICayIEQQJqIgBBACgC0AkiBUkNACAAIAEgAhAuDQACQCAAIAVHDQBBAQ8LIAQQJCEDCyADCz0BAn9BACECAkBBACgC0AkiAyAASw0AIAAvAQAgAUcNAAJAIAMgAEcNAEEBDwsgAEF+ai8BABAfIQILIAILaAECf0EBIQECQAJAIABBX2oiAkEFSw0AQQEgAnRBMXENAQsgAEH4/wNxQShGDQAgAEFGakH//wNxQQZJDQACQCAAQaV/aiICQQNLDQAgAkEBRw0BCyAAQYV/akH//wNxQQRJIQELIAELnAEBA39BACgCpAohAQJAA0ACQAJAIAEvAQAiAkEvRw0AAkAgAS8BAiIBQSpGDQAgAUEvRw0EEBcMAgsgABAYDAELAkACQCAARQ0AIAJBd2oiAUEXSw0BQQEgAXRBn4CABHFFDQEMAgsgAhAgRQ0DDAELIAJBoAFHDQILQQBBACgCpAoiA0ECaiIBNgKkCiADQQAoAqgKSQ0ACwsgAgsxAQF/QQAhAQJAIAAvAQBBLkcNACAAQX5qLwEAQS5HDQAgAEF8ai8BAEEuRiEBCyABC4kEAQF/AkAgAUEiRg0AIAFBJ0YNABAjDwtBACgCpAohAiABEBkgACACQQJqQQAoAqQKQQAoAsQJEAFBAEEAKAKkCkECajYCpAoCQAJAAkACQEEAECgiAUHhAEYNACABQfcARg0BQQAoAqQKIQEMAgtBACgCpAoiAUECakGwCEEKEC4NAUEGIQAMAgtBACgCpAoiAS8BAkHpAEcNACABLwEEQfQARw0AQQQhACABLwEGQegARg0BC0EAIAFBfmo2AqQKDwtBACABIABBAXRqNgKkCgJAQQEQKEH7AEYNAEEAIAE2AqQKDwtBACgCpAoiAiEAA0BBACAAQQJqNgKkCgJAAkACQEEBECgiAEEiRg0AIABBJ0cNAUEnEBlBAEEAKAKkCkECajYCpApBARAoIQAMAgtBIhAZQQBBACgCpApBAmo2AqQKQQEQKCEADAELIAAQKyEACwJAIABBOkYNAEEAIAE2AqQKDwtBAEEAKAKkCkECajYCpAoCQEEBECgiAEEiRg0AIABBJ0YNAEEAIAE2AqQKDwsgABAZQQBBACgCpApBAmo2AqQKAkACQEEBECgiAEEsRg0AIABB/QBGDQFBACABNgKkCg8LQQBBACgCpApBAmo2AqQKQQEQKEH9AEYNAEEAKAKkCiEADAELC0EAKALkCSIBIAI2AhAgAUEAKAKkCkECajYCDAttAQJ/AkACQANAAkAgAEH//wNxIgFBd2oiAkEXSw0AQQEgAnRBn4CABHENAgsgAUGgAUYNASAAIQIgARAnDQJBACECQQBBACgCpAoiAEECajYCpAogAC8BAiIADQAMAgsLIAAhAgsgAkH//wNxC6sBAQR/AkACQEEAKAKkCiICLwEAIgNB4QBGDQAgASEEIAAhBQwBC0EAIAJBBGo2AqQKQQEQKCECQQAoAqQKIQUCQAJAIAJBIkYNACACQSdGDQAgAhArGkEAKAKkCiEEDAELIAIQGUEAQQAoAqQKQQJqIgQ2AqQKC0EBECghA0EAKAKkCiECCwJAIAIgBUYNACAFIARBACAAIAAgAUYiAhtBACABIAIbEAILIAMLcgEEf0EAKAKkCiEAQQAoAqgKIQECQAJAA0AgAEECaiECIAAgAU8NAQJAAkAgAi8BACIDQaR/ag4CAQQACyACIQAgA0F2ag4EAgEBAgELIABBBGohAAwACwtBACACNgKkChAjQQAPC0EAIAI2AqQKQd0AC0kBA39BACEDAkAgAkUNAAJAA0AgAC0AACIEIAEtAAAiBUcNASABQQFqIQEgAEEBaiEAIAJBf2oiAg0ADAILCyAEIAVrIQMLIAMLC+IBAgBBgAgLxAEAAHgAcABvAHIAdABtAHAAbwByAHQAZQB0AGEAcgBvAG0AdQBuAGMAdABpAG8AbgBzAHMAZQByAHQAdgBvAHkAaQBlAGQAZQBsAGUAYwBvAG4AdABpAG4AaQBuAHMAdABhAG4AdAB5AGIAcgBlAGEAcgBlAHQAdQByAGQAZQBiAHUAZwBnAGUAYQB3AGEAaQB0AGgAcgB3AGgAaQBsAGUAZgBvAHIAaQBmAGMAYQB0AGMAZgBpAG4AYQBsAGwAZQBsAHMAAEHECQsQAQAAAAIAAAAABAAAMDkAAA==","undefined"!=typeof Buffer?Buffer.from(E,"base64"):Uint8Array.from(atob(E),(A=>A.charCodeAt(0))))).then(WebAssembly.instantiate).then((({exports:A})=>{C=A;}));var E;

  async function _resolve (id, parentUrl) {
    const urlResolved = resolveIfNotPlainOrUrl(id, parentUrl) || asURL(id);
    return {
      r: resolveImportMap(importMap, urlResolved || id, parentUrl) || throwUnresolved(id, parentUrl),
      // b = bare specifier
      b: !urlResolved && !asURL(id)
    };
  }

  const resolve = resolveHook ? async (id, parentUrl) => {
    let result = resolveHook(id, parentUrl, defaultResolve);
    // will be deprecated in next major
    if (result && result.then)
      result = await result;
    return result ? { r: result, b: !resolveIfNotPlainOrUrl(id, parentUrl) && !asURL(id) } : _resolve(id, parentUrl);
  } : _resolve;

  // importShim('mod');
  // importShim('mod', { opts });
  // importShim('mod', { opts }, parentUrl);
  // importShim('mod', parentUrl);
  async function importShim (id, ...args) {
    // parentUrl if present will be the last argument
    let parentUrl = args[args.length - 1];
    if (typeof parentUrl !== 'string')
      parentUrl = baseUrl;
    // needed for shim check
    await initPromise;
    if (importHook) await importHook(id, typeof args[1] !== 'string' ? args[1] : {}, parentUrl);
    if (acceptingImportMaps || shimMode || !baselinePassthrough) {
      if (hasDocument)
        processScriptsAndPreloads(true);
      if (!shimMode)
        acceptingImportMaps = false;
    }
    await importMapPromise;
    return topLevelLoad((await resolve(id, parentUrl)).r, { credentials: 'same-origin' });
  }

  self.importShim = importShim;

  function defaultResolve (id, parentUrl) {
    return resolveImportMap(importMap, resolveIfNotPlainOrUrl(id, parentUrl) || id, parentUrl) || throwUnresolved(id, parentUrl);
  }

  function throwUnresolved (id, parentUrl) {
    throw Error(`Unable to resolve specifier '${id}'${fromParent(parentUrl)}`);
  }

  const resolveSync = (id, parentUrl = baseUrl) => {
    parentUrl = `${parentUrl}`;
    const result = resolveHook && resolveHook(id, parentUrl, defaultResolve);
    return result && !result.then ? result : defaultResolve(id, parentUrl);
  };

  function metaResolve (id, parentUrl = this.url) {
    return resolveSync(id, parentUrl);
  }

  importShim.resolve = resolveSync;
  importShim.getImportMap = () => JSON.parse(JSON.stringify(importMap));
  importShim.addImportMap = importMapIn => {
    if (!shimMode) throw new Error('Unsupported in polyfill mode.');
    importMap = resolveAndComposeImportMap(importMapIn, baseUrl, importMap);
  };

  const registry = importShim._r = {};
  importShim._w = {};

  async function loadAll (load, seen) {
    if (load.b || seen[load.u])
      return;
    seen[load.u] = 1;
    await load.L;
    await Promise.all(load.d.map(dep => loadAll(dep, seen)));
    if (!load.n)
      load.n = load.d.some(dep => dep.n);
  }

  let importMap = { imports: {}, scopes: {} };
  let baselinePassthrough;

  const initPromise = featureDetectionPromise.then(() => {
    baselinePassthrough = esmsInitOptions.polyfillEnable !== true && supportsDynamicImport && supportsImportMeta && supportsImportMaps && (!jsonModulesEnabled || supportsJsonAssertions) && (!cssModulesEnabled || supportsCssAssertions) && !importMapSrcOrLazy;
    if (hasDocument) {
      if (!supportsImportMaps) {
        const supports = HTMLScriptElement.supports || (type => type === 'classic' || type === 'module');
        HTMLScriptElement.supports = type => type === 'importmap' || supports(type);
      }
      if (shimMode || !baselinePassthrough) {
        new MutationObserver(mutations => {
          for (const mutation of mutations) {
            if (mutation.type !== 'childList') continue;
            for (const node of mutation.addedNodes) {
              if (node.tagName === 'SCRIPT') {
                if (node.type === (shimMode ? 'module-shim' : 'module'))
                  processScript(node, true);
                if (node.type === (shimMode ? 'importmap-shim' : 'importmap'))
                  processImportMap(node, true);
              }
              else if (node.tagName === 'LINK' && node.rel === (shimMode ? 'modulepreload-shim' : 'modulepreload')) {
                processPreload(node);
              }
            }
          }
        }).observe(document, {childList: true, subtree: true});
        processScriptsAndPreloads();
        if (document.readyState === 'complete') {
          readyStateCompleteCheck();
        }
        else {
          async function readyListener() {
            await initPromise;
            processScriptsAndPreloads();
            if (document.readyState === 'complete') {
              readyStateCompleteCheck();
              document.removeEventListener('readystatechange', readyListener);
            }
          }
          document.addEventListener('readystatechange', readyListener);
        }
      }
    }
    return init;
  });
  let importMapPromise = initPromise;
  let firstPolyfillLoad = true;
  let acceptingImportMaps = true;

  async function topLevelLoad (url, fetchOpts, source, nativelyLoaded, lastStaticLoadPromise) {
    if (!shimMode)
      acceptingImportMaps = false;
    await initPromise;
    await importMapPromise;
    if (importHook) await importHook(url, typeof fetchOpts !== 'string' ? fetchOpts : {}, '');
    // early analysis opt-out - no need to even fetch if we have feature support
    if (!shimMode && baselinePassthrough) {
      // for polyfill case, only dynamic import needs a return value here, and dynamic import will never pass nativelyLoaded
      if (nativelyLoaded)
        return null;
      await lastStaticLoadPromise;
      return dynamicImport(source ? createBlob(source) : url, { errUrl: url || source });
    }
    const load = getOrCreateLoad(url, fetchOpts, null, source);
    const seen = {};
    await loadAll(load, seen);
    lastLoad = undefined;
    resolveDeps(load, seen);
    await lastStaticLoadPromise;
    if (source && !shimMode && !load.n) {
      if (nativelyLoaded) return;
      if (revokeBlobURLs) revokeObjectURLs(Object.keys(seen));
      return await dynamicImport(createBlob(source), { errUrl: source });
    }
    if (firstPolyfillLoad && !shimMode && load.n && nativelyLoaded) {
      onpolyfill();
      firstPolyfillLoad = false;
    }
    const module = await dynamicImport(!shimMode && !load.n && nativelyLoaded ? load.u : load.b, { errUrl: load.u });
    // if the top-level load is a shell, run its update function
    if (load.s)
      (await dynamicImport(load.s)).u$_(module);
    if (revokeBlobURLs) revokeObjectURLs(Object.keys(seen));
    // when tla is supported, this should return the tla promise as an actual handle
    // so readystate can still correspond to the sync subgraph exec completions
    return module;
  }

  function revokeObjectURLs(registryKeys) {
    let batch = 0;
    const keysLength = registryKeys.length;
    const schedule = self.requestIdleCallback ? self.requestIdleCallback : self.requestAnimationFrame;
    schedule(cleanup);
    function cleanup() {
      const batchStartIndex = batch * 100;
      if (batchStartIndex > keysLength) return
      for (const key of registryKeys.slice(batchStartIndex, batchStartIndex + 100)) {
        const load = registry[key];
        if (load) URL.revokeObjectURL(load.b);
      }
      batch++;
      schedule(cleanup);
    }
  }

  function urlJsString (url) {
    return `'${url.replace(/'/g, "\\'")}'`;
  }

  let lastLoad;
  function resolveDeps (load, seen) {
    if (load.b || !seen[load.u])
      return;
    seen[load.u] = 0;

    for (const dep of load.d)
      resolveDeps(dep, seen);

    const [imports, exports] = load.a;

    // "execution"
    const source = load.S;

    // edge doesnt execute sibling in order, so we fix this up by ensuring all previous executions are explicit dependencies
    let resolvedSource = edge && lastLoad ? `import '${lastLoad}';` : '';

    // once all deps have loaded we can inline the dependency resolution blobs
    // and define this blob
    let lastIndex = 0, depIndex = 0, dynamicImportEndStack = [];
    function pushStringTo (originalIndex) {
      while (dynamicImportEndStack[dynamicImportEndStack.length - 1] < originalIndex) {
        const dynamicImportEnd = dynamicImportEndStack.pop();
        resolvedSource += `${source.slice(lastIndex, dynamicImportEnd)}, ${urlJsString(load.r)}`;
        lastIndex = dynamicImportEnd;
      }
      resolvedSource += source.slice(lastIndex, originalIndex);
      lastIndex = originalIndex;
    }

    for (const { s: start, ss: statementStart, se: statementEnd, d: dynamicImportIndex } of imports) {
      // dependency source replacements
      if (dynamicImportIndex === -1) {
        let depLoad = load.d[depIndex++], blobUrl = depLoad.b, cycleShell = !blobUrl;
        if (cycleShell) {
          // circular shell creation
          if (!(blobUrl = depLoad.s)) {
            blobUrl = depLoad.s = createBlob(`export function u$_(m){${
            depLoad.a[1].map(({ s, e }, i) => {
              const q = depLoad.S[s] === '"' || depLoad.S[s] === "'";
              return `e$_${i}=m${q ? `[` : '.'}${depLoad.S.slice(s, e)}${q ? `]` : ''}`;
            }).join(',')
          }}${
            depLoad.a[1].length ? `let ${depLoad.a[1].map((_, i) => `e$_${i}`).join(',')};` : ''
          }export {${
            depLoad.a[1].map(({ s, e }, i) => `e$_${i} as ${depLoad.S.slice(s, e)}`).join(',')
          }}\n//# sourceURL=${depLoad.r}?cycle`);
          }
        }

        pushStringTo(start - 1);
        resolvedSource += `/*${source.slice(start - 1, statementEnd)}*/${urlJsString(blobUrl)}`;

        // circular shell execution
        if (!cycleShell && depLoad.s) {
          resolvedSource += `;import*as m$_${depIndex} from'${depLoad.b}';import{u$_ as u$_${depIndex}}from'${depLoad.s}';u$_${depIndex}(m$_${depIndex})`;
          depLoad.s = undefined;
        }
        lastIndex = statementEnd;
      }
      // import.meta
      else if (dynamicImportIndex === -2) {
        load.m = { url: load.r, resolve: metaResolve };
        metaHook(load.m, load.u);
        pushStringTo(start);
        resolvedSource += `importShim._r[${urlJsString(load.u)}].m`;
        lastIndex = statementEnd;
      }
      // dynamic import
      else {
        pushStringTo(statementStart + 6);
        resolvedSource += `Shim(`;
        dynamicImportEndStack.push(statementEnd - 1);
        lastIndex = start;
      }
    }

    // support progressive cycle binding updates (try statement avoids tdz errors)
    if (load.s)
      resolvedSource += `\n;import{u$_}from'${load.s}';try{u$_({${exports.filter(e => e.ln).map(({ s, e, ln }) => `${source.slice(s, e)}:${ln}`).join(',')}})}catch(_){};\n`;

    function pushSourceURL (commentPrefix, commentStart) {
      const urlStart = commentStart + commentPrefix.length;
      const commentEnd = source.indexOf('\n', urlStart);
      const urlEnd = commentEnd !== -1 ? commentEnd : source.length;
      pushStringTo(urlStart);
      resolvedSource += new URL(source.slice(urlStart, urlEnd), load.r).href;
      lastIndex = urlEnd;
    }

    let sourceURLCommentStart = source.lastIndexOf(sourceURLCommentPrefix);
    let sourceMapURLCommentStart = source.lastIndexOf(sourceMapURLCommentPrefix);

    // ignore sourceMap comments before already spliced code
    if (sourceURLCommentStart < lastIndex) sourceURLCommentStart = -1;
    if (sourceMapURLCommentStart < lastIndex) sourceMapURLCommentStart = -1;

    // sourceURL first / only
    if (sourceURLCommentStart !== -1 && (sourceMapURLCommentStart === -1 || sourceMapURLCommentStart > sourceURLCommentStart)) {
      pushSourceURL(sourceURLCommentPrefix, sourceURLCommentStart);
    }
    // sourceMappingURL
    if (sourceMapURLCommentStart !== -1) {
      pushSourceURL(sourceMapURLCommentPrefix, sourceMapURLCommentStart);
      // sourceURL last
      if (sourceURLCommentStart !== -1 && (sourceURLCommentStart > sourceMapURLCommentStart))
        pushSourceURL(sourceURLCommentPrefix, sourceURLCommentStart);
    }

    pushStringTo(source.length);

    if (sourceURLCommentStart === -1)
      resolvedSource += sourceURLCommentPrefix + load.r;

    load.b = lastLoad = createBlob(resolvedSource);
    load.S = undefined;
  }

  const sourceURLCommentPrefix = '\n//# sourceURL=';
  const sourceMapURLCommentPrefix = '\n//# sourceMappingURL=';

  const jsContentType = /^(text|application)\/(x-)?javascript(;|$)/;
  const wasmContentType = /^(application)\/wasm(;|$)/;
  const jsonContentType = /^(text|application)\/json(;|$)/;
  const cssContentType = /^(text|application)\/css(;|$)/;

  const cssUrlRegEx = /url\(\s*(?:(["'])((?:\\.|[^\n\\"'])+)\1|((?:\\.|[^\s,"'()\\])+))\s*\)/g;

  // restrict in-flight fetches to a pool of 100
  let p = [];
  let c = 0;
  function pushFetchPool () {
    if (++c > 100)
      return new Promise(r => p.push(r));
  }
  function popFetchPool () {
    c--;
    if (p.length)
      p.shift()();
  }

  async function doFetch (url, fetchOpts, parent) {
    if (enforceIntegrity && !fetchOpts.integrity)
      throw Error(`No integrity for ${url}${fromParent(parent)}.`);
    const poolQueue = pushFetchPool();
    if (poolQueue) await poolQueue;
    try {
      var res = await fetchHook(url, fetchOpts);
    }
    catch (e) {
      e.message = `Unable to fetch ${url}${fromParent(parent)} - see network log for details.\n` + e.message;
      throw e;
    }
    finally {
      popFetchPool();
    }

    if (!res.ok) {
      const error = new TypeError(`${res.status} ${res.statusText} ${res.url}${fromParent(parent)}`);
      error.response = res;
      throw error;
    }
    return res;
  }

  async function fetchModule (url, fetchOpts, parent) {
    const res = await doFetch(url, fetchOpts, parent);
    const contentType = res.headers.get('content-type');
    if (jsContentType.test(contentType))
      return { r: res.url, s: await res.text(), t: 'js' };
    else if (wasmContentType.test(contentType)) {
      const module = importShim._w[url] = await WebAssembly.compileStreaming(res);
      let s = '', i = 0, importObj = '';
      for (const impt of WebAssembly.Module.imports(module)) {
        s += `import * as impt${i} from '${impt.module}';\n`;
        importObj += `'${impt.module}':impt${i++},`;
      }
      i = 0;
      s += `const instance = await WebAssembly.instantiate(importShim._w['${url}'], {${importObj}});\n`;
      for (const expt of WebAssembly.Module.exports(module)) {
        s += `const expt${i} = instance['${expt.name}'];\n`;
        s += `export { expt${i++} as "${expt.name}" };\n`;
      }
      return { r: res.url, s, t: 'wasm' };
    }
    else if (jsonContentType.test(contentType))
      return { r: res.url, s: `export default ${await res.text()}`, t: 'json' };
    else if (cssContentType.test(contentType)) {
      return { r: res.url, s: `var s=new CSSStyleSheet();s.replaceSync(${
        JSON.stringify((await res.text()).replace(cssUrlRegEx, (_match, quotes = '', relUrl1, relUrl2) => `url(${quotes}${resolveUrl(relUrl1 || relUrl2, url)}${quotes})`))
      });export default s;`, t: 'css' };
    }
    else
      throw Error(`Unsupported Content-Type "${contentType}" loading ${url}${fromParent(parent)}. Modules must be served with a valid MIME type like application/javascript.`);
  }

  function getOrCreateLoad (url, fetchOpts, parent, source) {
    let load = registry[url];
    if (load && !source)
      return load;

    load = {
      // url
      u: url,
      // response url
      r: source ? url : undefined,
      // fetchPromise
      f: undefined,
      // source
      S: undefined,
      // linkPromise
      L: undefined,
      // analysis
      a: undefined,
      // deps
      d: undefined,
      // blobUrl
      b: undefined,
      // shellUrl
      s: undefined,
      // needsShim
      n: false,
      // type
      t: null,
      // meta
      m: null
    };
    if (registry[url]) {
      let i = 0;
      while (registry[load.u + ++i]);
      load.u += i;
    }
    registry[load.u] = load;

    load.f = (async () => {
      if (!source) {
        // preload fetch options override fetch options (race)
        let t;
        ({ r: load.r, s: source, t } = await (fetchCache[url] || fetchModule(url, fetchOpts, parent)));
        if (t && !shimMode) {
          if (t === 'css' && !cssModulesEnabled || t === 'json' && !jsonModulesEnabled)
            throw Error(`${t}-modules require <script type="esms-options">{ "polyfillEnable": ["${t}-modules"] }<${''}/script>`);
          if (t === 'css' && !supportsCssAssertions || t === 'json' && !supportsJsonAssertions)
            load.n = true;
        }
      }
      try {
        load.a = parse(source, load.u);
      }
      catch (e) {
        throwError(e);
        load.a = [[], [], false];
      }
      load.S = source;
      return load;
    })();

    load.L = load.f.then(async () => {
      let childFetchOpts = fetchOpts;
      load.d = (await Promise.all(load.a[0].map(async ({ n, d }) => {
        if (d >= 0 && !supportsDynamicImport || d === -2 && !supportsImportMeta)
          load.n = true;
        if (d !== -1 || !n) return;
        const { r, b } = await resolve(n, load.r || load.u);
        if (b && (!supportsImportMaps || importMapSrcOrLazy))
          load.n = true;
        if (d !== -1) return;
        if (skip && skip(r)) return { b: r };
        if (childFetchOpts.integrity)
          childFetchOpts = Object.assign({}, childFetchOpts, { integrity: undefined });
        return getOrCreateLoad(r, childFetchOpts, load.r).f;
      }))).filter(l => l);
    });

    return load;
  }

  function processScriptsAndPreloads (mapsOnly = false) {
    if (!mapsOnly)
      for (const link of document.querySelectorAll(shimMode ? 'link[rel=modulepreload-shim]' : 'link[rel=modulepreload]'))
        processPreload(link);
    for (const script of document.querySelectorAll(shimMode ? 'script[type=importmap-shim]' : 'script[type=importmap]'))
      processImportMap(script);
    if (!mapsOnly)
      for (const script of document.querySelectorAll(shimMode ? 'script[type=module-shim]' : 'script[type=module]'))
        processScript(script);
  }

  function getFetchOpts (script) {
    const fetchOpts = {};
    if (script.integrity)
      fetchOpts.integrity = script.integrity;
    if (script.referrerPolicy)
      fetchOpts.referrerPolicy = script.referrerPolicy;
    if (script.crossOrigin === 'use-credentials')
      fetchOpts.credentials = 'include';
    else if (script.crossOrigin === 'anonymous')
      fetchOpts.credentials = 'omit';
    else
      fetchOpts.credentials = 'same-origin';
    return fetchOpts;
  }

  let lastStaticLoadPromise = Promise.resolve();

  let domContentLoadedCnt = 1;
  function domContentLoadedCheck () {
    if (--domContentLoadedCnt === 0 && !noLoadEventRetriggers && (shimMode || !baselinePassthrough)) {
      document.dispatchEvent(new Event('DOMContentLoaded'));
    }
  }
  // this should always trigger because we assume es-module-shims is itself a domcontentloaded requirement
  if (hasDocument) {
    document.addEventListener('DOMContentLoaded', async () => {
      await initPromise;
      domContentLoadedCheck();
    });
  }

  let readyStateCompleteCnt = 1;
  function readyStateCompleteCheck () {
    if (--readyStateCompleteCnt === 0 && !noLoadEventRetriggers && (shimMode || !baselinePassthrough)) {
      document.dispatchEvent(new Event('readystatechange'));
    }
  }

  const hasNext = script => script.nextSibling || script.parentNode && hasNext(script.parentNode);
  const epCheck = (script, ready) => script.ep || !ready && (!script.src && !script.innerHTML || !hasNext(script)) || script.getAttribute('noshim') !== null || !(script.ep = true);

  function processImportMap (script, ready = readyStateCompleteCnt > 0) {
    if (epCheck(script, ready)) return;
    // we dont currently support multiple, external or dynamic imports maps in polyfill mode to match native
    if (script.src) {
      if (!shimMode)
        return;
      setImportMapSrcOrLazy();
    }
    if (acceptingImportMaps) {
      importMapPromise = importMapPromise
        .then(async () => {
          importMap = resolveAndComposeImportMap(script.src ? await (await doFetch(script.src, getFetchOpts(script))).json() : JSON.parse(script.innerHTML), script.src || baseUrl, importMap);
        })
        .catch(e => {
          console.log(e);
          if (e instanceof SyntaxError)
            e = new Error(`Unable to parse import map ${e.message} in: ${script.src || script.innerHTML}`);
          throwError(e);
        });
      if (!shimMode)
        acceptingImportMaps = false;
    }
  }

  function processScript (script, ready = readyStateCompleteCnt > 0) {
    if (epCheck(script, ready)) return;
    // does this load block readystate complete
    const isBlockingReadyScript = script.getAttribute('async') === null && readyStateCompleteCnt > 0;
    // does this load block DOMContentLoaded
    const isDomContentLoadedScript = domContentLoadedCnt > 0;
    if (isBlockingReadyScript) readyStateCompleteCnt++;
    if (isDomContentLoadedScript) domContentLoadedCnt++;
    const loadPromise = topLevelLoad(script.src || baseUrl, getFetchOpts(script), !script.src && script.innerHTML, !shimMode, isBlockingReadyScript && lastStaticLoadPromise)
      .then(() => {
        // if the type of the script tag "module-shim", browser does not dispatch a "load" event
        // see https://github.com/guybedford/es-module-shims/issues/346
        if (shimMode) {
          script.dispatchEvent(new Event('load'));
        }
      })
      .catch(throwError);
    if (isBlockingReadyScript)
      lastStaticLoadPromise = loadPromise.then(readyStateCompleteCheck);
    if (isDomContentLoadedScript)
      loadPromise.then(domContentLoadedCheck);
  }

  const fetchCache = {};
  function processPreload (link) {
    if (link.ep) return;
    link.ep = true;
    if (fetchCache[link.href])
      return;
    fetchCache[link.href] = fetchModule(link.href, getFetchOpts(link));
  }

})();
react.min.js000064400000015032151334462320006766 0ustar00/*! For license information please see react.min.js.LICENSE.txt */
(()=>{"use strict";var e={287:(e,t)=>{var r=Symbol.for("react.element"),n=Symbol.for("react.portal"),o=Symbol.for("react.fragment"),u=Symbol.for("react.strict_mode"),a=Symbol.for("react.profiler"),c=Symbol.for("react.provider"),i=Symbol.for("react.context"),f=Symbol.for("react.forward_ref"),s=Symbol.for("react.suspense"),l=Symbol.for("react.memo"),p=Symbol.for("react.lazy"),y=Symbol.iterator,d={isMounted:function(){return!1},enqueueForceUpdate:function(){},enqueueReplaceState:function(){},enqueueSetState:function(){}},_=Object.assign,h={};function v(e,t,r){this.props=e,this.context=t,this.refs=h,this.updater=r||d}function m(){}function b(e,t,r){this.props=e,this.context=t,this.refs=h,this.updater=r||d}v.prototype.isReactComponent={},v.prototype.setState=function(e,t){if("object"!=typeof e&&"function"!=typeof e&&null!=e)throw Error("setState(...): takes an object of state variables to update or a function which returns an object of state variables.");this.updater.enqueueSetState(this,e,t,"setState")},v.prototype.forceUpdate=function(e){this.updater.enqueueForceUpdate(this,e,"forceUpdate")},m.prototype=v.prototype;var S=b.prototype=new m;S.constructor=b,_(S,v.prototype),S.isPureReactComponent=!0;var w=Array.isArray,E=Object.prototype.hasOwnProperty,R={current:null},$={key:!0,ref:!0,__self:!0,__source:!0};function k(e,t,n){var o,u={},a=null,c=null;if(null!=t)for(o in void 0!==t.ref&&(c=t.ref),void 0!==t.key&&(a=""+t.key),t)E.call(t,o)&&!$.hasOwnProperty(o)&&(u[o]=t[o]);var i=arguments.length-2;if(1===i)u.children=n;else if(1<i){for(var f=Array(i),s=0;s<i;s++)f[s]=arguments[s+2];u.children=f}if(e&&e.defaultProps)for(o in i=e.defaultProps)void 0===u[o]&&(u[o]=i[o]);return{$$typeof:r,type:e,key:a,ref:c,props:u,_owner:R.current}}function C(e){return"object"==typeof e&&null!==e&&e.$$typeof===r}var g=/\/+/g;function j(e,t){return"object"==typeof e&&null!==e&&null!=e.key?function(e){var t={"=":"=0",":":"=2"};return"$"+e.replace(/[=:]/g,(function(e){return t[e]}))}(""+e.key):t.toString(36)}function x(e,t,o,u,a){var c=typeof e;"undefined"!==c&&"boolean"!==c||(e=null);var i=!1;if(null===e)i=!0;else switch(c){case"string":case"number":i=!0;break;case"object":switch(e.$$typeof){case r:case n:i=!0}}if(i)return a=a(i=e),e=""===u?"."+j(i,0):u,w(a)?(o="",null!=e&&(o=e.replace(g,"$&/")+"/"),x(a,t,o,"",(function(e){return e}))):null!=a&&(C(a)&&(a=function(e,t){return{$$typeof:r,type:e.type,key:t,ref:e.ref,props:e.props,_owner:e._owner}}(a,o+(!a.key||i&&i.key===a.key?"":(""+a.key).replace(g,"$&/")+"/")+e)),t.push(a)),1;if(i=0,u=""===u?".":u+":",w(e))for(var f=0;f<e.length;f++){var s=u+j(c=e[f],f);i+=x(c,t,o,s,a)}else if(s=function(e){return null===e||"object"!=typeof e?null:"function"==typeof(e=y&&e[y]||e["@@iterator"])?e:null}(e),"function"==typeof s)for(e=s.call(e),f=0;!(c=e.next()).done;)i+=x(c=c.value,t,o,s=u+j(c,f++),a);else if("object"===c)throw t=String(e),Error("Objects are not valid as a React child (found: "+("[object Object]"===t?"object with keys {"+Object.keys(e).join(", ")+"}":t)+"). If you meant to render a collection of children, use an array instead.");return i}function O(e,t,r){if(null==e)return e;var n=[],o=0;return x(e,n,"","",(function(e){return t.call(r,e,o++)})),n}function P(e){if(-1===e._status){var t=e._result;(t=t()).then((function(t){0!==e._status&&-1!==e._status||(e._status=1,e._result=t)}),(function(t){0!==e._status&&-1!==e._status||(e._status=2,e._result=t)})),-1===e._status&&(e._status=0,e._result=t)}if(1===e._status)return e._result.default;throw e._result}var I={current:null},T={transition:null},V={ReactCurrentDispatcher:I,ReactCurrentBatchConfig:T,ReactCurrentOwner:R};function A(){throw Error("act(...) is not supported in production builds of React.")}t.Children={map:O,forEach:function(e,t,r){O(e,(function(){t.apply(this,arguments)}),r)},count:function(e){var t=0;return O(e,(function(){t++})),t},toArray:function(e){return O(e,(function(e){return e}))||[]},only:function(e){if(!C(e))throw Error("React.Children.only expected to receive a single React element child.");return e}},t.Component=v,t.Fragment=o,t.Profiler=a,t.PureComponent=b,t.StrictMode=u,t.Suspense=s,t.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED=V,t.act=A,t.cloneElement=function(e,t,n){if(null==e)throw Error("React.cloneElement(...): The argument must be a React element, but you passed "+e+".");var o=_({},e.props),u=e.key,a=e.ref,c=e._owner;if(null!=t){if(void 0!==t.ref&&(a=t.ref,c=R.current),void 0!==t.key&&(u=""+t.key),e.type&&e.type.defaultProps)var i=e.type.defaultProps;for(f in t)E.call(t,f)&&!$.hasOwnProperty(f)&&(o[f]=void 0===t[f]&&void 0!==i?i[f]:t[f])}var f=arguments.length-2;if(1===f)o.children=n;else if(1<f){i=Array(f);for(var s=0;s<f;s++)i[s]=arguments[s+2];o.children=i}return{$$typeof:r,type:e.type,key:u,ref:a,props:o,_owner:c}},t.createContext=function(e){return(e={$$typeof:i,_currentValue:e,_currentValue2:e,_threadCount:0,Provider:null,Consumer:null,_defaultValue:null,_globalName:null}).Provider={$$typeof:c,_context:e},e.Consumer=e},t.createElement=k,t.createFactory=function(e){var t=k.bind(null,e);return t.type=e,t},t.createRef=function(){return{current:null}},t.forwardRef=function(e){return{$$typeof:f,render:e}},t.isValidElement=C,t.lazy=function(e){return{$$typeof:p,_payload:{_status:-1,_result:e},_init:P}},t.memo=function(e,t){return{$$typeof:l,type:e,compare:void 0===t?null:t}},t.startTransition=function(e){var t=T.transition;T.transition={};try{e()}finally{T.transition=t}},t.unstable_act=A,t.useCallback=function(e,t){return I.current.useCallback(e,t)},t.useContext=function(e){return I.current.useContext(e)},t.useDebugValue=function(){},t.useDeferredValue=function(e){return I.current.useDeferredValue(e)},t.useEffect=function(e,t){return I.current.useEffect(e,t)},t.useId=function(){return I.current.useId()},t.useImperativeHandle=function(e,t,r){return I.current.useImperativeHandle(e,t,r)},t.useInsertionEffect=function(e,t){return I.current.useInsertionEffect(e,t)},t.useLayoutEffect=function(e,t){return I.current.useLayoutEffect(e,t)},t.useMemo=function(e,t){return I.current.useMemo(e,t)},t.useReducer=function(e,t,r){return I.current.useReducer(e,t,r)},t.useRef=function(e){return I.current.useRef(e)},t.useState=function(e){return I.current.useState(e)},t.useSyncExternalStore=function(e,t,r){return I.current.useSyncExternalStore(e,t,r)},t.useTransition=function(){return I.current.useTransition()},t.version="18.3.1"},540:(e,t,r)=>{e.exports=r(287)}},t={},r=function r(n){var o=t[n];if(void 0!==o)return o.exports;var u=t[n]={exports:{}};return e[n](u,u.exports,r),u.exports}(540);window.React=r})();wp-polyfill.js000064400000373521151334462320007376 0ustar00/**
 * core-js 3.35.1
 * © 2014-2024 Denis Pushkarev (zloirock.ru)
 * license: https://github.com/zloirock/core-js/blob/v3.35.1/LICENSE
 * source: https://github.com/zloirock/core-js
 */
!function (undefined) { 'use strict'; /******/ (function(modules) { // webpackBootstrap
/******/ 	// The module cache
/******/ 	var installedModules = {};
/******/
/******/ 	// The require function
/******/ 	var __webpack_require__ = function (moduleId) {
/******/
/******/ 		// Check if module is in cache
/******/ 		if(installedModules[moduleId]) {
/******/ 			return installedModules[moduleId].exports;
/******/ 		}
/******/ 		// Create a new module (and put it into the cache)
/******/ 		var module = installedModules[moduleId] = {
/******/ 			i: moduleId,
/******/ 			l: false,
/******/ 			exports: {}
/******/ 		};
/******/
/******/ 		// Execute the module function
/******/ 		modules[moduleId].call(module.exports, module, module.exports, __webpack_require__);
/******/
/******/ 		// Flag the module as loaded
/******/ 		module.l = true;
/******/
/******/ 		// Return the exports of the module
/******/ 		return module.exports;
/******/ 	}
/******/
/******/
/******/ 	// expose the modules object (__webpack_modules__)
/******/ 	__webpack_require__.m = modules;
/******/
/******/ 	// expose the module cache
/******/ 	__webpack_require__.c = installedModules;
/******/
/******/ 	// define getter function for harmony exports
/******/ 	__webpack_require__.d = function(exports, name, getter) {
/******/ 		if(!__webpack_require__.o(exports, name)) {
/******/ 			Object.defineProperty(exports, name, { enumerable: true, get: getter });
/******/ 		}
/******/ 	};
/******/
/******/ 	// define __esModule on exports
/******/ 	__webpack_require__.r = function(exports) {
/******/ 		if(typeof Symbol !== 'undefined' && Symbol.toStringTag) {
/******/ 			Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
/******/ 		}
/******/ 		Object.defineProperty(exports, '__esModule', { value: true });
/******/ 	};
/******/
/******/ 	// create a fake namespace object
/******/ 	// mode & 1: value is a module id, require it
/******/ 	// mode & 2: merge all properties of value into the ns
/******/ 	// mode & 4: return value when already ns object
/******/ 	// mode & 8|1: behave like require
/******/ 	__webpack_require__.t = function(value, mode) {
/******/ 		if(mode & 1) value = __webpack_require__(value);
/******/ 		if(mode & 8) return value;
/******/ 		if((mode & 4) && typeof value === 'object' && value && value.__esModule) return value;
/******/ 		var ns = Object.create(null);
/******/ 		__webpack_require__.r(ns);
/******/ 		Object.defineProperty(ns, 'default', { enumerable: true, value: value });
/******/ 		if(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key));
/******/ 		return ns;
/******/ 	};
/******/
/******/ 	// getDefaultExport function for compatibility with non-harmony modules
/******/ 	__webpack_require__.n = function(module) {
/******/ 		var getter = module && module.__esModule ?
/******/ 			function getDefault() { return module['default']; } :
/******/ 			function getModuleExports() { return module; };
/******/ 		__webpack_require__.d(getter, 'a', getter);
/******/ 		return getter;
/******/ 	};
/******/
/******/ 	// Object.prototype.hasOwnProperty.call
/******/ 	__webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };
/******/
/******/ 	// __webpack_public_path__
/******/ 	__webpack_require__.p = "";
/******/
/******/
/******/ 	// Load entry module and return exports
/******/ 	return __webpack_require__(__webpack_require__.s = 0);
/******/ })
/************************************************************************/
/******/ ([
/* 0 */
/***/ (function(module, exports, __webpack_require__) {

__webpack_require__(1);
__webpack_require__(70);
__webpack_require__(77);
__webpack_require__(80);
__webpack_require__(81);
__webpack_require__(83);
__webpack_require__(95);
__webpack_require__(96);
__webpack_require__(98);
__webpack_require__(101);
__webpack_require__(103);
__webpack_require__(104);
__webpack_require__(113);
__webpack_require__(114);
__webpack_require__(117);
__webpack_require__(123);
__webpack_require__(138);
__webpack_require__(140);
__webpack_require__(141);
module.exports = __webpack_require__(142);


/***/ }),
/* 1 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var toObject = __webpack_require__(38);
var lengthOfArrayLike = __webpack_require__(62);
var setArrayLength = __webpack_require__(67);
var doesNotExceedSafeInteger = __webpack_require__(69);
var fails = __webpack_require__(6);

var INCORRECT_TO_LENGTH = fails(function () {
  return [].push.call({ length: 0x100000000 }, 1) !== 4294967297;
});

// V8 <= 121 and Safari <= 15.4; FF < 23 throws InternalError
// https://bugs.chromium.org/p/v8/issues/detail?id=12681
var properErrorOnNonWritableLength = function () {
  try {
    // eslint-disable-next-line es/no-object-defineproperty -- safe
    Object.defineProperty([], 'length', { writable: false }).push();
  } catch (error) {
    return error instanceof TypeError;
  }
};

var FORCED = INCORRECT_TO_LENGTH || !properErrorOnNonWritableLength();

// `Array.prototype.push` method
// https://tc39.es/ecma262/#sec-array.prototype.push
$({ target: 'Array', proto: true, arity: 1, forced: FORCED }, {
  // eslint-disable-next-line no-unused-vars -- required for `.length`
  push: function push(item) {
    var O = toObject(this);
    var len = lengthOfArrayLike(O);
    var argCount = arguments.length;
    doesNotExceedSafeInteger(len + argCount);
    for (var i = 0; i < argCount; i++) {
      O[len] = arguments[i];
      len++;
    }
    setArrayLength(O, len);
    return len;
  }
});


/***/ }),
/* 2 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var getOwnPropertyDescriptor = __webpack_require__(4).f;
var createNonEnumerableProperty = __webpack_require__(42);
var defineBuiltIn = __webpack_require__(46);
var defineGlobalProperty = __webpack_require__(36);
var copyConstructorProperties = __webpack_require__(54);
var isForced = __webpack_require__(66);

/*
  options.target         - name of the target object
  options.global         - target is the global object
  options.stat           - export as static methods of target
  options.proto          - export as prototype methods of target
  options.real           - real prototype method for the `pure` version
  options.forced         - export even if the native feature is available
  options.bind           - bind methods to the target, required for the `pure` version
  options.wrap           - wrap constructors to preventing global pollution, required for the `pure` version
  options.unsafe         - use the simple assignment of property instead of delete + defineProperty
  options.sham           - add a flag to not completely full polyfills
  options.enumerable     - export as enumerable property
  options.dontCallGetSet - prevent calling a getter on target
  options.name           - the .name of the function if it does not match the key
*/
module.exports = function (options, source) {
  var TARGET = options.target;
  var GLOBAL = options.global;
  var STATIC = options.stat;
  var FORCED, target, key, targetProperty, sourceProperty, descriptor;
  if (GLOBAL) {
    target = global;
  } else if (STATIC) {
    target = global[TARGET] || defineGlobalProperty(TARGET, {});
  } else {
    target = global[TARGET] && global[TARGET].prototype;
  }
  if (target) for (key in source) {
    sourceProperty = source[key];
    if (options.dontCallGetSet) {
      descriptor = getOwnPropertyDescriptor(target, key);
      targetProperty = descriptor && descriptor.value;
    } else targetProperty = target[key];
    FORCED = isForced(GLOBAL ? key : TARGET + (STATIC ? '.' : '#') + key, options.forced);
    // contained in target
    if (!FORCED && targetProperty !== undefined) {
      if (typeof sourceProperty == typeof targetProperty) continue;
      copyConstructorProperties(sourceProperty, targetProperty);
    }
    // add a flag to not completely full polyfills
    if (options.sham || (targetProperty && targetProperty.sham)) {
      createNonEnumerableProperty(sourceProperty, 'sham', true);
    }
    defineBuiltIn(target, key, sourceProperty, options);
  }
};


/***/ }),
/* 3 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var check = function (it) {
  return it && it.Math === Math && it;
};

// https://github.com/zloirock/core-js/issues/86#issuecomment-115759028
module.exports =
  // eslint-disable-next-line es/no-global-this -- safe
  check(typeof globalThis == 'object' && globalThis) ||
  check(typeof window == 'object' && window) ||
  // eslint-disable-next-line no-restricted-globals -- safe
  check(typeof self == 'object' && self) ||
  check(typeof global == 'object' && global) ||
  check(typeof this == 'object' && this) ||
  // eslint-disable-next-line no-new-func -- fallback
  (function () { return this; })() || Function('return this')();


/***/ }),
/* 4 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var call = __webpack_require__(7);
var propertyIsEnumerableModule = __webpack_require__(9);
var createPropertyDescriptor = __webpack_require__(10);
var toIndexedObject = __webpack_require__(11);
var toPropertyKey = __webpack_require__(17);
var hasOwn = __webpack_require__(37);
var IE8_DOM_DEFINE = __webpack_require__(40);

// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe
var $getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor;

// `Object.getOwnPropertyDescriptor` method
// https://tc39.es/ecma262/#sec-object.getownpropertydescriptor
exports.f = DESCRIPTORS ? $getOwnPropertyDescriptor : function getOwnPropertyDescriptor(O, P) {
  O = toIndexedObject(O);
  P = toPropertyKey(P);
  if (IE8_DOM_DEFINE) try {
    return $getOwnPropertyDescriptor(O, P);
  } catch (error) { /* empty */ }
  if (hasOwn(O, P)) return createPropertyDescriptor(!call(propertyIsEnumerableModule.f, O, P), O[P]);
};


/***/ }),
/* 5 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var fails = __webpack_require__(6);

// Detect IE8's incomplete defineProperty implementation
module.exports = !fails(function () {
  // eslint-disable-next-line es/no-object-defineproperty -- required for testing
  return Object.defineProperty({}, 1, { get: function () { return 7; } })[1] !== 7;
});


/***/ }),
/* 6 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

module.exports = function (exec) {
  try {
    return !!exec();
  } catch (error) {
    return true;
  }
};


/***/ }),
/* 7 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var NATIVE_BIND = __webpack_require__(8);

var call = Function.prototype.call;

module.exports = NATIVE_BIND ? call.bind(call) : function () {
  return call.apply(call, arguments);
};


/***/ }),
/* 8 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var fails = __webpack_require__(6);

module.exports = !fails(function () {
  // eslint-disable-next-line es/no-function-prototype-bind -- safe
  var test = (function () { /* empty */ }).bind();
  // eslint-disable-next-line no-prototype-builtins -- safe
  return typeof test != 'function' || test.hasOwnProperty('prototype');
});


/***/ }),
/* 9 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $propertyIsEnumerable = {}.propertyIsEnumerable;
// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe
var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor;

// Nashorn ~ JDK8 bug
var NASHORN_BUG = getOwnPropertyDescriptor && !$propertyIsEnumerable.call({ 1: 2 }, 1);

// `Object.prototype.propertyIsEnumerable` method implementation
// https://tc39.es/ecma262/#sec-object.prototype.propertyisenumerable
exports.f = NASHORN_BUG ? function propertyIsEnumerable(V) {
  var descriptor = getOwnPropertyDescriptor(this, V);
  return !!descriptor && descriptor.enumerable;
} : $propertyIsEnumerable;


/***/ }),
/* 10 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

module.exports = function (bitmap, value) {
  return {
    enumerable: !(bitmap & 1),
    configurable: !(bitmap & 2),
    writable: !(bitmap & 4),
    value: value
  };
};


/***/ }),
/* 11 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

// toObject with fallback for non-array-like ES3 strings
var IndexedObject = __webpack_require__(12);
var requireObjectCoercible = __webpack_require__(15);

module.exports = function (it) {
  return IndexedObject(requireObjectCoercible(it));
};


/***/ }),
/* 12 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);
var fails = __webpack_require__(6);
var classof = __webpack_require__(14);

var $Object = Object;
var split = uncurryThis(''.split);

// fallback for non-array-like ES3 and non-enumerable old V8 strings
module.exports = fails(function () {
  // throws an error in rhino, see https://github.com/mozilla/rhino/issues/346
  // eslint-disable-next-line no-prototype-builtins -- safe
  return !$Object('z').propertyIsEnumerable(0);
}) ? function (it) {
  return classof(it) === 'String' ? split(it, '') : $Object(it);
} : $Object;


/***/ }),
/* 13 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var NATIVE_BIND = __webpack_require__(8);

var FunctionPrototype = Function.prototype;
var call = FunctionPrototype.call;
var uncurryThisWithBind = NATIVE_BIND && FunctionPrototype.bind.bind(call, call);

module.exports = NATIVE_BIND ? uncurryThisWithBind : function (fn) {
  return function () {
    return call.apply(fn, arguments);
  };
};


/***/ }),
/* 14 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);

var toString = uncurryThis({}.toString);
var stringSlice = uncurryThis(''.slice);

module.exports = function (it) {
  return stringSlice(toString(it), 8, -1);
};


/***/ }),
/* 15 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isNullOrUndefined = __webpack_require__(16);

var $TypeError = TypeError;

// `RequireObjectCoercible` abstract operation
// https://tc39.es/ecma262/#sec-requireobjectcoercible
module.exports = function (it) {
  if (isNullOrUndefined(it)) throw new $TypeError("Can't call method on " + it);
  return it;
};


/***/ }),
/* 16 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

// we can't use just `it == null` since of `document.all` special case
// https://tc39.es/ecma262/#sec-IsHTMLDDA-internal-slot-aec
module.exports = function (it) {
  return it === null || it === undefined;
};


/***/ }),
/* 17 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var toPrimitive = __webpack_require__(18);
var isSymbol = __webpack_require__(21);

// `ToPropertyKey` abstract operation
// https://tc39.es/ecma262/#sec-topropertykey
module.exports = function (argument) {
  var key = toPrimitive(argument, 'string');
  return isSymbol(key) ? key : key + '';
};


/***/ }),
/* 18 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var call = __webpack_require__(7);
var isObject = __webpack_require__(19);
var isSymbol = __webpack_require__(21);
var getMethod = __webpack_require__(28);
var ordinaryToPrimitive = __webpack_require__(31);
var wellKnownSymbol = __webpack_require__(32);

var $TypeError = TypeError;
var TO_PRIMITIVE = wellKnownSymbol('toPrimitive');

// `ToPrimitive` abstract operation
// https://tc39.es/ecma262/#sec-toprimitive
module.exports = function (input, pref) {
  if (!isObject(input) || isSymbol(input)) return input;
  var exoticToPrim = getMethod(input, TO_PRIMITIVE);
  var result;
  if (exoticToPrim) {
    if (pref === undefined) pref = 'default';
    result = call(exoticToPrim, input, pref);
    if (!isObject(result) || isSymbol(result)) return result;
    throw new $TypeError("Can't convert object to primitive value");
  }
  if (pref === undefined) pref = 'number';
  return ordinaryToPrimitive(input, pref);
};


/***/ }),
/* 19 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isCallable = __webpack_require__(20);

module.exports = function (it) {
  return typeof it == 'object' ? it !== null : isCallable(it);
};


/***/ }),
/* 20 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

// https://tc39.es/ecma262/#sec-IsHTMLDDA-internal-slot
var documentAll = typeof document == 'object' && document.all;

// `IsCallable` abstract operation
// https://tc39.es/ecma262/#sec-iscallable
// eslint-disable-next-line unicorn/no-typeof-undefined -- required for testing
module.exports = typeof documentAll == 'undefined' && documentAll !== undefined ? function (argument) {
  return typeof argument == 'function' || argument === documentAll;
} : function (argument) {
  return typeof argument == 'function';
};


/***/ }),
/* 21 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var getBuiltIn = __webpack_require__(22);
var isCallable = __webpack_require__(20);
var isPrototypeOf = __webpack_require__(23);
var USE_SYMBOL_AS_UID = __webpack_require__(24);

var $Object = Object;

module.exports = USE_SYMBOL_AS_UID ? function (it) {
  return typeof it == 'symbol';
} : function (it) {
  var $Symbol = getBuiltIn('Symbol');
  return isCallable($Symbol) && isPrototypeOf($Symbol.prototype, $Object(it));
};


/***/ }),
/* 22 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var isCallable = __webpack_require__(20);

var aFunction = function (argument) {
  return isCallable(argument) ? argument : undefined;
};

module.exports = function (namespace, method) {
  return arguments.length < 2 ? aFunction(global[namespace]) : global[namespace] && global[namespace][method];
};


/***/ }),
/* 23 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);

module.exports = uncurryThis({}.isPrototypeOf);


/***/ }),
/* 24 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

/* eslint-disable es/no-symbol -- required for testing */
var NATIVE_SYMBOL = __webpack_require__(25);

module.exports = NATIVE_SYMBOL
  && !Symbol.sham
  && typeof Symbol.iterator == 'symbol';


/***/ }),
/* 25 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

/* eslint-disable es/no-symbol -- required for testing */
var V8_VERSION = __webpack_require__(26);
var fails = __webpack_require__(6);
var global = __webpack_require__(3);

var $String = global.String;

// eslint-disable-next-line es/no-object-getownpropertysymbols -- required for testing
module.exports = !!Object.getOwnPropertySymbols && !fails(function () {
  var symbol = Symbol('symbol detection');
  // Chrome 38 Symbol has incorrect toString conversion
  // `get-own-property-symbols` polyfill symbols converted to object are not Symbol instances
  // nb: Do not call `String` directly to avoid this being optimized out to `symbol+''` which will,
  // of course, fail.
  return !$String(symbol) || !(Object(symbol) instanceof Symbol) ||
    // Chrome 38-40 symbols are not inherited from DOM collections prototypes to instances
    !Symbol.sham && V8_VERSION && V8_VERSION < 41;
});


/***/ }),
/* 26 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var userAgent = __webpack_require__(27);

var process = global.process;
var Deno = global.Deno;
var versions = process && process.versions || Deno && Deno.version;
var v8 = versions && versions.v8;
var match, version;

if (v8) {
  match = v8.split('.');
  // in old Chrome, versions of V8 isn't V8 = Chrome / 10
  // but their correct versions are not interesting for us
  version = match[0] > 0 && match[0] < 4 ? 1 : +(match[0] + match[1]);
}

// BrowserFS NodeJS `process` polyfill incorrectly set `.v8` to `0.0`
// so check `userAgent` even if `.v8` exists, but 0
if (!version && userAgent) {
  match = userAgent.match(/Edge\/(\d+)/);
  if (!match || match[1] >= 74) {
    match = userAgent.match(/Chrome\/(\d+)/);
    if (match) version = +match[1];
  }
}

module.exports = version;


/***/ }),
/* 27 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

module.exports = typeof navigator != 'undefined' && String(navigator.userAgent) || '';


/***/ }),
/* 28 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var aCallable = __webpack_require__(29);
var isNullOrUndefined = __webpack_require__(16);

// `GetMethod` abstract operation
// https://tc39.es/ecma262/#sec-getmethod
module.exports = function (V, P) {
  var func = V[P];
  return isNullOrUndefined(func) ? undefined : aCallable(func);
};


/***/ }),
/* 29 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isCallable = __webpack_require__(20);
var tryToString = __webpack_require__(30);

var $TypeError = TypeError;

// `Assert: IsCallable(argument) is true`
module.exports = function (argument) {
  if (isCallable(argument)) return argument;
  throw new $TypeError(tryToString(argument) + ' is not a function');
};


/***/ }),
/* 30 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $String = String;

module.exports = function (argument) {
  try {
    return $String(argument);
  } catch (error) {
    return 'Object';
  }
};


/***/ }),
/* 31 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var call = __webpack_require__(7);
var isCallable = __webpack_require__(20);
var isObject = __webpack_require__(19);

var $TypeError = TypeError;

// `OrdinaryToPrimitive` abstract operation
// https://tc39.es/ecma262/#sec-ordinarytoprimitive
module.exports = function (input, pref) {
  var fn, val;
  if (pref === 'string' && isCallable(fn = input.toString) && !isObject(val = call(fn, input))) return val;
  if (isCallable(fn = input.valueOf) && !isObject(val = call(fn, input))) return val;
  if (pref !== 'string' && isCallable(fn = input.toString) && !isObject(val = call(fn, input))) return val;
  throw new $TypeError("Can't convert object to primitive value");
};


/***/ }),
/* 32 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var shared = __webpack_require__(33);
var hasOwn = __webpack_require__(37);
var uid = __webpack_require__(39);
var NATIVE_SYMBOL = __webpack_require__(25);
var USE_SYMBOL_AS_UID = __webpack_require__(24);

var Symbol = global.Symbol;
var WellKnownSymbolsStore = shared('wks');
var createWellKnownSymbol = USE_SYMBOL_AS_UID ? Symbol['for'] || Symbol : Symbol && Symbol.withoutSetter || uid;

module.exports = function (name) {
  if (!hasOwn(WellKnownSymbolsStore, name)) {
    WellKnownSymbolsStore[name] = NATIVE_SYMBOL && hasOwn(Symbol, name)
      ? Symbol[name]
      : createWellKnownSymbol('Symbol.' + name);
  } return WellKnownSymbolsStore[name];
};


/***/ }),
/* 33 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var IS_PURE = __webpack_require__(34);
var store = __webpack_require__(35);

(module.exports = function (key, value) {
  return store[key] || (store[key] = value !== undefined ? value : {});
})('versions', []).push({
  version: '3.35.1',
  mode: IS_PURE ? 'pure' : 'global',
  copyright: '© 2014-2024 Denis Pushkarev (zloirock.ru)',
  license: 'https://github.com/zloirock/core-js/blob/v3.35.1/LICENSE',
  source: 'https://github.com/zloirock/core-js'
});


/***/ }),
/* 34 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

module.exports = false;


/***/ }),
/* 35 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var defineGlobalProperty = __webpack_require__(36);

var SHARED = '__core-js_shared__';
var store = global[SHARED] || defineGlobalProperty(SHARED, {});

module.exports = store;


/***/ }),
/* 36 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);

// eslint-disable-next-line es/no-object-defineproperty -- safe
var defineProperty = Object.defineProperty;

module.exports = function (key, value) {
  try {
    defineProperty(global, key, { value: value, configurable: true, writable: true });
  } catch (error) {
    global[key] = value;
  } return value;
};


/***/ }),
/* 37 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);
var toObject = __webpack_require__(38);

var hasOwnProperty = uncurryThis({}.hasOwnProperty);

// `HasOwnProperty` abstract operation
// https://tc39.es/ecma262/#sec-hasownproperty
// eslint-disable-next-line es/no-object-hasown -- safe
module.exports = Object.hasOwn || function hasOwn(it, key) {
  return hasOwnProperty(toObject(it), key);
};


/***/ }),
/* 38 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var requireObjectCoercible = __webpack_require__(15);

var $Object = Object;

// `ToObject` abstract operation
// https://tc39.es/ecma262/#sec-toobject
module.exports = function (argument) {
  return $Object(requireObjectCoercible(argument));
};


/***/ }),
/* 39 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);

var id = 0;
var postfix = Math.random();
var toString = uncurryThis(1.0.toString);

module.exports = function (key) {
  return 'Symbol(' + (key === undefined ? '' : key) + ')_' + toString(++id + postfix, 36);
};


/***/ }),
/* 40 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var fails = __webpack_require__(6);
var createElement = __webpack_require__(41);

// Thanks to IE8 for its funny defineProperty
module.exports = !DESCRIPTORS && !fails(function () {
  // eslint-disable-next-line es/no-object-defineproperty -- required for testing
  return Object.defineProperty(createElement('div'), 'a', {
    get: function () { return 7; }
  }).a !== 7;
});


/***/ }),
/* 41 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var isObject = __webpack_require__(19);

var document = global.document;
// typeof document.createElement is 'object' in old IE
var EXISTS = isObject(document) && isObject(document.createElement);

module.exports = function (it) {
  return EXISTS ? document.createElement(it) : {};
};


/***/ }),
/* 42 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var definePropertyModule = __webpack_require__(43);
var createPropertyDescriptor = __webpack_require__(10);

module.exports = DESCRIPTORS ? function (object, key, value) {
  return definePropertyModule.f(object, key, createPropertyDescriptor(1, value));
} : function (object, key, value) {
  object[key] = value;
  return object;
};


/***/ }),
/* 43 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var IE8_DOM_DEFINE = __webpack_require__(40);
var V8_PROTOTYPE_DEFINE_BUG = __webpack_require__(44);
var anObject = __webpack_require__(45);
var toPropertyKey = __webpack_require__(17);

var $TypeError = TypeError;
// eslint-disable-next-line es/no-object-defineproperty -- safe
var $defineProperty = Object.defineProperty;
// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe
var $getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor;
var ENUMERABLE = 'enumerable';
var CONFIGURABLE = 'configurable';
var WRITABLE = 'writable';

// `Object.defineProperty` method
// https://tc39.es/ecma262/#sec-object.defineproperty
exports.f = DESCRIPTORS ? V8_PROTOTYPE_DEFINE_BUG ? function defineProperty(O, P, Attributes) {
  anObject(O);
  P = toPropertyKey(P);
  anObject(Attributes);
  if (typeof O === 'function' && P === 'prototype' && 'value' in Attributes && WRITABLE in Attributes && !Attributes[WRITABLE]) {
    var current = $getOwnPropertyDescriptor(O, P);
    if (current && current[WRITABLE]) {
      O[P] = Attributes.value;
      Attributes = {
        configurable: CONFIGURABLE in Attributes ? Attributes[CONFIGURABLE] : current[CONFIGURABLE],
        enumerable: ENUMERABLE in Attributes ? Attributes[ENUMERABLE] : current[ENUMERABLE],
        writable: false
      };
    }
  } return $defineProperty(O, P, Attributes);
} : $defineProperty : function defineProperty(O, P, Attributes) {
  anObject(O);
  P = toPropertyKey(P);
  anObject(Attributes);
  if (IE8_DOM_DEFINE) try {
    return $defineProperty(O, P, Attributes);
  } catch (error) { /* empty */ }
  if ('get' in Attributes || 'set' in Attributes) throw new $TypeError('Accessors not supported');
  if ('value' in Attributes) O[P] = Attributes.value;
  return O;
};


/***/ }),
/* 44 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var fails = __webpack_require__(6);

// V8 ~ Chrome 36-
// https://bugs.chromium.org/p/v8/issues/detail?id=3334
module.exports = DESCRIPTORS && fails(function () {
  // eslint-disable-next-line es/no-object-defineproperty -- required for testing
  return Object.defineProperty(function () { /* empty */ }, 'prototype', {
    value: 42,
    writable: false
  }).prototype !== 42;
});


/***/ }),
/* 45 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isObject = __webpack_require__(19);

var $String = String;
var $TypeError = TypeError;

// `Assert: Type(argument) is Object`
module.exports = function (argument) {
  if (isObject(argument)) return argument;
  throw new $TypeError($String(argument) + ' is not an object');
};


/***/ }),
/* 46 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isCallable = __webpack_require__(20);
var definePropertyModule = __webpack_require__(43);
var makeBuiltIn = __webpack_require__(47);
var defineGlobalProperty = __webpack_require__(36);

module.exports = function (O, key, value, options) {
  if (!options) options = {};
  var simple = options.enumerable;
  var name = options.name !== undefined ? options.name : key;
  if (isCallable(value)) makeBuiltIn(value, name, options);
  if (options.global) {
    if (simple) O[key] = value;
    else defineGlobalProperty(key, value);
  } else {
    try {
      if (!options.unsafe) delete O[key];
      else if (O[key]) simple = true;
    } catch (error) { /* empty */ }
    if (simple) O[key] = value;
    else definePropertyModule.f(O, key, {
      value: value,
      enumerable: false,
      configurable: !options.nonConfigurable,
      writable: !options.nonWritable
    });
  } return O;
};


/***/ }),
/* 47 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);
var fails = __webpack_require__(6);
var isCallable = __webpack_require__(20);
var hasOwn = __webpack_require__(37);
var DESCRIPTORS = __webpack_require__(5);
var CONFIGURABLE_FUNCTION_NAME = __webpack_require__(48).CONFIGURABLE;
var inspectSource = __webpack_require__(49);
var InternalStateModule = __webpack_require__(50);

var enforceInternalState = InternalStateModule.enforce;
var getInternalState = InternalStateModule.get;
var $String = String;
// eslint-disable-next-line es/no-object-defineproperty -- safe
var defineProperty = Object.defineProperty;
var stringSlice = uncurryThis(''.slice);
var replace = uncurryThis(''.replace);
var join = uncurryThis([].join);

var CONFIGURABLE_LENGTH = DESCRIPTORS && !fails(function () {
  return defineProperty(function () { /* empty */ }, 'length', { value: 8 }).length !== 8;
});

var TEMPLATE = String(String).split('String');

var makeBuiltIn = module.exports = function (value, name, options) {
  if (stringSlice($String(name), 0, 7) === 'Symbol(') {
    name = '[' + replace($String(name), /^Symbol\(([^)]*)\).*$/, '$1') + ']';
  }
  if (options && options.getter) name = 'get ' + name;
  if (options && options.setter) name = 'set ' + name;
  if (!hasOwn(value, 'name') || (CONFIGURABLE_FUNCTION_NAME && value.name !== name)) {
    if (DESCRIPTORS) defineProperty(value, 'name', { value: name, configurable: true });
    else value.name = name;
  }
  if (CONFIGURABLE_LENGTH && options && hasOwn(options, 'arity') && value.length !== options.arity) {
    defineProperty(value, 'length', { value: options.arity });
  }
  try {
    if (options && hasOwn(options, 'constructor') && options.constructor) {
      if (DESCRIPTORS) defineProperty(value, 'prototype', { writable: false });
    // in V8 ~ Chrome 53, prototypes of some methods, like `Array.prototype.values`, are non-writable
    } else if (value.prototype) value.prototype = undefined;
  } catch (error) { /* empty */ }
  var state = enforceInternalState(value);
  if (!hasOwn(state, 'source')) {
    state.source = join(TEMPLATE, typeof name == 'string' ? name : '');
  } return value;
};

// add fake Function#toString for correct work wrapped methods / constructors with methods like LoDash isNative
// eslint-disable-next-line no-extend-native -- required
Function.prototype.toString = makeBuiltIn(function toString() {
  return isCallable(this) && getInternalState(this).source || inspectSource(this);
}, 'toString');


/***/ }),
/* 48 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var hasOwn = __webpack_require__(37);

var FunctionPrototype = Function.prototype;
// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe
var getDescriptor = DESCRIPTORS && Object.getOwnPropertyDescriptor;

var EXISTS = hasOwn(FunctionPrototype, 'name');
// additional protection from minified / mangled / dropped function names
var PROPER = EXISTS && (function something() { /* empty */ }).name === 'something';
var CONFIGURABLE = EXISTS && (!DESCRIPTORS || (DESCRIPTORS && getDescriptor(FunctionPrototype, 'name').configurable));

module.exports = {
  EXISTS: EXISTS,
  PROPER: PROPER,
  CONFIGURABLE: CONFIGURABLE
};


/***/ }),
/* 49 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);
var isCallable = __webpack_require__(20);
var store = __webpack_require__(35);

var functionToString = uncurryThis(Function.toString);

// this helper broken in `core-js@3.4.1-3.4.4`, so we can't use `shared` helper
if (!isCallable(store.inspectSource)) {
  store.inspectSource = function (it) {
    return functionToString(it);
  };
}

module.exports = store.inspectSource;


/***/ }),
/* 50 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var NATIVE_WEAK_MAP = __webpack_require__(51);
var global = __webpack_require__(3);
var isObject = __webpack_require__(19);
var createNonEnumerableProperty = __webpack_require__(42);
var hasOwn = __webpack_require__(37);
var shared = __webpack_require__(35);
var sharedKey = __webpack_require__(52);
var hiddenKeys = __webpack_require__(53);

var OBJECT_ALREADY_INITIALIZED = 'Object already initialized';
var TypeError = global.TypeError;
var WeakMap = global.WeakMap;
var set, get, has;

var enforce = function (it) {
  return has(it) ? get(it) : set(it, {});
};

var getterFor = function (TYPE) {
  return function (it) {
    var state;
    if (!isObject(it) || (state = get(it)).type !== TYPE) {
      throw new TypeError('Incompatible receiver, ' + TYPE + ' required');
    } return state;
  };
};

if (NATIVE_WEAK_MAP || shared.state) {
  var store = shared.state || (shared.state = new WeakMap());
  /* eslint-disable no-self-assign -- prototype methods protection */
  store.get = store.get;
  store.has = store.has;
  store.set = store.set;
  /* eslint-enable no-self-assign -- prototype methods protection */
  set = function (it, metadata) {
    if (store.has(it)) throw new TypeError(OBJECT_ALREADY_INITIALIZED);
    metadata.facade = it;
    store.set(it, metadata);
    return metadata;
  };
  get = function (it) {
    return store.get(it) || {};
  };
  has = function (it) {
    return store.has(it);
  };
} else {
  var STATE = sharedKey('state');
  hiddenKeys[STATE] = true;
  set = function (it, metadata) {
    if (hasOwn(it, STATE)) throw new TypeError(OBJECT_ALREADY_INITIALIZED);
    metadata.facade = it;
    createNonEnumerableProperty(it, STATE, metadata);
    return metadata;
  };
  get = function (it) {
    return hasOwn(it, STATE) ? it[STATE] : {};
  };
  has = function (it) {
    return hasOwn(it, STATE);
  };
}

module.exports = {
  set: set,
  get: get,
  has: has,
  enforce: enforce,
  getterFor: getterFor
};


/***/ }),
/* 51 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var isCallable = __webpack_require__(20);

var WeakMap = global.WeakMap;

module.exports = isCallable(WeakMap) && /native code/.test(String(WeakMap));


/***/ }),
/* 52 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var shared = __webpack_require__(33);
var uid = __webpack_require__(39);

var keys = shared('keys');

module.exports = function (key) {
  return keys[key] || (keys[key] = uid(key));
};


/***/ }),
/* 53 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

module.exports = {};


/***/ }),
/* 54 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var hasOwn = __webpack_require__(37);
var ownKeys = __webpack_require__(55);
var getOwnPropertyDescriptorModule = __webpack_require__(4);
var definePropertyModule = __webpack_require__(43);

module.exports = function (target, source, exceptions) {
  var keys = ownKeys(source);
  var defineProperty = definePropertyModule.f;
  var getOwnPropertyDescriptor = getOwnPropertyDescriptorModule.f;
  for (var i = 0; i < keys.length; i++) {
    var key = keys[i];
    if (!hasOwn(target, key) && !(exceptions && hasOwn(exceptions, key))) {
      defineProperty(target, key, getOwnPropertyDescriptor(source, key));
    }
  }
};


/***/ }),
/* 55 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var getBuiltIn = __webpack_require__(22);
var uncurryThis = __webpack_require__(13);
var getOwnPropertyNamesModule = __webpack_require__(56);
var getOwnPropertySymbolsModule = __webpack_require__(65);
var anObject = __webpack_require__(45);

var concat = uncurryThis([].concat);

// all object keys, includes non-enumerable and symbols
module.exports = getBuiltIn('Reflect', 'ownKeys') || function ownKeys(it) {
  var keys = getOwnPropertyNamesModule.f(anObject(it));
  var getOwnPropertySymbols = getOwnPropertySymbolsModule.f;
  return getOwnPropertySymbols ? concat(keys, getOwnPropertySymbols(it)) : keys;
};


/***/ }),
/* 56 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var internalObjectKeys = __webpack_require__(57);
var enumBugKeys = __webpack_require__(64);

var hiddenKeys = enumBugKeys.concat('length', 'prototype');

// `Object.getOwnPropertyNames` method
// https://tc39.es/ecma262/#sec-object.getownpropertynames
// eslint-disable-next-line es/no-object-getownpropertynames -- safe
exports.f = Object.getOwnPropertyNames || function getOwnPropertyNames(O) {
  return internalObjectKeys(O, hiddenKeys);
};


/***/ }),
/* 57 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);
var hasOwn = __webpack_require__(37);
var toIndexedObject = __webpack_require__(11);
var indexOf = __webpack_require__(58).indexOf;
var hiddenKeys = __webpack_require__(53);

var push = uncurryThis([].push);

module.exports = function (object, names) {
  var O = toIndexedObject(object);
  var i = 0;
  var result = [];
  var key;
  for (key in O) !hasOwn(hiddenKeys, key) && hasOwn(O, key) && push(result, key);
  // Don't enum bug & hidden keys
  while (names.length > i) if (hasOwn(O, key = names[i++])) {
    ~indexOf(result, key) || push(result, key);
  }
  return result;
};


/***/ }),
/* 58 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var toIndexedObject = __webpack_require__(11);
var toAbsoluteIndex = __webpack_require__(59);
var lengthOfArrayLike = __webpack_require__(62);

// `Array.prototype.{ indexOf, includes }` methods implementation
var createMethod = function (IS_INCLUDES) {
  return function ($this, el, fromIndex) {
    var O = toIndexedObject($this);
    var length = lengthOfArrayLike(O);
    var index = toAbsoluteIndex(fromIndex, length);
    var value;
    // Array#includes uses SameValueZero equality algorithm
    // eslint-disable-next-line no-self-compare -- NaN check
    if (IS_INCLUDES && el !== el) while (length > index) {
      value = O[index++];
      // eslint-disable-next-line no-self-compare -- NaN check
      if (value !== value) return true;
    // Array#indexOf ignores holes, Array#includes - not
    } else for (;length > index; index++) {
      if ((IS_INCLUDES || index in O) && O[index] === el) return IS_INCLUDES || index || 0;
    } return !IS_INCLUDES && -1;
  };
};

module.exports = {
  // `Array.prototype.includes` method
  // https://tc39.es/ecma262/#sec-array.prototype.includes
  includes: createMethod(true),
  // `Array.prototype.indexOf` method
  // https://tc39.es/ecma262/#sec-array.prototype.indexof
  indexOf: createMethod(false)
};


/***/ }),
/* 59 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var toIntegerOrInfinity = __webpack_require__(60);

var max = Math.max;
var min = Math.min;

// Helper for a popular repeating case of the spec:
// Let integer be ? ToInteger(index).
// If integer < 0, let result be max((length + integer), 0); else let result be min(integer, length).
module.exports = function (index, length) {
  var integer = toIntegerOrInfinity(index);
  return integer < 0 ? max(integer + length, 0) : min(integer, length);
};


/***/ }),
/* 60 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var trunc = __webpack_require__(61);

// `ToIntegerOrInfinity` abstract operation
// https://tc39.es/ecma262/#sec-tointegerorinfinity
module.exports = function (argument) {
  var number = +argument;
  // eslint-disable-next-line no-self-compare -- NaN check
  return number !== number || number === 0 ? 0 : trunc(number);
};


/***/ }),
/* 61 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var ceil = Math.ceil;
var floor = Math.floor;

// `Math.trunc` method
// https://tc39.es/ecma262/#sec-math.trunc
// eslint-disable-next-line es/no-math-trunc -- safe
module.exports = Math.trunc || function trunc(x) {
  var n = +x;
  return (n > 0 ? floor : ceil)(n);
};


/***/ }),
/* 62 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var toLength = __webpack_require__(63);

// `LengthOfArrayLike` abstract operation
// https://tc39.es/ecma262/#sec-lengthofarraylike
module.exports = function (obj) {
  return toLength(obj.length);
};


/***/ }),
/* 63 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var toIntegerOrInfinity = __webpack_require__(60);

var min = Math.min;

// `ToLength` abstract operation
// https://tc39.es/ecma262/#sec-tolength
module.exports = function (argument) {
  var len = toIntegerOrInfinity(argument);
  return len > 0 ? min(len, 0x1FFFFFFFFFFFFF) : 0; // 2 ** 53 - 1 == 9007199254740991
};


/***/ }),
/* 64 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

// IE8- don't enum bug keys
module.exports = [
  'constructor',
  'hasOwnProperty',
  'isPrototypeOf',
  'propertyIsEnumerable',
  'toLocaleString',
  'toString',
  'valueOf'
];


/***/ }),
/* 65 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

// eslint-disable-next-line es/no-object-getownpropertysymbols -- safe
exports.f = Object.getOwnPropertySymbols;


/***/ }),
/* 66 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var fails = __webpack_require__(6);
var isCallable = __webpack_require__(20);

var replacement = /#|\.prototype\./;

var isForced = function (feature, detection) {
  var value = data[normalize(feature)];
  return value === POLYFILL ? true
    : value === NATIVE ? false
    : isCallable(detection) ? fails(detection)
    : !!detection;
};

var normalize = isForced.normalize = function (string) {
  return String(string).replace(replacement, '.').toLowerCase();
};

var data = isForced.data = {};
var NATIVE = isForced.NATIVE = 'N';
var POLYFILL = isForced.POLYFILL = 'P';

module.exports = isForced;


/***/ }),
/* 67 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var isArray = __webpack_require__(68);

var $TypeError = TypeError;
// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe
var getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor;

// Safari < 13 does not throw an error in this case
var SILENT_ON_NON_WRITABLE_LENGTH_SET = DESCRIPTORS && !function () {
  // makes no sense without proper strict mode support
  if (this !== undefined) return true;
  try {
    // eslint-disable-next-line es/no-object-defineproperty -- safe
    Object.defineProperty([], 'length', { writable: false }).length = 1;
  } catch (error) {
    return error instanceof TypeError;
  }
}();

module.exports = SILENT_ON_NON_WRITABLE_LENGTH_SET ? function (O, length) {
  if (isArray(O) && !getOwnPropertyDescriptor(O, 'length').writable) {
    throw new $TypeError('Cannot set read only .length');
  } return O.length = length;
} : function (O, length) {
  return O.length = length;
};


/***/ }),
/* 68 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var classof = __webpack_require__(14);

// `IsArray` abstract operation
// https://tc39.es/ecma262/#sec-isarray
// eslint-disable-next-line es/no-array-isarray -- safe
module.exports = Array.isArray || function isArray(argument) {
  return classof(argument) === 'Array';
};


/***/ }),
/* 69 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $TypeError = TypeError;
var MAX_SAFE_INTEGER = 0x1FFFFFFFFFFFFF; // 2 ** 53 - 1 == 9007199254740991

module.exports = function (it) {
  if (it > MAX_SAFE_INTEGER) throw $TypeError('Maximum allowed index exceeded');
  return it;
};


/***/ }),
/* 70 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var arrayToReversed = __webpack_require__(71);
var toIndexedObject = __webpack_require__(11);
var addToUnscopables = __webpack_require__(72);

var $Array = Array;

// `Array.prototype.toReversed` method
// https://tc39.es/ecma262/#sec-array.prototype.toreversed
$({ target: 'Array', proto: true }, {
  toReversed: function toReversed() {
    return arrayToReversed(toIndexedObject(this), $Array);
  }
});

addToUnscopables('toReversed');


/***/ }),
/* 71 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var lengthOfArrayLike = __webpack_require__(62);

// https://tc39.es/proposal-change-array-by-copy/#sec-array.prototype.toReversed
// https://tc39.es/proposal-change-array-by-copy/#sec-%typedarray%.prototype.toReversed
module.exports = function (O, C) {
  var len = lengthOfArrayLike(O);
  var A = new C(len);
  var k = 0;
  for (; k < len; k++) A[k] = O[len - k - 1];
  return A;
};


/***/ }),
/* 72 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var wellKnownSymbol = __webpack_require__(32);
var create = __webpack_require__(73);
var defineProperty = __webpack_require__(43).f;

var UNSCOPABLES = wellKnownSymbol('unscopables');
var ArrayPrototype = Array.prototype;

// Array.prototype[@@unscopables]
// https://tc39.es/ecma262/#sec-array.prototype-@@unscopables
if (ArrayPrototype[UNSCOPABLES] === undefined) {
  defineProperty(ArrayPrototype, UNSCOPABLES, {
    configurable: true,
    value: create(null)
  });
}

// add a key to Array.prototype[@@unscopables]
module.exports = function (key) {
  ArrayPrototype[UNSCOPABLES][key] = true;
};


/***/ }),
/* 73 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

/* global ActiveXObject -- old IE, WSH */
var anObject = __webpack_require__(45);
var definePropertiesModule = __webpack_require__(74);
var enumBugKeys = __webpack_require__(64);
var hiddenKeys = __webpack_require__(53);
var html = __webpack_require__(76);
var documentCreateElement = __webpack_require__(41);
var sharedKey = __webpack_require__(52);

var GT = '>';
var LT = '<';
var PROTOTYPE = 'prototype';
var SCRIPT = 'script';
var IE_PROTO = sharedKey('IE_PROTO');

var EmptyConstructor = function () { /* empty */ };

var scriptTag = function (content) {
  return LT + SCRIPT + GT + content + LT + '/' + SCRIPT + GT;
};

// Create object with fake `null` prototype: use ActiveX Object with cleared prototype
var NullProtoObjectViaActiveX = function (activeXDocument) {
  activeXDocument.write(scriptTag(''));
  activeXDocument.close();
  var temp = activeXDocument.parentWindow.Object;
  activeXDocument = null; // avoid memory leak
  return temp;
};

// Create object with fake `null` prototype: use iframe Object with cleared prototype
var NullProtoObjectViaIFrame = function () {
  // Thrash, waste and sodomy: IE GC bug
  var iframe = documentCreateElement('iframe');
  var JS = 'java' + SCRIPT + ':';
  var iframeDocument;
  iframe.style.display = 'none';
  html.appendChild(iframe);
  // https://github.com/zloirock/core-js/issues/475
  iframe.src = String(JS);
  iframeDocument = iframe.contentWindow.document;
  iframeDocument.open();
  iframeDocument.write(scriptTag('document.F=Object'));
  iframeDocument.close();
  return iframeDocument.F;
};

// Check for document.domain and active x support
// No need to use active x approach when document.domain is not set
// see https://github.com/es-shims/es5-shim/issues/150
// variation of https://github.com/kitcambridge/es5-shim/commit/4f738ac066346
// avoid IE GC bug
var activeXDocument;
var NullProtoObject = function () {
  try {
    activeXDocument = new ActiveXObject('htmlfile');
  } catch (error) { /* ignore */ }
  NullProtoObject = typeof document != 'undefined'
    ? document.domain && activeXDocument
      ? NullProtoObjectViaActiveX(activeXDocument) // old IE
      : NullProtoObjectViaIFrame()
    : NullProtoObjectViaActiveX(activeXDocument); // WSH
  var length = enumBugKeys.length;
  while (length--) delete NullProtoObject[PROTOTYPE][enumBugKeys[length]];
  return NullProtoObject();
};

hiddenKeys[IE_PROTO] = true;

// `Object.create` method
// https://tc39.es/ecma262/#sec-object.create
// eslint-disable-next-line es/no-object-create -- safe
module.exports = Object.create || function create(O, Properties) {
  var result;
  if (O !== null) {
    EmptyConstructor[PROTOTYPE] = anObject(O);
    result = new EmptyConstructor();
    EmptyConstructor[PROTOTYPE] = null;
    // add "__proto__" for Object.getPrototypeOf polyfill
    result[IE_PROTO] = O;
  } else result = NullProtoObject();
  return Properties === undefined ? result : definePropertiesModule.f(result, Properties);
};


/***/ }),
/* 74 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var V8_PROTOTYPE_DEFINE_BUG = __webpack_require__(44);
var definePropertyModule = __webpack_require__(43);
var anObject = __webpack_require__(45);
var toIndexedObject = __webpack_require__(11);
var objectKeys = __webpack_require__(75);

// `Object.defineProperties` method
// https://tc39.es/ecma262/#sec-object.defineproperties
// eslint-disable-next-line es/no-object-defineproperties -- safe
exports.f = DESCRIPTORS && !V8_PROTOTYPE_DEFINE_BUG ? Object.defineProperties : function defineProperties(O, Properties) {
  anObject(O);
  var props = toIndexedObject(Properties);
  var keys = objectKeys(Properties);
  var length = keys.length;
  var index = 0;
  var key;
  while (length > index) definePropertyModule.f(O, key = keys[index++], props[key]);
  return O;
};


/***/ }),
/* 75 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var internalObjectKeys = __webpack_require__(57);
var enumBugKeys = __webpack_require__(64);

// `Object.keys` method
// https://tc39.es/ecma262/#sec-object.keys
// eslint-disable-next-line es/no-object-keys -- safe
module.exports = Object.keys || function keys(O) {
  return internalObjectKeys(O, enumBugKeys);
};


/***/ }),
/* 76 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var getBuiltIn = __webpack_require__(22);

module.exports = getBuiltIn('document', 'documentElement');


/***/ }),
/* 77 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var uncurryThis = __webpack_require__(13);
var aCallable = __webpack_require__(29);
var toIndexedObject = __webpack_require__(11);
var arrayFromConstructorAndList = __webpack_require__(78);
var getBuiltInPrototypeMethod = __webpack_require__(79);
var addToUnscopables = __webpack_require__(72);

var $Array = Array;
var sort = uncurryThis(getBuiltInPrototypeMethod('Array', 'sort'));

// `Array.prototype.toSorted` method
// https://tc39.es/ecma262/#sec-array.prototype.tosorted
$({ target: 'Array', proto: true }, {
  toSorted: function toSorted(compareFn) {
    if (compareFn !== undefined) aCallable(compareFn);
    var O = toIndexedObject(this);
    var A = arrayFromConstructorAndList($Array, O);
    return sort(A, compareFn);
  }
});

addToUnscopables('toSorted');


/***/ }),
/* 78 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var lengthOfArrayLike = __webpack_require__(62);

module.exports = function (Constructor, list, $length) {
  var index = 0;
  var length = arguments.length > 2 ? $length : lengthOfArrayLike(list);
  var result = new Constructor(length);
  while (length > index) result[index] = list[index++];
  return result;
};


/***/ }),
/* 79 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);

module.exports = function (CONSTRUCTOR, METHOD) {
  var Constructor = global[CONSTRUCTOR];
  var Prototype = Constructor && Constructor.prototype;
  return Prototype && Prototype[METHOD];
};


/***/ }),
/* 80 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var addToUnscopables = __webpack_require__(72);
var doesNotExceedSafeInteger = __webpack_require__(69);
var lengthOfArrayLike = __webpack_require__(62);
var toAbsoluteIndex = __webpack_require__(59);
var toIndexedObject = __webpack_require__(11);
var toIntegerOrInfinity = __webpack_require__(60);

var $Array = Array;
var max = Math.max;
var min = Math.min;

// `Array.prototype.toSpliced` method
// https://tc39.es/ecma262/#sec-array.prototype.tospliced
$({ target: 'Array', proto: true }, {
  toSpliced: function toSpliced(start, deleteCount /* , ...items */) {
    var O = toIndexedObject(this);
    var len = lengthOfArrayLike(O);
    var actualStart = toAbsoluteIndex(start, len);
    var argumentsLength = arguments.length;
    var k = 0;
    var insertCount, actualDeleteCount, newLen, A;
    if (argumentsLength === 0) {
      insertCount = actualDeleteCount = 0;
    } else if (argumentsLength === 1) {
      insertCount = 0;
      actualDeleteCount = len - actualStart;
    } else {
      insertCount = argumentsLength - 2;
      actualDeleteCount = min(max(toIntegerOrInfinity(deleteCount), 0), len - actualStart);
    }
    newLen = doesNotExceedSafeInteger(len + insertCount - actualDeleteCount);
    A = $Array(newLen);

    for (; k < actualStart; k++) A[k] = O[k];
    for (; k < actualStart + insertCount; k++) A[k] = arguments[k - actualStart + 2];
    for (; k < newLen; k++) A[k] = O[k + actualDeleteCount - insertCount];

    return A;
  }
});

addToUnscopables('toSpliced');


/***/ }),
/* 81 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var arrayWith = __webpack_require__(82);
var toIndexedObject = __webpack_require__(11);

var $Array = Array;

// `Array.prototype.with` method
// https://tc39.es/ecma262/#sec-array.prototype.with
$({ target: 'Array', proto: true }, {
  'with': function (index, value) {
    return arrayWith(toIndexedObject(this), $Array, index, value);
  }
});


/***/ }),
/* 82 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var lengthOfArrayLike = __webpack_require__(62);
var toIntegerOrInfinity = __webpack_require__(60);

var $RangeError = RangeError;

// https://tc39.es/proposal-change-array-by-copy/#sec-array.prototype.with
// https://tc39.es/proposal-change-array-by-copy/#sec-%typedarray%.prototype.with
module.exports = function (O, C, index, value) {
  var len = lengthOfArrayLike(O);
  var relativeIndex = toIntegerOrInfinity(index);
  var actualIndex = relativeIndex < 0 ? len + relativeIndex : relativeIndex;
  if (actualIndex >= len || actualIndex < 0) throw new $RangeError('Incorrect index');
  var A = new C(len);
  var k = 0;
  for (; k < len; k++) A[k] = k === actualIndex ? value : O[k];
  return A;
};


/***/ }),
/* 83 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var uncurryThis = __webpack_require__(13);
var aCallable = __webpack_require__(29);
var requireObjectCoercible = __webpack_require__(15);
var iterate = __webpack_require__(84);
var MapHelpers = __webpack_require__(94);
var IS_PURE = __webpack_require__(34);

var Map = MapHelpers.Map;
var has = MapHelpers.has;
var get = MapHelpers.get;
var set = MapHelpers.set;
var push = uncurryThis([].push);

// `Map.groupBy` method
// https://github.com/tc39/proposal-array-grouping
$({ target: 'Map', stat: true, forced: IS_PURE }, {
  groupBy: function groupBy(items, callbackfn) {
    requireObjectCoercible(items);
    aCallable(callbackfn);
    var map = new Map();
    var k = 0;
    iterate(items, function (value) {
      var key = callbackfn(value, k++);
      if (!has(map, key)) set(map, key, [value]);
      else push(get(map, key), value);
    });
    return map;
  }
});


/***/ }),
/* 84 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var bind = __webpack_require__(85);
var call = __webpack_require__(7);
var anObject = __webpack_require__(45);
var tryToString = __webpack_require__(30);
var isArrayIteratorMethod = __webpack_require__(87);
var lengthOfArrayLike = __webpack_require__(62);
var isPrototypeOf = __webpack_require__(23);
var getIterator = __webpack_require__(89);
var getIteratorMethod = __webpack_require__(90);
var iteratorClose = __webpack_require__(93);

var $TypeError = TypeError;

var Result = function (stopped, result) {
  this.stopped = stopped;
  this.result = result;
};

var ResultPrototype = Result.prototype;

module.exports = function (iterable, unboundFunction, options) {
  var that = options && options.that;
  var AS_ENTRIES = !!(options && options.AS_ENTRIES);
  var IS_RECORD = !!(options && options.IS_RECORD);
  var IS_ITERATOR = !!(options && options.IS_ITERATOR);
  var INTERRUPTED = !!(options && options.INTERRUPTED);
  var fn = bind(unboundFunction, that);
  var iterator, iterFn, index, length, result, next, step;

  var stop = function (condition) {
    if (iterator) iteratorClose(iterator, 'normal', condition);
    return new Result(true, condition);
  };

  var callFn = function (value) {
    if (AS_ENTRIES) {
      anObject(value);
      return INTERRUPTED ? fn(value[0], value[1], stop) : fn(value[0], value[1]);
    } return INTERRUPTED ? fn(value, stop) : fn(value);
  };

  if (IS_RECORD) {
    iterator = iterable.iterator;
  } else if (IS_ITERATOR) {
    iterator = iterable;
  } else {
    iterFn = getIteratorMethod(iterable);
    if (!iterFn) throw new $TypeError(tryToString(iterable) + ' is not iterable');
    // optimisation for array iterators
    if (isArrayIteratorMethod(iterFn)) {
      for (index = 0, length = lengthOfArrayLike(iterable); length > index; index++) {
        result = callFn(iterable[index]);
        if (result && isPrototypeOf(ResultPrototype, result)) return result;
      } return new Result(false);
    }
    iterator = getIterator(iterable, iterFn);
  }

  next = IS_RECORD ? iterable.next : iterator.next;
  while (!(step = call(next, iterator)).done) {
    try {
      result = callFn(step.value);
    } catch (error) {
      iteratorClose(iterator, 'throw', error);
    }
    if (typeof result == 'object' && result && isPrototypeOf(ResultPrototype, result)) return result;
  } return new Result(false);
};


/***/ }),
/* 85 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(86);
var aCallable = __webpack_require__(29);
var NATIVE_BIND = __webpack_require__(8);

var bind = uncurryThis(uncurryThis.bind);

// optional / simple context binding
module.exports = function (fn, that) {
  aCallable(fn);
  return that === undefined ? fn : NATIVE_BIND ? bind(fn, that) : function (/* ...args */) {
    return fn.apply(that, arguments);
  };
};


/***/ }),
/* 86 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var classofRaw = __webpack_require__(14);
var uncurryThis = __webpack_require__(13);

module.exports = function (fn) {
  // Nashorn bug:
  //   https://github.com/zloirock/core-js/issues/1128
  //   https://github.com/zloirock/core-js/issues/1130
  if (classofRaw(fn) === 'Function') return uncurryThis(fn);
};


/***/ }),
/* 87 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var wellKnownSymbol = __webpack_require__(32);
var Iterators = __webpack_require__(88);

var ITERATOR = wellKnownSymbol('iterator');
var ArrayPrototype = Array.prototype;

// check on default Array iterator
module.exports = function (it) {
  return it !== undefined && (Iterators.Array === it || ArrayPrototype[ITERATOR] === it);
};


/***/ }),
/* 88 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

module.exports = {};


/***/ }),
/* 89 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var call = __webpack_require__(7);
var aCallable = __webpack_require__(29);
var anObject = __webpack_require__(45);
var tryToString = __webpack_require__(30);
var getIteratorMethod = __webpack_require__(90);

var $TypeError = TypeError;

module.exports = function (argument, usingIterator) {
  var iteratorMethod = arguments.length < 2 ? getIteratorMethod(argument) : usingIterator;
  if (aCallable(iteratorMethod)) return anObject(call(iteratorMethod, argument));
  throw new $TypeError(tryToString(argument) + ' is not iterable');
};


/***/ }),
/* 90 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var classof = __webpack_require__(91);
var getMethod = __webpack_require__(28);
var isNullOrUndefined = __webpack_require__(16);
var Iterators = __webpack_require__(88);
var wellKnownSymbol = __webpack_require__(32);

var ITERATOR = wellKnownSymbol('iterator');

module.exports = function (it) {
  if (!isNullOrUndefined(it)) return getMethod(it, ITERATOR)
    || getMethod(it, '@@iterator')
    || Iterators[classof(it)];
};


/***/ }),
/* 91 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var TO_STRING_TAG_SUPPORT = __webpack_require__(92);
var isCallable = __webpack_require__(20);
var classofRaw = __webpack_require__(14);
var wellKnownSymbol = __webpack_require__(32);

var TO_STRING_TAG = wellKnownSymbol('toStringTag');
var $Object = Object;

// ES3 wrong here
var CORRECT_ARGUMENTS = classofRaw(function () { return arguments; }()) === 'Arguments';

// fallback for IE11 Script Access Denied error
var tryGet = function (it, key) {
  try {
    return it[key];
  } catch (error) { /* empty */ }
};

// getting tag from ES6+ `Object.prototype.toString`
module.exports = TO_STRING_TAG_SUPPORT ? classofRaw : function (it) {
  var O, tag, result;
  return it === undefined ? 'Undefined' : it === null ? 'Null'
    // @@toStringTag case
    : typeof (tag = tryGet(O = $Object(it), TO_STRING_TAG)) == 'string' ? tag
    // builtinTag case
    : CORRECT_ARGUMENTS ? classofRaw(O)
    // ES3 arguments fallback
    : (result = classofRaw(O)) === 'Object' && isCallable(O.callee) ? 'Arguments' : result;
};


/***/ }),
/* 92 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var wellKnownSymbol = __webpack_require__(32);

var TO_STRING_TAG = wellKnownSymbol('toStringTag');
var test = {};

test[TO_STRING_TAG] = 'z';

module.exports = String(test) === '[object z]';


/***/ }),
/* 93 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var call = __webpack_require__(7);
var anObject = __webpack_require__(45);
var getMethod = __webpack_require__(28);

module.exports = function (iterator, kind, value) {
  var innerResult, innerError;
  anObject(iterator);
  try {
    innerResult = getMethod(iterator, 'return');
    if (!innerResult) {
      if (kind === 'throw') throw value;
      return value;
    }
    innerResult = call(innerResult, iterator);
  } catch (error) {
    innerError = true;
    innerResult = error;
  }
  if (kind === 'throw') throw value;
  if (innerError) throw innerResult;
  anObject(innerResult);
  return value;
};


/***/ }),
/* 94 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);

// eslint-disable-next-line es/no-map -- safe
var MapPrototype = Map.prototype;

module.exports = {
  // eslint-disable-next-line es/no-map -- safe
  Map: Map,
  set: uncurryThis(MapPrototype.set),
  get: uncurryThis(MapPrototype.get),
  has: uncurryThis(MapPrototype.has),
  remove: uncurryThis(MapPrototype['delete']),
  proto: MapPrototype
};


/***/ }),
/* 95 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var getBuiltIn = __webpack_require__(22);
var uncurryThis = __webpack_require__(13);
var aCallable = __webpack_require__(29);
var requireObjectCoercible = __webpack_require__(15);
var toPropertyKey = __webpack_require__(17);
var iterate = __webpack_require__(84);

var create = getBuiltIn('Object', 'create');
var push = uncurryThis([].push);

// `Object.groupBy` method
// https://github.com/tc39/proposal-array-grouping
$({ target: 'Object', stat: true }, {
  groupBy: function groupBy(items, callbackfn) {
    requireObjectCoercible(items);
    aCallable(callbackfn);
    var obj = create(null);
    var k = 0;
    iterate(items, function (value) {
      var key = toPropertyKey(callbackfn(value, k++));
      // in some IE versions, `hasOwnProperty` returns incorrect result on integer keys
      // but since it's a `null` prototype object, we can safely use `in`
      if (key in obj) push(obj[key], value);
      else obj[key] = [value];
    });
    return obj;
  }
});


/***/ }),
/* 96 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var newPromiseCapabilityModule = __webpack_require__(97);

// `Promise.withResolvers` method
// https://github.com/tc39/proposal-promise-with-resolvers
$({ target: 'Promise', stat: true }, {
  withResolvers: function withResolvers() {
    var promiseCapability = newPromiseCapabilityModule.f(this);
    return {
      promise: promiseCapability.promise,
      resolve: promiseCapability.resolve,
      reject: promiseCapability.reject
    };
  }
});


/***/ }),
/* 97 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var aCallable = __webpack_require__(29);

var $TypeError = TypeError;

var PromiseCapability = function (C) {
  var resolve, reject;
  this.promise = new C(function ($$resolve, $$reject) {
    if (resolve !== undefined || reject !== undefined) throw new $TypeError('Bad Promise constructor');
    resolve = $$resolve;
    reject = $$reject;
  });
  this.resolve = aCallable(resolve);
  this.reject = aCallable(reject);
};

// `NewPromiseCapability` abstract operation
// https://tc39.es/ecma262/#sec-newpromisecapability
module.exports.f = function (C) {
  return new PromiseCapability(C);
};


/***/ }),
/* 98 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var DESCRIPTORS = __webpack_require__(5);
var defineBuiltInAccessor = __webpack_require__(99);
var regExpFlags = __webpack_require__(100);
var fails = __webpack_require__(6);

// babel-minify and Closure Compiler transpiles RegExp('.', 'd') -> /./d and it causes SyntaxError
var RegExp = global.RegExp;
var RegExpPrototype = RegExp.prototype;

var FORCED = DESCRIPTORS && fails(function () {
  var INDICES_SUPPORT = true;
  try {
    RegExp('.', 'd');
  } catch (error) {
    INDICES_SUPPORT = false;
  }

  var O = {};
  // modern V8 bug
  var calls = '';
  var expected = INDICES_SUPPORT ? 'dgimsy' : 'gimsy';

  var addGetter = function (key, chr) {
    // eslint-disable-next-line es/no-object-defineproperty -- safe
    Object.defineProperty(O, key, { get: function () {
      calls += chr;
      return true;
    } });
  };

  var pairs = {
    dotAll: 's',
    global: 'g',
    ignoreCase: 'i',
    multiline: 'm',
    sticky: 'y'
  };

  if (INDICES_SUPPORT) pairs.hasIndices = 'd';

  for (var key in pairs) addGetter(key, pairs[key]);

  // eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe
  var result = Object.getOwnPropertyDescriptor(RegExpPrototype, 'flags').get.call(O);

  return result !== expected || calls !== expected;
});

// `RegExp.prototype.flags` getter
// https://tc39.es/ecma262/#sec-get-regexp.prototype.flags
if (FORCED) defineBuiltInAccessor(RegExpPrototype, 'flags', {
  configurable: true,
  get: regExpFlags
});


/***/ }),
/* 99 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var makeBuiltIn = __webpack_require__(47);
var defineProperty = __webpack_require__(43);

module.exports = function (target, name, descriptor) {
  if (descriptor.get) makeBuiltIn(descriptor.get, name, { getter: true });
  if (descriptor.set) makeBuiltIn(descriptor.set, name, { setter: true });
  return defineProperty.f(target, name, descriptor);
};


/***/ }),
/* 100 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var anObject = __webpack_require__(45);

// `RegExp.prototype.flags` getter implementation
// https://tc39.es/ecma262/#sec-get-regexp.prototype.flags
module.exports = function () {
  var that = anObject(this);
  var result = '';
  if (that.hasIndices) result += 'd';
  if (that.global) result += 'g';
  if (that.ignoreCase) result += 'i';
  if (that.multiline) result += 'm';
  if (that.dotAll) result += 's';
  if (that.unicode) result += 'u';
  if (that.unicodeSets) result += 'v';
  if (that.sticky) result += 'y';
  return result;
};


/***/ }),
/* 101 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var uncurryThis = __webpack_require__(13);
var requireObjectCoercible = __webpack_require__(15);
var toString = __webpack_require__(102);

var charCodeAt = uncurryThis(''.charCodeAt);

// `String.prototype.isWellFormed` method
// https://github.com/tc39/proposal-is-usv-string
$({ target: 'String', proto: true }, {
  isWellFormed: function isWellFormed() {
    var S = toString(requireObjectCoercible(this));
    var length = S.length;
    for (var i = 0; i < length; i++) {
      var charCode = charCodeAt(S, i);
      // single UTF-16 code unit
      if ((charCode & 0xF800) !== 0xD800) continue;
      // unpaired surrogate
      if (charCode >= 0xDC00 || ++i >= length || (charCodeAt(S, i) & 0xFC00) !== 0xDC00) return false;
    } return true;
  }
});


/***/ }),
/* 102 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var classof = __webpack_require__(91);

var $String = String;

module.exports = function (argument) {
  if (classof(argument) === 'Symbol') throw new TypeError('Cannot convert a Symbol value to a string');
  return $String(argument);
};


/***/ }),
/* 103 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var call = __webpack_require__(7);
var uncurryThis = __webpack_require__(13);
var requireObjectCoercible = __webpack_require__(15);
var toString = __webpack_require__(102);
var fails = __webpack_require__(6);

var $Array = Array;
var charAt = uncurryThis(''.charAt);
var charCodeAt = uncurryThis(''.charCodeAt);
var join = uncurryThis([].join);
// eslint-disable-next-line es/no-string-prototype-iswellformed-towellformed -- safe
var $toWellFormed = ''.toWellFormed;
var REPLACEMENT_CHARACTER = '\uFFFD';

// Safari bug
var TO_STRING_CONVERSION_BUG = $toWellFormed && fails(function () {
  return call($toWellFormed, 1) !== '1';
});

// `String.prototype.toWellFormed` method
// https://github.com/tc39/proposal-is-usv-string
$({ target: 'String', proto: true, forced: TO_STRING_CONVERSION_BUG }, {
  toWellFormed: function toWellFormed() {
    var S = toString(requireObjectCoercible(this));
    if (TO_STRING_CONVERSION_BUG) return call($toWellFormed, S);
    var length = S.length;
    var result = $Array(length);
    for (var i = 0; i < length; i++) {
      var charCode = charCodeAt(S, i);
      // single UTF-16 code unit
      if ((charCode & 0xF800) !== 0xD800) result[i] = charAt(S, i);
      // unpaired surrogate
      else if (charCode >= 0xDC00 || i + 1 >= length || (charCodeAt(S, i + 1) & 0xFC00) !== 0xDC00) result[i] = REPLACEMENT_CHARACTER;
      // surrogate pair
      else {
        result[i] = charAt(S, i);
        result[++i] = charAt(S, i);
      }
    } return join(result, '');
  }
});


/***/ }),
/* 104 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var arrayToReversed = __webpack_require__(71);
var ArrayBufferViewCore = __webpack_require__(105);

var aTypedArray = ArrayBufferViewCore.aTypedArray;
var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod;
var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor;

// `%TypedArray%.prototype.toReversed` method
// https://tc39.es/ecma262/#sec-%typedarray%.prototype.toreversed
exportTypedArrayMethod('toReversed', function toReversed() {
  return arrayToReversed(aTypedArray(this), getTypedArrayConstructor(this));
});


/***/ }),
/* 105 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var NATIVE_ARRAY_BUFFER = __webpack_require__(106);
var DESCRIPTORS = __webpack_require__(5);
var global = __webpack_require__(3);
var isCallable = __webpack_require__(20);
var isObject = __webpack_require__(19);
var hasOwn = __webpack_require__(37);
var classof = __webpack_require__(91);
var tryToString = __webpack_require__(30);
var createNonEnumerableProperty = __webpack_require__(42);
var defineBuiltIn = __webpack_require__(46);
var defineBuiltInAccessor = __webpack_require__(99);
var isPrototypeOf = __webpack_require__(23);
var getPrototypeOf = __webpack_require__(107);
var setPrototypeOf = __webpack_require__(109);
var wellKnownSymbol = __webpack_require__(32);
var uid = __webpack_require__(39);
var InternalStateModule = __webpack_require__(50);

var enforceInternalState = InternalStateModule.enforce;
var getInternalState = InternalStateModule.get;
var Int8Array = global.Int8Array;
var Int8ArrayPrototype = Int8Array && Int8Array.prototype;
var Uint8ClampedArray = global.Uint8ClampedArray;
var Uint8ClampedArrayPrototype = Uint8ClampedArray && Uint8ClampedArray.prototype;
var TypedArray = Int8Array && getPrototypeOf(Int8Array);
var TypedArrayPrototype = Int8ArrayPrototype && getPrototypeOf(Int8ArrayPrototype);
var ObjectPrototype = Object.prototype;
var TypeError = global.TypeError;

var TO_STRING_TAG = wellKnownSymbol('toStringTag');
var TYPED_ARRAY_TAG = uid('TYPED_ARRAY_TAG');
var TYPED_ARRAY_CONSTRUCTOR = 'TypedArrayConstructor';
// Fixing native typed arrays in Opera Presto crashes the browser, see #595
var NATIVE_ARRAY_BUFFER_VIEWS = NATIVE_ARRAY_BUFFER && !!setPrototypeOf && classof(global.opera) !== 'Opera';
var TYPED_ARRAY_TAG_REQUIRED = false;
var NAME, Constructor, Prototype;

var TypedArrayConstructorsList = {
  Int8Array: 1,
  Uint8Array: 1,
  Uint8ClampedArray: 1,
  Int16Array: 2,
  Uint16Array: 2,
  Int32Array: 4,
  Uint32Array: 4,
  Float32Array: 4,
  Float64Array: 8
};

var BigIntArrayConstructorsList = {
  BigInt64Array: 8,
  BigUint64Array: 8
};

var isView = function isView(it) {
  if (!isObject(it)) return false;
  var klass = classof(it);
  return klass === 'DataView'
    || hasOwn(TypedArrayConstructorsList, klass)
    || hasOwn(BigIntArrayConstructorsList, klass);
};

var getTypedArrayConstructor = function (it) {
  var proto = getPrototypeOf(it);
  if (!isObject(proto)) return;
  var state = getInternalState(proto);
  return (state && hasOwn(state, TYPED_ARRAY_CONSTRUCTOR)) ? state[TYPED_ARRAY_CONSTRUCTOR] : getTypedArrayConstructor(proto);
};

var isTypedArray = function (it) {
  if (!isObject(it)) return false;
  var klass = classof(it);
  return hasOwn(TypedArrayConstructorsList, klass)
    || hasOwn(BigIntArrayConstructorsList, klass);
};

var aTypedArray = function (it) {
  if (isTypedArray(it)) return it;
  throw new TypeError('Target is not a typed array');
};

var aTypedArrayConstructor = function (C) {
  if (isCallable(C) && (!setPrototypeOf || isPrototypeOf(TypedArray, C))) return C;
  throw new TypeError(tryToString(C) + ' is not a typed array constructor');
};

var exportTypedArrayMethod = function (KEY, property, forced, options) {
  if (!DESCRIPTORS) return;
  if (forced) for (var ARRAY in TypedArrayConstructorsList) {
    var TypedArrayConstructor = global[ARRAY];
    if (TypedArrayConstructor && hasOwn(TypedArrayConstructor.prototype, KEY)) try {
      delete TypedArrayConstructor.prototype[KEY];
    } catch (error) {
      // old WebKit bug - some methods are non-configurable
      try {
        TypedArrayConstructor.prototype[KEY] = property;
      } catch (error2) { /* empty */ }
    }
  }
  if (!TypedArrayPrototype[KEY] || forced) {
    defineBuiltIn(TypedArrayPrototype, KEY, forced ? property
      : NATIVE_ARRAY_BUFFER_VIEWS && Int8ArrayPrototype[KEY] || property, options);
  }
};

var exportTypedArrayStaticMethod = function (KEY, property, forced) {
  var ARRAY, TypedArrayConstructor;
  if (!DESCRIPTORS) return;
  if (setPrototypeOf) {
    if (forced) for (ARRAY in TypedArrayConstructorsList) {
      TypedArrayConstructor = global[ARRAY];
      if (TypedArrayConstructor && hasOwn(TypedArrayConstructor, KEY)) try {
        delete TypedArrayConstructor[KEY];
      } catch (error) { /* empty */ }
    }
    if (!TypedArray[KEY] || forced) {
      // V8 ~ Chrome 49-50 `%TypedArray%` methods are non-writable non-configurable
      try {
        return defineBuiltIn(TypedArray, KEY, forced ? property : NATIVE_ARRAY_BUFFER_VIEWS && TypedArray[KEY] || property);
      } catch (error) { /* empty */ }
    } else return;
  }
  for (ARRAY in TypedArrayConstructorsList) {
    TypedArrayConstructor = global[ARRAY];
    if (TypedArrayConstructor && (!TypedArrayConstructor[KEY] || forced)) {
      defineBuiltIn(TypedArrayConstructor, KEY, property);
    }
  }
};

for (NAME in TypedArrayConstructorsList) {
  Constructor = global[NAME];
  Prototype = Constructor && Constructor.prototype;
  if (Prototype) enforceInternalState(Prototype)[TYPED_ARRAY_CONSTRUCTOR] = Constructor;
  else NATIVE_ARRAY_BUFFER_VIEWS = false;
}

for (NAME in BigIntArrayConstructorsList) {
  Constructor = global[NAME];
  Prototype = Constructor && Constructor.prototype;
  if (Prototype) enforceInternalState(Prototype)[TYPED_ARRAY_CONSTRUCTOR] = Constructor;
}

// WebKit bug - typed arrays constructors prototype is Object.prototype
if (!NATIVE_ARRAY_BUFFER_VIEWS || !isCallable(TypedArray) || TypedArray === Function.prototype) {
  // eslint-disable-next-line no-shadow -- safe
  TypedArray = function TypedArray() {
    throw new TypeError('Incorrect invocation');
  };
  if (NATIVE_ARRAY_BUFFER_VIEWS) for (NAME in TypedArrayConstructorsList) {
    if (global[NAME]) setPrototypeOf(global[NAME], TypedArray);
  }
}

if (!NATIVE_ARRAY_BUFFER_VIEWS || !TypedArrayPrototype || TypedArrayPrototype === ObjectPrototype) {
  TypedArrayPrototype = TypedArray.prototype;
  if (NATIVE_ARRAY_BUFFER_VIEWS) for (NAME in TypedArrayConstructorsList) {
    if (global[NAME]) setPrototypeOf(global[NAME].prototype, TypedArrayPrototype);
  }
}

// WebKit bug - one more object in Uint8ClampedArray prototype chain
if (NATIVE_ARRAY_BUFFER_VIEWS && getPrototypeOf(Uint8ClampedArrayPrototype) !== TypedArrayPrototype) {
  setPrototypeOf(Uint8ClampedArrayPrototype, TypedArrayPrototype);
}

if (DESCRIPTORS && !hasOwn(TypedArrayPrototype, TO_STRING_TAG)) {
  TYPED_ARRAY_TAG_REQUIRED = true;
  defineBuiltInAccessor(TypedArrayPrototype, TO_STRING_TAG, {
    configurable: true,
    get: function () {
      return isObject(this) ? this[TYPED_ARRAY_TAG] : undefined;
    }
  });
  for (NAME in TypedArrayConstructorsList) if (global[NAME]) {
    createNonEnumerableProperty(global[NAME], TYPED_ARRAY_TAG, NAME);
  }
}

module.exports = {
  NATIVE_ARRAY_BUFFER_VIEWS: NATIVE_ARRAY_BUFFER_VIEWS,
  TYPED_ARRAY_TAG: TYPED_ARRAY_TAG_REQUIRED && TYPED_ARRAY_TAG,
  aTypedArray: aTypedArray,
  aTypedArrayConstructor: aTypedArrayConstructor,
  exportTypedArrayMethod: exportTypedArrayMethod,
  exportTypedArrayStaticMethod: exportTypedArrayStaticMethod,
  getTypedArrayConstructor: getTypedArrayConstructor,
  isView: isView,
  isTypedArray: isTypedArray,
  TypedArray: TypedArray,
  TypedArrayPrototype: TypedArrayPrototype
};


/***/ }),
/* 106 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

// eslint-disable-next-line es/no-typed-arrays -- safe
module.exports = typeof ArrayBuffer != 'undefined' && typeof DataView != 'undefined';


/***/ }),
/* 107 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var hasOwn = __webpack_require__(37);
var isCallable = __webpack_require__(20);
var toObject = __webpack_require__(38);
var sharedKey = __webpack_require__(52);
var CORRECT_PROTOTYPE_GETTER = __webpack_require__(108);

var IE_PROTO = sharedKey('IE_PROTO');
var $Object = Object;
var ObjectPrototype = $Object.prototype;

// `Object.getPrototypeOf` method
// https://tc39.es/ecma262/#sec-object.getprototypeof
// eslint-disable-next-line es/no-object-getprototypeof -- safe
module.exports = CORRECT_PROTOTYPE_GETTER ? $Object.getPrototypeOf : function (O) {
  var object = toObject(O);
  if (hasOwn(object, IE_PROTO)) return object[IE_PROTO];
  var constructor = object.constructor;
  if (isCallable(constructor) && object instanceof constructor) {
    return constructor.prototype;
  } return object instanceof $Object ? ObjectPrototype : null;
};


/***/ }),
/* 108 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var fails = __webpack_require__(6);

module.exports = !fails(function () {
  function F() { /* empty */ }
  F.prototype.constructor = null;
  // eslint-disable-next-line es/no-object-getprototypeof -- required for testing
  return Object.getPrototypeOf(new F()) !== F.prototype;
});


/***/ }),
/* 109 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

/* eslint-disable no-proto -- safe */
var uncurryThisAccessor = __webpack_require__(110);
var anObject = __webpack_require__(45);
var aPossiblePrototype = __webpack_require__(111);

// `Object.setPrototypeOf` method
// https://tc39.es/ecma262/#sec-object.setprototypeof
// Works with __proto__ only. Old v8 can't work with null proto objects.
// eslint-disable-next-line es/no-object-setprototypeof -- safe
module.exports = Object.setPrototypeOf || ('__proto__' in {} ? function () {
  var CORRECT_SETTER = false;
  var test = {};
  var setter;
  try {
    setter = uncurryThisAccessor(Object.prototype, '__proto__', 'set');
    setter(test, []);
    CORRECT_SETTER = test instanceof Array;
  } catch (error) { /* empty */ }
  return function setPrototypeOf(O, proto) {
    anObject(O);
    aPossiblePrototype(proto);
    if (CORRECT_SETTER) setter(O, proto);
    else O.__proto__ = proto;
    return O;
  };
}() : undefined);


/***/ }),
/* 110 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);
var aCallable = __webpack_require__(29);

module.exports = function (object, key, method) {
  try {
    // eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe
    return uncurryThis(aCallable(Object.getOwnPropertyDescriptor(object, key)[method]));
  } catch (error) { /* empty */ }
};


/***/ }),
/* 111 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isPossiblePrototype = __webpack_require__(112);

var $String = String;
var $TypeError = TypeError;

module.exports = function (argument) {
  if (isPossiblePrototype(argument)) return argument;
  throw new $TypeError("Can't set " + $String(argument) + ' as a prototype');
};


/***/ }),
/* 112 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isObject = __webpack_require__(19);

module.exports = function (argument) {
  return isObject(argument) || argument === null;
};


/***/ }),
/* 113 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var ArrayBufferViewCore = __webpack_require__(105);
var uncurryThis = __webpack_require__(13);
var aCallable = __webpack_require__(29);
var arrayFromConstructorAndList = __webpack_require__(78);

var aTypedArray = ArrayBufferViewCore.aTypedArray;
var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor;
var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod;
var sort = uncurryThis(ArrayBufferViewCore.TypedArrayPrototype.sort);

// `%TypedArray%.prototype.toSorted` method
// https://tc39.es/ecma262/#sec-%typedarray%.prototype.tosorted
exportTypedArrayMethod('toSorted', function toSorted(compareFn) {
  if (compareFn !== undefined) aCallable(compareFn);
  var O = aTypedArray(this);
  var A = arrayFromConstructorAndList(getTypedArrayConstructor(O), O);
  return sort(A, compareFn);
});


/***/ }),
/* 114 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var arrayWith = __webpack_require__(82);
var ArrayBufferViewCore = __webpack_require__(105);
var isBigIntArray = __webpack_require__(115);
var toIntegerOrInfinity = __webpack_require__(60);
var toBigInt = __webpack_require__(116);

var aTypedArray = ArrayBufferViewCore.aTypedArray;
var getTypedArrayConstructor = ArrayBufferViewCore.getTypedArrayConstructor;
var exportTypedArrayMethod = ArrayBufferViewCore.exportTypedArrayMethod;

var PROPER_ORDER = !!function () {
  try {
    // eslint-disable-next-line no-throw-literal, es/no-typed-arrays, es/no-array-prototype-with -- required for testing
    new Int8Array(1)['with'](2, { valueOf: function () { throw 8; } });
  } catch (error) {
    // some early implementations, like WebKit, does not follow the final semantic
    // https://github.com/tc39/proposal-change-array-by-copy/pull/86
    return error === 8;
  }
}();

// `%TypedArray%.prototype.with` method
// https://tc39.es/ecma262/#sec-%typedarray%.prototype.with
exportTypedArrayMethod('with', { 'with': function (index, value) {
  var O = aTypedArray(this);
  var relativeIndex = toIntegerOrInfinity(index);
  var actualValue = isBigIntArray(O) ? toBigInt(value) : +value;
  return arrayWith(O, getTypedArrayConstructor(O), relativeIndex, actualValue);
} }['with'], !PROPER_ORDER);


/***/ }),
/* 115 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var classof = __webpack_require__(91);

module.exports = function (it) {
  var klass = classof(it);
  return klass === 'BigInt64Array' || klass === 'BigUint64Array';
};


/***/ }),
/* 116 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var toPrimitive = __webpack_require__(18);

var $TypeError = TypeError;

// `ToBigInt` abstract operation
// https://tc39.es/ecma262/#sec-tobigint
module.exports = function (argument) {
  var prim = toPrimitive(argument, 'number');
  if (typeof prim == 'number') throw new $TypeError("Can't convert number to bigint");
  // eslint-disable-next-line es/no-bigint -- safe
  return BigInt(prim);
};


/***/ }),
/* 117 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var global = __webpack_require__(3);
var getBuiltIn = __webpack_require__(22);
var createPropertyDescriptor = __webpack_require__(10);
var defineProperty = __webpack_require__(43).f;
var hasOwn = __webpack_require__(37);
var anInstance = __webpack_require__(118);
var inheritIfRequired = __webpack_require__(119);
var normalizeStringArgument = __webpack_require__(120);
var DOMExceptionConstants = __webpack_require__(121);
var clearErrorStack = __webpack_require__(122);
var DESCRIPTORS = __webpack_require__(5);
var IS_PURE = __webpack_require__(34);

var DOM_EXCEPTION = 'DOMException';
var Error = getBuiltIn('Error');
var NativeDOMException = getBuiltIn(DOM_EXCEPTION);

var $DOMException = function DOMException() {
  anInstance(this, DOMExceptionPrototype);
  var argumentsLength = arguments.length;
  var message = normalizeStringArgument(argumentsLength < 1 ? undefined : arguments[0]);
  var name = normalizeStringArgument(argumentsLength < 2 ? undefined : arguments[1], 'Error');
  var that = new NativeDOMException(message, name);
  var error = new Error(message);
  error.name = DOM_EXCEPTION;
  defineProperty(that, 'stack', createPropertyDescriptor(1, clearErrorStack(error.stack, 1)));
  inheritIfRequired(that, this, $DOMException);
  return that;
};

var DOMExceptionPrototype = $DOMException.prototype = NativeDOMException.prototype;

var ERROR_HAS_STACK = 'stack' in new Error(DOM_EXCEPTION);
var DOM_EXCEPTION_HAS_STACK = 'stack' in new NativeDOMException(1, 2);

// eslint-disable-next-line es/no-object-getownpropertydescriptor -- safe
var descriptor = NativeDOMException && DESCRIPTORS && Object.getOwnPropertyDescriptor(global, DOM_EXCEPTION);

// Bun ~ 0.1.1 DOMException have incorrect descriptor and we can't redefine it
// https://github.com/Jarred-Sumner/bun/issues/399
var BUGGY_DESCRIPTOR = !!descriptor && !(descriptor.writable && descriptor.configurable);

var FORCED_CONSTRUCTOR = ERROR_HAS_STACK && !BUGGY_DESCRIPTOR && !DOM_EXCEPTION_HAS_STACK;

// `DOMException` constructor patch for `.stack` where it's required
// https://webidl.spec.whatwg.org/#es-DOMException-specialness
$({ global: true, constructor: true, forced: IS_PURE || FORCED_CONSTRUCTOR }, { // TODO: fix export logic
  DOMException: FORCED_CONSTRUCTOR ? $DOMException : NativeDOMException
});

var PolyfilledDOMException = getBuiltIn(DOM_EXCEPTION);
var PolyfilledDOMExceptionPrototype = PolyfilledDOMException.prototype;

if (PolyfilledDOMExceptionPrototype.constructor !== PolyfilledDOMException) {
  if (!IS_PURE) {
    defineProperty(PolyfilledDOMExceptionPrototype, 'constructor', createPropertyDescriptor(1, PolyfilledDOMException));
  }

  for (var key in DOMExceptionConstants) if (hasOwn(DOMExceptionConstants, key)) {
    var constant = DOMExceptionConstants[key];
    var constantName = constant.s;
    if (!hasOwn(PolyfilledDOMException, constantName)) {
      defineProperty(PolyfilledDOMException, constantName, createPropertyDescriptor(6, constant.c));
    }
  }
}


/***/ }),
/* 118 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isPrototypeOf = __webpack_require__(23);

var $TypeError = TypeError;

module.exports = function (it, Prototype) {
  if (isPrototypeOf(Prototype, it)) return it;
  throw new $TypeError('Incorrect invocation');
};


/***/ }),
/* 119 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var isCallable = __webpack_require__(20);
var isObject = __webpack_require__(19);
var setPrototypeOf = __webpack_require__(109);

// makes subclassing work correct for wrapped built-ins
module.exports = function ($this, dummy, Wrapper) {
  var NewTarget, NewTargetPrototype;
  if (
    // it can work only with native `setPrototypeOf`
    setPrototypeOf &&
    // we haven't completely correct pre-ES6 way for getting `new.target`, so use this
    isCallable(NewTarget = dummy.constructor) &&
    NewTarget !== Wrapper &&
    isObject(NewTargetPrototype = NewTarget.prototype) &&
    NewTargetPrototype !== Wrapper.prototype
  ) setPrototypeOf($this, NewTargetPrototype);
  return $this;
};


/***/ }),
/* 120 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var toString = __webpack_require__(102);

module.exports = function (argument, $default) {
  return argument === undefined ? arguments.length < 2 ? '' : $default : toString(argument);
};


/***/ }),
/* 121 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

module.exports = {
  IndexSizeError: { s: 'INDEX_SIZE_ERR', c: 1, m: 1 },
  DOMStringSizeError: { s: 'DOMSTRING_SIZE_ERR', c: 2, m: 0 },
  HierarchyRequestError: { s: 'HIERARCHY_REQUEST_ERR', c: 3, m: 1 },
  WrongDocumentError: { s: 'WRONG_DOCUMENT_ERR', c: 4, m: 1 },
  InvalidCharacterError: { s: 'INVALID_CHARACTER_ERR', c: 5, m: 1 },
  NoDataAllowedError: { s: 'NO_DATA_ALLOWED_ERR', c: 6, m: 0 },
  NoModificationAllowedError: { s: 'NO_MODIFICATION_ALLOWED_ERR', c: 7, m: 1 },
  NotFoundError: { s: 'NOT_FOUND_ERR', c: 8, m: 1 },
  NotSupportedError: { s: 'NOT_SUPPORTED_ERR', c: 9, m: 1 },
  InUseAttributeError: { s: 'INUSE_ATTRIBUTE_ERR', c: 10, m: 1 },
  InvalidStateError: { s: 'INVALID_STATE_ERR', c: 11, m: 1 },
  SyntaxError: { s: 'SYNTAX_ERR', c: 12, m: 1 },
  InvalidModificationError: { s: 'INVALID_MODIFICATION_ERR', c: 13, m: 1 },
  NamespaceError: { s: 'NAMESPACE_ERR', c: 14, m: 1 },
  InvalidAccessError: { s: 'INVALID_ACCESS_ERR', c: 15, m: 1 },
  ValidationError: { s: 'VALIDATION_ERR', c: 16, m: 0 },
  TypeMismatchError: { s: 'TYPE_MISMATCH_ERR', c: 17, m: 1 },
  SecurityError: { s: 'SECURITY_ERR', c: 18, m: 1 },
  NetworkError: { s: 'NETWORK_ERR', c: 19, m: 1 },
  AbortError: { s: 'ABORT_ERR', c: 20, m: 1 },
  URLMismatchError: { s: 'URL_MISMATCH_ERR', c: 21, m: 1 },
  QuotaExceededError: { s: 'QUOTA_EXCEEDED_ERR', c: 22, m: 1 },
  TimeoutError: { s: 'TIMEOUT_ERR', c: 23, m: 1 },
  InvalidNodeTypeError: { s: 'INVALID_NODE_TYPE_ERR', c: 24, m: 1 },
  DataCloneError: { s: 'DATA_CLONE_ERR', c: 25, m: 1 }
};


/***/ }),
/* 122 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);

var $Error = Error;
var replace = uncurryThis(''.replace);

var TEST = (function (arg) { return String(new $Error(arg).stack); })('zxcasd');
// eslint-disable-next-line redos/no-vulnerable -- safe
var V8_OR_CHAKRA_STACK_ENTRY = /\n\s*at [^:]*:[^\n]*/;
var IS_V8_OR_CHAKRA_STACK = V8_OR_CHAKRA_STACK_ENTRY.test(TEST);

module.exports = function (stack, dropEntries) {
  if (IS_V8_OR_CHAKRA_STACK && typeof stack == 'string' && !$Error.prepareStackTrace) {
    while (dropEntries--) stack = replace(stack, V8_OR_CHAKRA_STACK_ENTRY, '');
  } return stack;
};


/***/ }),
/* 123 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var IS_PURE = __webpack_require__(34);
var $ = __webpack_require__(2);
var global = __webpack_require__(3);
var getBuiltIn = __webpack_require__(22);
var uncurryThis = __webpack_require__(13);
var fails = __webpack_require__(6);
var uid = __webpack_require__(39);
var isCallable = __webpack_require__(20);
var isConstructor = __webpack_require__(124);
var isNullOrUndefined = __webpack_require__(16);
var isObject = __webpack_require__(19);
var isSymbol = __webpack_require__(21);
var iterate = __webpack_require__(84);
var anObject = __webpack_require__(45);
var classof = __webpack_require__(91);
var hasOwn = __webpack_require__(37);
var createProperty = __webpack_require__(125);
var createNonEnumerableProperty = __webpack_require__(42);
var lengthOfArrayLike = __webpack_require__(62);
var validateArgumentsLength = __webpack_require__(126);
var getRegExpFlags = __webpack_require__(127);
var MapHelpers = __webpack_require__(94);
var SetHelpers = __webpack_require__(128);
var setIterate = __webpack_require__(129);
var detachTransferable = __webpack_require__(131);
var ERROR_STACK_INSTALLABLE = __webpack_require__(137);
var PROPER_STRUCTURED_CLONE_TRANSFER = __webpack_require__(134);

var Object = global.Object;
var Array = global.Array;
var Date = global.Date;
var Error = global.Error;
var TypeError = global.TypeError;
var PerformanceMark = global.PerformanceMark;
var DOMException = getBuiltIn('DOMException');
var Map = MapHelpers.Map;
var mapHas = MapHelpers.has;
var mapGet = MapHelpers.get;
var mapSet = MapHelpers.set;
var Set = SetHelpers.Set;
var setAdd = SetHelpers.add;
var setHas = SetHelpers.has;
var objectKeys = getBuiltIn('Object', 'keys');
var push = uncurryThis([].push);
var thisBooleanValue = uncurryThis(true.valueOf);
var thisNumberValue = uncurryThis(1.0.valueOf);
var thisStringValue = uncurryThis(''.valueOf);
var thisTimeValue = uncurryThis(Date.prototype.getTime);
var PERFORMANCE_MARK = uid('structuredClone');
var DATA_CLONE_ERROR = 'DataCloneError';
var TRANSFERRING = 'Transferring';

var checkBasicSemantic = function (structuredCloneImplementation) {
  return !fails(function () {
    var set1 = new global.Set([7]);
    var set2 = structuredCloneImplementation(set1);
    var number = structuredCloneImplementation(Object(7));
    return set2 === set1 || !set2.has(7) || !isObject(number) || +number !== 7;
  }) && structuredCloneImplementation;
};

var checkErrorsCloning = function (structuredCloneImplementation, $Error) {
  return !fails(function () {
    var error = new $Error();
    var test = structuredCloneImplementation({ a: error, b: error });
    return !(test && test.a === test.b && test.a instanceof $Error && test.a.stack === error.stack);
  });
};

// https://github.com/whatwg/html/pull/5749
var checkNewErrorsCloningSemantic = function (structuredCloneImplementation) {
  return !fails(function () {
    var test = structuredCloneImplementation(new global.AggregateError([1], PERFORMANCE_MARK, { cause: 3 }));
    return test.name !== 'AggregateError' || test.errors[0] !== 1 || test.message !== PERFORMANCE_MARK || test.cause !== 3;
  });
};

// FF94+, Safari 15.4+, Chrome 98+, NodeJS 17.0+, Deno 1.13+
// FF<103 and Safari implementations can't clone errors
// https://bugzilla.mozilla.org/show_bug.cgi?id=1556604
// FF103 can clone errors, but `.stack` of clone is an empty string
// https://bugzilla.mozilla.org/show_bug.cgi?id=1778762
// FF104+ fixed it on usual errors, but not on DOMExceptions
// https://bugzilla.mozilla.org/show_bug.cgi?id=1777321
// Chrome <102 returns `null` if cloned object contains multiple references to one error
// https://bugs.chromium.org/p/v8/issues/detail?id=12542
// NodeJS implementation can't clone DOMExceptions
// https://github.com/nodejs/node/issues/41038
// only FF103+ supports new (html/5749) error cloning semantic
var nativeStructuredClone = global.structuredClone;

var FORCED_REPLACEMENT = IS_PURE
  || !checkErrorsCloning(nativeStructuredClone, Error)
  || !checkErrorsCloning(nativeStructuredClone, DOMException)
  || !checkNewErrorsCloningSemantic(nativeStructuredClone);

// Chrome 82+, Safari 14.1+, Deno 1.11+
// Chrome 78-81 implementation swaps `.name` and `.message` of cloned `DOMException`
// Chrome returns `null` if cloned object contains multiple references to one error
// Safari 14.1 implementation doesn't clone some `RegExp` flags, so requires a workaround
// Safari implementation can't clone errors
// Deno 1.2-1.10 implementations too naive
// NodeJS 16.0+ does not have `PerformanceMark` constructor
// NodeJS <17.2 structured cloning implementation from `performance.mark` is too naive
// and can't clone, for example, `RegExp` or some boxed primitives
// https://github.com/nodejs/node/issues/40840
// no one of those implementations supports new (html/5749) error cloning semantic
var structuredCloneFromMark = !nativeStructuredClone && checkBasicSemantic(function (value) {
  return new PerformanceMark(PERFORMANCE_MARK, { detail: value }).detail;
});

var nativeRestrictedStructuredClone = checkBasicSemantic(nativeStructuredClone) || structuredCloneFromMark;

var throwUncloneable = function (type) {
  throw new DOMException('Uncloneable type: ' + type, DATA_CLONE_ERROR);
};

var throwUnpolyfillable = function (type, action) {
  throw new DOMException((action || 'Cloning') + ' of ' + type + ' cannot be properly polyfilled in this engine', DATA_CLONE_ERROR);
};

var tryNativeRestrictedStructuredClone = function (value, type) {
  if (!nativeRestrictedStructuredClone) throwUnpolyfillable(type);
  return nativeRestrictedStructuredClone(value);
};

var createDataTransfer = function () {
  var dataTransfer;
  try {
    dataTransfer = new global.DataTransfer();
  } catch (error) {
    try {
      dataTransfer = new global.ClipboardEvent('').clipboardData;
    } catch (error2) { /* empty */ }
  }
  return dataTransfer && dataTransfer.items && dataTransfer.files ? dataTransfer : null;
};

var cloneBuffer = function (value, map, $type) {
  if (mapHas(map, value)) return mapGet(map, value);

  var type = $type || classof(value);
  var clone, length, options, source, target, i;

  if (type === 'SharedArrayBuffer') {
    if (nativeRestrictedStructuredClone) clone = nativeRestrictedStructuredClone(value);
    // SharedArrayBuffer should use shared memory, we can't polyfill it, so return the original
    else clone = value;
  } else {
    var DataView = global.DataView;

    // `ArrayBuffer#slice` is not available in IE10
    // `ArrayBuffer#slice` and `DataView` are not available in old FF
    if (!DataView && !isCallable(value.slice)) throwUnpolyfillable('ArrayBuffer');
    // detached buffers throws in `DataView` and `.slice`
    try {
      if (isCallable(value.slice) && !value.resizable) {
        clone = value.slice(0);
      } else {
        length = value.byteLength;
        options = 'maxByteLength' in value ? { maxByteLength: value.maxByteLength } : undefined;
        // eslint-disable-next-line es/no-resizable-and-growable-arraybuffers -- safe
        clone = new ArrayBuffer(length, options);
        source = new DataView(value);
        target = new DataView(clone);
        for (i = 0; i < length; i++) {
          target.setUint8(i, source.getUint8(i));
        }
      }
    } catch (error) {
      throw new DOMException('ArrayBuffer is detached', DATA_CLONE_ERROR);
    }
  }

  mapSet(map, value, clone);

  return clone;
};

var cloneView = function (value, type, offset, length, map) {
  var C = global[type];
  // in some old engines like Safari 9, typeof C is 'object'
  // on Uint8ClampedArray or some other constructors
  if (!isObject(C)) throwUnpolyfillable(type);
  return new C(cloneBuffer(value.buffer, map), offset, length);
};

var structuredCloneInternal = function (value, map) {
  if (isSymbol(value)) throwUncloneable('Symbol');
  if (!isObject(value)) return value;
  // effectively preserves circular references
  if (map) {
    if (mapHas(map, value)) return mapGet(map, value);
  } else map = new Map();

  var type = classof(value);
  var C, name, cloned, dataTransfer, i, length, keys, key;

  switch (type) {
    case 'Array':
      cloned = Array(lengthOfArrayLike(value));
      break;
    case 'Object':
      cloned = {};
      break;
    case 'Map':
      cloned = new Map();
      break;
    case 'Set':
      cloned = new Set();
      break;
    case 'RegExp':
      // in this block because of a Safari 14.1 bug
      // old FF does not clone regexes passed to the constructor, so get the source and flags directly
      cloned = new RegExp(value.source, getRegExpFlags(value));
      break;
    case 'Error':
      name = value.name;
      switch (name) {
        case 'AggregateError':
          cloned = new (getBuiltIn(name))([]);
          break;
        case 'EvalError':
        case 'RangeError':
        case 'ReferenceError':
        case 'SuppressedError':
        case 'SyntaxError':
        case 'TypeError':
        case 'URIError':
          cloned = new (getBuiltIn(name))();
          break;
        case 'CompileError':
        case 'LinkError':
        case 'RuntimeError':
          cloned = new (getBuiltIn('WebAssembly', name))();
          break;
        default:
          cloned = new Error();
      }
      break;
    case 'DOMException':
      cloned = new DOMException(value.message, value.name);
      break;
    case 'ArrayBuffer':
    case 'SharedArrayBuffer':
      cloned = cloneBuffer(value, map, type);
      break;
    case 'DataView':
    case 'Int8Array':
    case 'Uint8Array':
    case 'Uint8ClampedArray':
    case 'Int16Array':
    case 'Uint16Array':
    case 'Int32Array':
    case 'Uint32Array':
    case 'Float16Array':
    case 'Float32Array':
    case 'Float64Array':
    case 'BigInt64Array':
    case 'BigUint64Array':
      length = type === 'DataView' ? value.byteLength : value.length;
      cloned = cloneView(value, type, value.byteOffset, length, map);
      break;
    case 'DOMQuad':
      try {
        cloned = new DOMQuad(
          structuredCloneInternal(value.p1, map),
          structuredCloneInternal(value.p2, map),
          structuredCloneInternal(value.p3, map),
          structuredCloneInternal(value.p4, map)
        );
      } catch (error) {
        cloned = tryNativeRestrictedStructuredClone(value, type);
      }
      break;
    case 'File':
      if (nativeRestrictedStructuredClone) try {
        cloned = nativeRestrictedStructuredClone(value);
        // NodeJS 20.0.0 bug, https://github.com/nodejs/node/issues/47612
        if (classof(cloned) !== type) cloned = undefined;
      } catch (error) { /* empty */ }
      if (!cloned) try {
        cloned = new File([value], value.name, value);
      } catch (error) { /* empty */ }
      if (!cloned) throwUnpolyfillable(type);
      break;
    case 'FileList':
      dataTransfer = createDataTransfer();
      if (dataTransfer) {
        for (i = 0, length = lengthOfArrayLike(value); i < length; i++) {
          dataTransfer.items.add(structuredCloneInternal(value[i], map));
        }
        cloned = dataTransfer.files;
      } else cloned = tryNativeRestrictedStructuredClone(value, type);
      break;
    case 'ImageData':
      // Safari 9 ImageData is a constructor, but typeof ImageData is 'object'
      try {
        cloned = new ImageData(
          structuredCloneInternal(value.data, map),
          value.width,
          value.height,
          { colorSpace: value.colorSpace }
        );
      } catch (error) {
        cloned = tryNativeRestrictedStructuredClone(value, type);
      } break;
    default:
      if (nativeRestrictedStructuredClone) {
        cloned = nativeRestrictedStructuredClone(value);
      } else switch (type) {
        case 'BigInt':
          // can be a 3rd party polyfill
          cloned = Object(value.valueOf());
          break;
        case 'Boolean':
          cloned = Object(thisBooleanValue(value));
          break;
        case 'Number':
          cloned = Object(thisNumberValue(value));
          break;
        case 'String':
          cloned = Object(thisStringValue(value));
          break;
        case 'Date':
          cloned = new Date(thisTimeValue(value));
          break;
        case 'Blob':
          try {
            cloned = value.slice(0, value.size, value.type);
          } catch (error) {
            throwUnpolyfillable(type);
          } break;
        case 'DOMPoint':
        case 'DOMPointReadOnly':
          C = global[type];
          try {
            cloned = C.fromPoint
              ? C.fromPoint(value)
              : new C(value.x, value.y, value.z, value.w);
          } catch (error) {
            throwUnpolyfillable(type);
          } break;
        case 'DOMRect':
        case 'DOMRectReadOnly':
          C = global[type];
          try {
            cloned = C.fromRect
              ? C.fromRect(value)
              : new C(value.x, value.y, value.width, value.height);
          } catch (error) {
            throwUnpolyfillable(type);
          } break;
        case 'DOMMatrix':
        case 'DOMMatrixReadOnly':
          C = global[type];
          try {
            cloned = C.fromMatrix
              ? C.fromMatrix(value)
              : new C(value);
          } catch (error) {
            throwUnpolyfillable(type);
          } break;
        case 'AudioData':
        case 'VideoFrame':
          if (!isCallable(value.clone)) throwUnpolyfillable(type);
          try {
            cloned = value.clone();
          } catch (error) {
            throwUncloneable(type);
          } break;
        case 'CropTarget':
        case 'CryptoKey':
        case 'FileSystemDirectoryHandle':
        case 'FileSystemFileHandle':
        case 'FileSystemHandle':
        case 'GPUCompilationInfo':
        case 'GPUCompilationMessage':
        case 'ImageBitmap':
        case 'RTCCertificate':
        case 'WebAssembly.Module':
          throwUnpolyfillable(type);
          // break omitted
        default:
          throwUncloneable(type);
      }
  }

  mapSet(map, value, cloned);

  switch (type) {
    case 'Array':
    case 'Object':
      keys = objectKeys(value);
      for (i = 0, length = lengthOfArrayLike(keys); i < length; i++) {
        key = keys[i];
        createProperty(cloned, key, structuredCloneInternal(value[key], map));
      } break;
    case 'Map':
      value.forEach(function (v, k) {
        mapSet(cloned, structuredCloneInternal(k, map), structuredCloneInternal(v, map));
      });
      break;
    case 'Set':
      value.forEach(function (v) {
        setAdd(cloned, structuredCloneInternal(v, map));
      });
      break;
    case 'Error':
      createNonEnumerableProperty(cloned, 'message', structuredCloneInternal(value.message, map));
      if (hasOwn(value, 'cause')) {
        createNonEnumerableProperty(cloned, 'cause', structuredCloneInternal(value.cause, map));
      }
      if (name === 'AggregateError') {
        cloned.errors = structuredCloneInternal(value.errors, map);
      } else if (name === 'SuppressedError') {
        cloned.error = structuredCloneInternal(value.error, map);
        cloned.suppressed = structuredCloneInternal(value.suppressed, map);
      } // break omitted
    case 'DOMException':
      if (ERROR_STACK_INSTALLABLE) {
        createNonEnumerableProperty(cloned, 'stack', structuredCloneInternal(value.stack, map));
      }
  }

  return cloned;
};

var tryToTransfer = function (rawTransfer, map) {
  if (!isObject(rawTransfer)) throw new TypeError('Transfer option cannot be converted to a sequence');

  var transfer = [];

  iterate(rawTransfer, function (value) {
    push(transfer, anObject(value));
  });

  var i = 0;
  var length = lengthOfArrayLike(transfer);
  var buffers = new Set();
  var value, type, C, transferred, canvas, context;

  while (i < length) {
    value = transfer[i++];

    type = classof(value);

    if (type === 'ArrayBuffer' ? setHas(buffers, value) : mapHas(map, value)) {
      throw new DOMException('Duplicate transferable', DATA_CLONE_ERROR);
    }

    if (type === 'ArrayBuffer') {
      setAdd(buffers, value);
      continue;
    }

    if (PROPER_STRUCTURED_CLONE_TRANSFER) {
      transferred = nativeStructuredClone(value, { transfer: [value] });
    } else switch (type) {
      case 'ImageBitmap':
        C = global.OffscreenCanvas;
        if (!isConstructor(C)) throwUnpolyfillable(type, TRANSFERRING);
        try {
          canvas = new C(value.width, value.height);
          context = canvas.getContext('bitmaprenderer');
          context.transferFromImageBitmap(value);
          transferred = canvas.transferToImageBitmap();
        } catch (error) { /* empty */ }
        break;
      case 'AudioData':
      case 'VideoFrame':
        if (!isCallable(value.clone) || !isCallable(value.close)) throwUnpolyfillable(type, TRANSFERRING);
        try {
          transferred = value.clone();
          value.close();
        } catch (error) { /* empty */ }
        break;
      case 'MediaSourceHandle':
      case 'MessagePort':
      case 'OffscreenCanvas':
      case 'ReadableStream':
      case 'TransformStream':
      case 'WritableStream':
        throwUnpolyfillable(type, TRANSFERRING);
    }

    if (transferred === undefined) throw new DOMException('This object cannot be transferred: ' + type, DATA_CLONE_ERROR);

    mapSet(map, value, transferred);
  }

  return buffers;
};

var detachBuffers = function (buffers) {
  setIterate(buffers, function (buffer) {
    if (PROPER_STRUCTURED_CLONE_TRANSFER) {
      nativeRestrictedStructuredClone(buffer, { transfer: [buffer] });
    } else if (isCallable(buffer.transfer)) {
      buffer.transfer();
    } else if (detachTransferable) {
      detachTransferable(buffer);
    } else {
      throwUnpolyfillable('ArrayBuffer', TRANSFERRING);
    }
  });
};

// `structuredClone` method
// https://html.spec.whatwg.org/multipage/structured-data.html#dom-structuredclone
$({ global: true, enumerable: true, sham: !PROPER_STRUCTURED_CLONE_TRANSFER, forced: FORCED_REPLACEMENT }, {
  structuredClone: function structuredClone(value /* , { transfer } */) {
    var options = validateArgumentsLength(arguments.length, 1) > 1 && !isNullOrUndefined(arguments[1]) ? anObject(arguments[1]) : undefined;
    var transfer = options ? options.transfer : undefined;
    var map, buffers;

    if (transfer !== undefined) {
      map = new Map();
      buffers = tryToTransfer(transfer, map);
    }

    var clone = structuredCloneInternal(value, map);

    // since of an issue with cloning views of transferred buffers, we a forced to detach them later
    // https://github.com/zloirock/core-js/issues/1265
    if (buffers) detachBuffers(buffers);

    return clone;
  }
});


/***/ }),
/* 124 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);
var fails = __webpack_require__(6);
var isCallable = __webpack_require__(20);
var classof = __webpack_require__(91);
var getBuiltIn = __webpack_require__(22);
var inspectSource = __webpack_require__(49);

var noop = function () { /* empty */ };
var construct = getBuiltIn('Reflect', 'construct');
var constructorRegExp = /^\s*(?:class|function)\b/;
var exec = uncurryThis(constructorRegExp.exec);
var INCORRECT_TO_STRING = !constructorRegExp.test(noop);

var isConstructorModern = function isConstructor(argument) {
  if (!isCallable(argument)) return false;
  try {
    construct(noop, [], argument);
    return true;
  } catch (error) {
    return false;
  }
};

var isConstructorLegacy = function isConstructor(argument) {
  if (!isCallable(argument)) return false;
  switch (classof(argument)) {
    case 'AsyncFunction':
    case 'GeneratorFunction':
    case 'AsyncGeneratorFunction': return false;
  }
  try {
    // we can't check .prototype since constructors produced by .bind haven't it
    // `Function#toString` throws on some built-it function in some legacy engines
    // (for example, `DOMQuad` and similar in FF41-)
    return INCORRECT_TO_STRING || !!exec(constructorRegExp, inspectSource(argument));
  } catch (error) {
    return true;
  }
};

isConstructorLegacy.sham = true;

// `IsConstructor` abstract operation
// https://tc39.es/ecma262/#sec-isconstructor
module.exports = !construct || fails(function () {
  var called;
  return isConstructorModern(isConstructorModern.call)
    || !isConstructorModern(Object)
    || !isConstructorModern(function () { called = true; })
    || called;
}) ? isConstructorLegacy : isConstructorModern;


/***/ }),
/* 125 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var toPropertyKey = __webpack_require__(17);
var definePropertyModule = __webpack_require__(43);
var createPropertyDescriptor = __webpack_require__(10);

module.exports = function (object, key, value) {
  var propertyKey = toPropertyKey(key);
  if (propertyKey in object) definePropertyModule.f(object, propertyKey, createPropertyDescriptor(0, value));
  else object[propertyKey] = value;
};


/***/ }),
/* 126 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $TypeError = TypeError;

module.exports = function (passed, required) {
  if (passed < required) throw new $TypeError('Not enough arguments');
  return passed;
};


/***/ }),
/* 127 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var call = __webpack_require__(7);
var hasOwn = __webpack_require__(37);
var isPrototypeOf = __webpack_require__(23);
var regExpFlags = __webpack_require__(100);

var RegExpPrototype = RegExp.prototype;

module.exports = function (R) {
  var flags = R.flags;
  return flags === undefined && !('flags' in RegExpPrototype) && !hasOwn(R, 'flags') && isPrototypeOf(RegExpPrototype, R)
    ? call(regExpFlags, R) : flags;
};


/***/ }),
/* 128 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);

// eslint-disable-next-line es/no-set -- safe
var SetPrototype = Set.prototype;

module.exports = {
  // eslint-disable-next-line es/no-set -- safe
  Set: Set,
  add: uncurryThis(SetPrototype.add),
  has: uncurryThis(SetPrototype.has),
  remove: uncurryThis(SetPrototype['delete']),
  proto: SetPrototype
};


/***/ }),
/* 129 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var uncurryThis = __webpack_require__(13);
var iterateSimple = __webpack_require__(130);
var SetHelpers = __webpack_require__(128);

var Set = SetHelpers.Set;
var SetPrototype = SetHelpers.proto;
var forEach = uncurryThis(SetPrototype.forEach);
var keys = uncurryThis(SetPrototype.keys);
var next = keys(new Set()).next;

module.exports = function (set, fn, interruptible) {
  return interruptible ? iterateSimple({ iterator: keys(set), next: next }, fn) : forEach(set, fn);
};


/***/ }),
/* 130 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var call = __webpack_require__(7);

module.exports = function (record, fn, ITERATOR_INSTEAD_OF_RECORD) {
  var iterator = ITERATOR_INSTEAD_OF_RECORD ? record : record.iterator;
  var next = record.next;
  var step, result;
  while (!(step = call(next, iterator)).done) {
    result = fn(step.value);
    if (result !== undefined) return result;
  }
};


/***/ }),
/* 131 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var tryNodeRequire = __webpack_require__(132);
var PROPER_STRUCTURED_CLONE_TRANSFER = __webpack_require__(134);

var structuredClone = global.structuredClone;
var $ArrayBuffer = global.ArrayBuffer;
var $MessageChannel = global.MessageChannel;
var detach = false;
var WorkerThreads, channel, buffer, $detach;

if (PROPER_STRUCTURED_CLONE_TRANSFER) {
  detach = function (transferable) {
    structuredClone(transferable, { transfer: [transferable] });
  };
} else if ($ArrayBuffer) try {
  if (!$MessageChannel) {
    WorkerThreads = tryNodeRequire('worker_threads');
    if (WorkerThreads) $MessageChannel = WorkerThreads.MessageChannel;
  }

  if ($MessageChannel) {
    channel = new $MessageChannel();
    buffer = new $ArrayBuffer(2);

    $detach = function (transferable) {
      channel.port1.postMessage(null, [transferable]);
    };

    if (buffer.byteLength === 2) {
      $detach(buffer);
      if (buffer.byteLength === 0) detach = $detach;
    }
  }
} catch (error) { /* empty */ }

module.exports = detach;


/***/ }),
/* 132 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var IS_NODE = __webpack_require__(133);

module.exports = function (name) {
  try {
    // eslint-disable-next-line no-new-func -- safe
    if (IS_NODE) return Function('return require("' + name + '")')();
  } catch (error) { /* empty */ }
};


/***/ }),
/* 133 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var classof = __webpack_require__(14);

module.exports = classof(global.process) === 'process';


/***/ }),
/* 134 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var global = __webpack_require__(3);
var fails = __webpack_require__(6);
var V8 = __webpack_require__(26);
var IS_BROWSER = __webpack_require__(135);
var IS_DENO = __webpack_require__(136);
var IS_NODE = __webpack_require__(133);

var structuredClone = global.structuredClone;

module.exports = !!structuredClone && !fails(function () {
  // prevent V8 ArrayBufferDetaching protector cell invalidation and performance degradation
  // https://github.com/zloirock/core-js/issues/679
  if ((IS_DENO && V8 > 92) || (IS_NODE && V8 > 94) || (IS_BROWSER && V8 > 97)) return false;
  var buffer = new ArrayBuffer(8);
  var clone = structuredClone(buffer, { transfer: [buffer] });
  return buffer.byteLength !== 0 || clone.byteLength !== 8;
});


/***/ }),
/* 135 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var IS_DENO = __webpack_require__(136);
var IS_NODE = __webpack_require__(133);

module.exports = !IS_DENO && !IS_NODE
  && typeof window == 'object'
  && typeof document == 'object';


/***/ }),
/* 136 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

/* global Deno -- Deno case */
module.exports = typeof Deno == 'object' && Deno && typeof Deno.version == 'object';


/***/ }),
/* 137 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var fails = __webpack_require__(6);
var createPropertyDescriptor = __webpack_require__(10);

module.exports = !fails(function () {
  var error = new Error('a');
  if (!('stack' in error)) return true;
  // eslint-disable-next-line es/no-object-defineproperty -- safe
  Object.defineProperty(error, 'stack', createPropertyDescriptor(1, 7));
  return error.stack !== 7;
});


/***/ }),
/* 138 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var $ = __webpack_require__(2);
var getBuiltIn = __webpack_require__(22);
var fails = __webpack_require__(6);
var validateArgumentsLength = __webpack_require__(126);
var toString = __webpack_require__(102);
var USE_NATIVE_URL = __webpack_require__(139);

var URL = getBuiltIn('URL');

// https://github.com/nodejs/node/issues/47505
// https://github.com/denoland/deno/issues/18893
var THROWS_WITHOUT_ARGUMENTS = USE_NATIVE_URL && fails(function () {
  URL.canParse();
});

// `URL.canParse` method
// https://url.spec.whatwg.org/#dom-url-canparse
$({ target: 'URL', stat: true, forced: !THROWS_WITHOUT_ARGUMENTS }, {
  canParse: function canParse(url) {
    var length = validateArgumentsLength(arguments.length, 1);
    var urlString = toString(url);
    var base = length < 2 || arguments[1] === undefined ? undefined : toString(arguments[1]);
    try {
      return !!new URL(urlString, base);
    } catch (error) {
      return false;
    }
  }
});


/***/ }),
/* 139 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var fails = __webpack_require__(6);
var wellKnownSymbol = __webpack_require__(32);
var DESCRIPTORS = __webpack_require__(5);
var IS_PURE = __webpack_require__(34);

var ITERATOR = wellKnownSymbol('iterator');

module.exports = !fails(function () {
  // eslint-disable-next-line unicorn/relative-url-style -- required for testing
  var url = new URL('b?a=1&b=2&c=3', 'http://a');
  var params = url.searchParams;
  var params2 = new URLSearchParams('a=1&a=2&b=3');
  var result = '';
  url.pathname = 'c%20d';
  params.forEach(function (value, key) {
    params['delete']('b');
    result += key + value;
  });
  params2['delete']('a', 2);
  // `undefined` case is a Chromium 117 bug
  // https://bugs.chromium.org/p/v8/issues/detail?id=14222
  params2['delete']('b', undefined);
  return (IS_PURE && (!url.toJSON || !params2.has('a', 1) || params2.has('a', 2) || !params2.has('a', undefined) || params2.has('b')))
    || (!params.size && (IS_PURE || !DESCRIPTORS))
    || !params.sort
    || url.href !== 'http://a/c%20d?a=1&c=3'
    || params.get('c') !== '3'
    || String(new URLSearchParams('?a=1')) !== 'a=1'
    || !params[ITERATOR]
    // throws in Edge
    || new URL('https://a@b').username !== 'a'
    || new URLSearchParams(new URLSearchParams('a=b')).get('a') !== 'b'
    // not punycoded in Edge
    || new URL('http://тест').host !== 'xn--e1aybc'
    // not escaped in Chrome 62-
    || new URL('http://a#б').hash !== '#%D0%B1'
    // fails in Chrome 66-
    || result !== 'a1c3'
    // throws in Safari
    || new URL('http://x', undefined).host !== 'x';
});


/***/ }),
/* 140 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var defineBuiltIn = __webpack_require__(46);
var uncurryThis = __webpack_require__(13);
var toString = __webpack_require__(102);
var validateArgumentsLength = __webpack_require__(126);

var $URLSearchParams = URLSearchParams;
var URLSearchParamsPrototype = $URLSearchParams.prototype;
var append = uncurryThis(URLSearchParamsPrototype.append);
var $delete = uncurryThis(URLSearchParamsPrototype['delete']);
var forEach = uncurryThis(URLSearchParamsPrototype.forEach);
var push = uncurryThis([].push);
var params = new $URLSearchParams('a=1&a=2&b=3');

params['delete']('a', 1);
// `undefined` case is a Chromium 117 bug
// https://bugs.chromium.org/p/v8/issues/detail?id=14222
params['delete']('b', undefined);

if (params + '' !== 'a=2') {
  defineBuiltIn(URLSearchParamsPrototype, 'delete', function (name /* , value */) {
    var length = arguments.length;
    var $value = length < 2 ? undefined : arguments[1];
    if (length && $value === undefined) return $delete(this, name);
    var entries = [];
    forEach(this, function (v, k) { // also validates `this`
      push(entries, { key: k, value: v });
    });
    validateArgumentsLength(length, 1);
    var key = toString(name);
    var value = toString($value);
    var index = 0;
    var dindex = 0;
    var found = false;
    var entriesLength = entries.length;
    var entry;
    while (index < entriesLength) {
      entry = entries[index++];
      if (found || entry.key === key) {
        found = true;
        $delete(this, entry.key);
      } else dindex++;
    }
    while (dindex < entriesLength) {
      entry = entries[dindex++];
      if (!(entry.key === key && entry.value === value)) append(this, entry.key, entry.value);
    }
  }, { enumerable: true, unsafe: true });
}


/***/ }),
/* 141 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var defineBuiltIn = __webpack_require__(46);
var uncurryThis = __webpack_require__(13);
var toString = __webpack_require__(102);
var validateArgumentsLength = __webpack_require__(126);

var $URLSearchParams = URLSearchParams;
var URLSearchParamsPrototype = $URLSearchParams.prototype;
var getAll = uncurryThis(URLSearchParamsPrototype.getAll);
var $has = uncurryThis(URLSearchParamsPrototype.has);
var params = new $URLSearchParams('a=1');

// `undefined` case is a Chromium 117 bug
// https://bugs.chromium.org/p/v8/issues/detail?id=14222
if (params.has('a', 2) || !params.has('a', undefined)) {
  defineBuiltIn(URLSearchParamsPrototype, 'has', function has(name /* , value */) {
    var length = arguments.length;
    var $value = length < 2 ? undefined : arguments[1];
    if (length && $value === undefined) return $has(this, name);
    var values = getAll(this, name); // also validates `this`
    validateArgumentsLength(length, 1);
    var value = toString($value);
    var index = 0;
    while (index < values.length) {
      if (values[index++] === value) return true;
    } return false;
  }, { enumerable: true, unsafe: true });
}


/***/ }),
/* 142 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var DESCRIPTORS = __webpack_require__(5);
var uncurryThis = __webpack_require__(13);
var defineBuiltInAccessor = __webpack_require__(99);

var URLSearchParamsPrototype = URLSearchParams.prototype;
var forEach = uncurryThis(URLSearchParamsPrototype.forEach);

// `URLSearchParams.prototype.size` getter
// https://github.com/whatwg/url/pull/734
if (DESCRIPTORS && !('size' in URLSearchParamsPrototype)) {
  defineBuiltInAccessor(URLSearchParamsPrototype, 'size', {
    get: function size() {
      var count = 0;
      forEach(this, function () { count++; });
      return count;
    },
    configurable: true,
    enumerable: true
  });
}


/***/ })
/******/ ]); }();

Youez - 2016 - github.com/yon3zu
LinuXploit