You are viewing a plain text version of this content. The canonical link for it is here.
Posted to commits@airavata.apache.org by sm...@apache.org on 2015/05/03 14:40:26 UTC

[46/51] [partial] airavata-php-gateway git commit: removing vendor files

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Handler/XmlResponseHandler.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Handler/XmlResponseHandler.php b/vendor/filp/whoops/src/Whoops/Handler/XmlResponseHandler.php
deleted file mode 100644
index 61ee86c..0000000
--- a/vendor/filp/whoops/src/Whoops/Handler/XmlResponseHandler.php
+++ /dev/null
@@ -1,99 +0,0 @@
-<?php
-/**
- * Whoops - php errors for cool kids
- * @author Filipe Dobreira <http://github.com/filp>
- */
-
-namespace Whoops\Handler;
-
-use SimpleXMLElement;
-use Whoops\Exception\Formatter;
-
-/**
- * Catches an exception and converts it to an XML
- * response. Additionally can also return exception
- * frames for consumption by an API.
- */
-class XmlResponseHandler extends Handler
-{
-    /**
-     * @var bool
-     */
-    private $returnFrames = false;
-
-    /**
-     * @param  bool|null  $returnFrames
-     * @return bool|$this
-     */
-    public function addTraceToOutput($returnFrames = null)
-    {
-        if (func_num_args() == 0) {
-            return $this->returnFrames;
-        }
-
-        $this->returnFrames = (bool) $returnFrames;
-        return $this;
-    }
-
-    /**
-     * @return int
-     */
-    public function handle()
-    {
-        $response = array(
-            'error' => Formatter::formatExceptionAsDataArray(
-                $this->getInspector(),
-                $this->addTraceToOutput()
-            ),
-        );
-
-        echo $this->toXml($response);
-
-        return Handler::QUIT;
-    }
-
-    /**
-     * @param  SimpleXMLElement  $node Node to append data to, will be modified in place
-     * @param  array|Traversable $data
-     * @return SimpleXMLElement  The modified node, for chaining
-     */
-    private static function addDataToNode(\SimpleXMLElement $node, $data)
-    {
-        assert('is_array($data) || $node instanceof Traversable');
-
-        foreach ($data as $key => $value) {
-            if (is_numeric($key)) {
-                // Convert the key to a valid string
-                $key = "unknownNode_". (string) $key;
-            }
-
-            // Delete any char not allowed in XML element names
-            $key = preg_replace('/[^a-z0-9\-\_\.\:]/i', '', $key);
-
-            if (is_array($value)) {
-                $child = $node->addChild($key);
-                self::addDataToNode($child, $value);
-            } else {
-                $value = str_replace('&', '&amp;', print_r($value, true));
-                $node->addChild($key, $value);
-            }
-        }
-
-        return $node;
-    }
-
-    /**
-     * The main function for converting to an XML document.
-     *
-     * @param  array|Traversable $data
-     * @return string            XML
-     */
-    private static function toXml($data)
-    {
-        assert('is_array($data) || $node instanceof Traversable');
-
-        $node = simplexml_load_string("<?xml version='1.0' encoding='utf-8'?><root />");
-
-        return self::addDataToNode($node, $data)->asXML();
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Provider/Phalcon/WhoopsServiceProvider.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Provider/Phalcon/WhoopsServiceProvider.php b/vendor/filp/whoops/src/Whoops/Provider/Phalcon/WhoopsServiceProvider.php
deleted file mode 100644
index d8d5781..0000000
--- a/vendor/filp/whoops/src/Whoops/Provider/Phalcon/WhoopsServiceProvider.php
+++ /dev/null
@@ -1,78 +0,0 @@
-<?php
-/**
- * Whoops - php errors for cool kids
- * @author Filipe Dobreira <http://github.com/filp>
- */
-
-namespace Whoops\Provider\Phalcon;
-
-use Phalcon\DI;
-use Phalcon\DI\Exception;
-use Whoops\Handler\JsonResponseHandler;
-use Whoops\Handler\PrettyPageHandler;
-use Whoops\Run;
-
-class WhoopsServiceProvider
-{
-    /**
-     * @param DI $di
-     */
-    public function __construct(DI $di = null)
-    {
-        if (!$di) {
-            $di = DI::getDefault();
-        }
-
-        // There's only ever going to be one error page...right?
-        $di->setShared('whoops.pretty_page_handler', function () {
-            return new PrettyPageHandler();
-        });
-
-        // There's only ever going to be one error page...right?
-        $di->setShared('whoops.json_response_handler', function () {
-            $jsonHandler = new JsonResponseHandler();
-            $jsonHandler->onlyForAjaxRequests(true);
-            return $jsonHandler;
-        });
-
-        // Retrieves info on the Phalcon environment and ships it off
-        // to the PrettyPageHandler's data tables:
-        // This works by adding a new handler to the stack that runs
-        // before the error page, retrieving the shared page handler
-        // instance, and working with it to add new data tables
-        $phalcon_info_handler = function () use ($di) {
-            try {
-                $request = $di['request'];
-            } catch (Exception $e) {
-                // This error occurred too early in the application's life
-                // and the request instance is not yet available.
-                return;
-            }
-
-            // Request info:
-            $di['whoops.pretty_page_handler']->addDataTable('Phalcon Application (Request)', array(
-                'URI'         => $request->getScheme().'://'.$request->getServer('HTTP_HOST').$request->getServer('REQUEST_URI'),
-                'Request URI' => $request->getServer('REQUEST_URI'),
-                'Path Info'   => $request->getServer('PATH_INFO'),
-                'Query String' => $request->getServer('QUERY_STRING') ?: '<none>',
-                'HTTP Method' => $request->getMethod(),
-                'Script Name' => $request->getServer('SCRIPT_NAME'),
-                //'Base Path'   => $request->getBasePath(),
-                //'Base URL'    => $request->getBaseUrl(),
-                'Scheme'      => $request->getScheme(),
-                'Port'        => $request->getServer('SERVER_PORT'),
-                'Host'        => $request->getServerName(),
-            ));
-        };
-
-        $di->setShared('whoops', function () use ($di,$phalcon_info_handler) {
-            $run = new Run();
-            $run->pushHandler($di['whoops.pretty_page_handler']);
-            $run->pushHandler($phalcon_info_handler);
-            $run->pushHandler($di['whoops.json_response_handler']);
-            return $run;
-        });
-
-        $di['whoops']->register();
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Provider/Silex/WhoopsServiceProvider.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Provider/Silex/WhoopsServiceProvider.php b/vendor/filp/whoops/src/Whoops/Provider/Silex/WhoopsServiceProvider.php
deleted file mode 100644
index 69d01d3..0000000
--- a/vendor/filp/whoops/src/Whoops/Provider/Silex/WhoopsServiceProvider.php
+++ /dev/null
@@ -1,111 +0,0 @@
-<?php
-/**
- * Whoops - php errors for cool kids
- * @author Filipe Dobreira <http://github.com/filp>
- */
-
-namespace Whoops\Provider\Silex;
-
-use RuntimeException;
-use Silex\Application;
-use Silex\ServiceProviderInterface;
-use Symfony\Component\HttpFoundation\Request;
-use Symfony\Component\HttpFoundation\Response;
-use Symfony\Component\HttpKernel\Exception\HttpException;
-use Whoops\Handler\Handler;
-use Whoops\Handler\PlainTextHandler;
-use Whoops\Handler\PrettyPageHandler;
-use Whoops\Run;
-
-class WhoopsServiceProvider implements ServiceProviderInterface
-{
-    /**
-     * @param Application $app
-     */
-    public function register(Application $app)
-    {
-        // There's only ever going to be one error page...right?
-        $app['whoops.error_page_handler'] = $app->share(function () {
-            if (PHP_SAPI === 'cli') {
-                return new PlainTextHandler();
-            } else {
-                return new PrettyPageHandler();
-            }
-        });
-
-        // Retrieves info on the Silex environment and ships it off
-        // to the PrettyPageHandler's data tables:
-        // This works by adding a new handler to the stack that runs
-        // before the error page, retrieving the shared page handler
-        // instance, and working with it to add new data tables
-        $app['whoops.silex_info_handler'] = $app->protect(function () use ($app) {
-            try {
-                /** @var Request $request */
-                $request = $app['request'];
-            } catch (RuntimeException $e) {
-                // This error occurred too early in the application's life
-                // and the request instance is not yet available.
-                return;
-            }
-
-            /** @var Handler $errorPageHandler */
-            $errorPageHandler = $app["whoops.error_page_handler"];
-
-            if ($errorPageHandler instanceof PrettyPageHandler) {
-                /** @var PrettyPageHandler $errorPageHandler */
-
-                // General application info:
-                $errorPageHandler->addDataTable('Silex Application', array(
-                    'Charset'          => $app['charset'],
-                    'Locale'           => $app['locale'],
-                    'Route Class'      => $app['route_class'],
-                    'Dispatcher Class' => $app['dispatcher_class'],
-                    'Application Class' => get_class($app),
-                ));
-
-                // Request info:
-                $errorPageHandler->addDataTable('Silex Application (Request)', array(
-                    'URI'         => $request->getUri(),
-                    'Request URI' => $request->getRequestUri(),
-                    'Path Info'   => $request->getPathInfo(),
-                    'Query String' => $request->getQueryString() ?: '<none>',
-                    'HTTP Method' => $request->getMethod(),
-                    'Script Name' => $request->getScriptName(),
-                    'Base Path'   => $request->getBasePath(),
-                    'Base URL'    => $request->getBaseUrl(),
-                    'Scheme'      => $request->getScheme(),
-                    'Port'        => $request->getPort(),
-                    'Host'        => $request->getHost(),
-                ));
-            }
-        });
-
-        $app['whoops'] = $app->share(function () use ($app) {
-            $run = new Run();
-            $run->allowQuit(false);
-            $run->pushHandler($app['whoops.error_page_handler']);
-            $run->pushHandler($app['whoops.silex_info_handler']);
-            return $run;
-        });
-
-        $app->error(function ($e) use ($app) {
-            $method = Run::EXCEPTION_HANDLER;
-
-            ob_start();
-            $app['whoops']->$method($e);
-            $response = ob_get_clean();
-            $code = $e instanceof HttpException ? $e->getStatusCode() : 500;
-
-            return new Response($response, $code);
-        });
-
-        $app['whoops']->register();
-    }
-
-    /**
-     * @see Silex\ServiceProviderInterface::boot
-     */
-    public function boot(Application $app)
-    {
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Resources/css/whoops.base.css
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Resources/css/whoops.base.css b/vendor/filp/whoops/src/Whoops/Resources/css/whoops.base.css
deleted file mode 100644
index 1430c7a..0000000
--- a/vendor/filp/whoops/src/Whoops/Resources/css/whoops.base.css
+++ /dev/null
@@ -1,423 +0,0 @@
-.cf:before, .cf:after {content: " ";display: table;} .cf:after {clear: both;} .cf {*zoom: 1;}
-body {
-  font: 14px helvetica, arial, sans-serif;
-  color: #2B2B2B;
-  background-color: #D4D4D4;
-  padding:0;
-  margin: 0;
-  max-height: 100%;
-}
-  a {
-    text-decoration: none;
-  }
-
-.container{
-    height: 100%;
-    width: 100%;
-    position: fixed;
-    margin: 0;
-    padding: 0;
-    left: 0;
-    top: 0;
-}
-
-.branding {
-  position: absolute;
-  top: 10px;
-  right: 20px;
-  color: #777777;
-  font-size: 10px;
-    z-index: 100;
-}
-  .branding a {
-    color: #CD3F3F;
-  }
-
-header {
-  padding: 30px 20px;
-  color: white;
-  background: #272727;
-  box-sizing: border-box;
-  border-left: 5px solid #CD3F3F;
-}
-  .exc-title {
-    margin: 0;
-    color: #616161;
-    text-shadow: 0 1px 2px rgba(0, 0, 0, .1);
-  }
-    .exc-title-primary { color: #CD3F3F; }
-    .exc-message {
-      font-size: 32px;
-      margin: 5px 0;
-      word-wrap: break-word;
-    }
-
-.stack-container {
-    height: 100%;
-    position: relative;
-}
-
-.details-container {
-  height: 100%;
-  overflow: auto;
-  float: right;
-  width: 70%;
-  background: #DADADA;
-}
-  .details {
-    padding: 10px;
-    padding-left: 5px;
-    border-left: 5px solid rgba(0, 0, 0, .1);
-  }
-
-.frames-container {
-  height: 100%;
-  overflow: auto;
-  float: left;
-  width: 30%;
-  background: #FFF;
-}
-  .frame {
-    padding: 14px;
-    background: #F3F3F3;
-    border-right: 1px solid rgba(0, 0, 0, .2);
-    cursor: pointer;
-  }
-    .frame.active {
-      background-color: #4288CE;
-      color: #F3F3F3;
-              box-shadow: inset -2px 0 0 rgba(255, 255, 255, .1);
-      text-shadow: 0 1px 0 rgba(0, 0, 0, .2);
-    }
-
-    .frame:not(.active):hover {
-      background: #BEE9EA;
-    }
-
-    .frame-class, .frame-function, .frame-index {
-      font-weight: bold;
-    }
-
-    .frame-index {
-      font-size: 11px;
-      color: #BDBDBD;
-    }
-
-    .frame-class {
-      color: #4288CE;
-    }
-      .active .frame-class {
-        color: #BEE9EA;
-      }
-
-    .frame-file {
-      font-family: "Inconsolata", "Fira Mono", "Source Code Pro", Monaco, Consolas, "Lucida Console", monospace;
-      word-wrap:break-word;
-    }
-
-      .frame-file .editor-link {
-        color: #272727;
-      }
-
-    .frame-line {
-      font-weight: bold;
-      color: #4288CE;
-    }
-
-    .active .frame-line { color: #BEE9EA; }
-    .frame-line:before {
-      content: ":";
-    }
-
-    .frame-code {
-      padding: 10px;
-      padding-left: 5px;
-      background: #BDBDBD;
-      display: none;
-      border-left: 5px solid #4288CE;
-    }
-
-    .frame-code.active {
-      display: block;
-    }
-
-    .frame-code .frame-file {
-      background: #C6C6C6;
-      color: #525252;
-      text-shadow: 0 1px 0 #E7E7E7;
-      padding: 10px 10px 5px 10px;
-
-      border-top-right-radius: 6px;
-      border-top-left-radius:  6px;
-
-      border: 1px solid rgba(0, 0, 0, .1);
-      border-bottom: none;
-      box-shadow: inset 0 1px 0 #DADADA;
-    }
-
-    .code-block {
-      padding: 10px;
-      margin: 0;
-      box-shadow: inset 0 0 6px rgba(0, 0, 0, .3);
-    }
-
-    .linenums {
-      margin: 0;
-      margin-left: 10px;
-    }
-
-    .frame-comments {
-      box-shadow: inset 0 0 6px rgba(0, 0, 0, .3);
-      border: 1px solid rgba(0, 0, 0, .2);
-      border-top: none;
-
-      border-bottom-right-radius: 6px;
-      border-bottom-left-radius:  6px;
-
-      padding: 5px;
-      font-size: 12px;
-      background: #404040;
-    }
-
-    .frame-comments.empty {
-      padding: 8px 15px;
-    }
-
-    .frame-comments.empty:before {
-      content: "No comments for this stack frame.";
-      font-style: italic;
-      color: #828282;
-    }
-
-    .frame-comment {
-      padding: 10px;
-      color: #D2D2D2;
-    }
-      .frame-comment a {
-        color: #BEE9EA;
-        font-weight: bold;
-        text-decoration: none;
-      }
-        .frame-comment a:hover {
-          color: #4bb1b1;
-        }
-
-    .frame-comment:not(:last-child) {
-      border-bottom: 1px dotted rgba(0, 0, 0, .3);
-    }
-
-    .frame-comment-context {
-      font-size: 10px;
-      font-weight: bold;
-      color: #86D2B6;
-    }
-
-.data-table-container label {
-  font-size: 16px;
-  font-weight: bold;
-  color: #4288CE;
-  margin: 10px 0;
-  padding: 10px 0;
-
-  display: block;
-  margin-bottom: 5px;
-  padding-bottom: 5px;
-  border-bottom: 1px dotted rgba(0, 0, 0, .2);
-}
-  .data-table {
-    width: 100%;
-    margin: 10px 0;
-  }
-
-  .data-table tbody {
-    font: 13px "Inconsolata", "Fira Mono", "Source Code Pro", Monaco, Consolas, "Lucida Console", monospace;
-  }
-
-  .data-table thead {
-    display: none;
-  }
-
-  .data-table tr {
-    padding: 5px 0;
-  }
-
-  .data-table td:first-child {
-    width: 20%;
-    min-width: 130px;
-    overflow: hidden;
-    font-weight: bold;
-    color: #463C54;
-    padding-right: 5px;
-
-  }
-
-  .data-table td:last-child {
-    width: 80%;
-    -ms-word-break: break-all;
-    word-break: break-all;
-    word-break: break-word;
-    -webkit-hyphens: auto;
-    -moz-hyphens: auto;
-    hyphens: auto;
-  }
-
-  .data-table .empty {
-    color: rgba(0, 0, 0, .3);
-    font-style: italic;
-  }
-
-.handler {
-  padding: 10px;
-  font: 14px "Inconsolata", "Fira Mono", "Source Code Pro", Monaco, Consolas, "Lucida Console", monospace;
-}
-
-.handler.active {
-  color: #BBBBBB;
-  background: #989898;
-  font-weight: bold;
-}
-
-/* prettify code style
-Uses the Doxy theme as a base */
-pre .str, code .str { color: #BCD42A; }  /* string  */
-pre .kwd, code .kwd { color: #4bb1b1;  font-weight: bold; }  /* keyword*/
-pre .com, code .com { color: #888; font-weight: bold; } /* comment */
-pre .typ, code .typ { color: #ef7c61; }  /* type  */
-pre .lit, code .lit { color: #BCD42A; }  /* literal */
-pre .pun, code .pun { color: #fff; font-weight: bold;  } /* punctuation  */
-pre .pln, code .pln { color: #e9e4e5; }  /* plaintext  */
-pre .tag, code .tag { color: #4bb1b1; }  /* html/xml tag  */
-pre .htm, code .htm { color: #dda0dd; }  /* html tag */
-pre .xsl, code .xsl { color: #d0a0d0; }  /* xslt tag */
-pre .atn, code .atn { color: #ef7c61; font-weight: normal;} /* html/xml attribute name */
-pre .atv, code .atv { color: #bcd42a; }  /* html/xml attribute value  */
-pre .dec, code .dec { color: #606; }  /* decimal  */
-pre.prettyprint, code.prettyprint {
-  font-family: "Inconsolata", "Fira Mono", "Source Code Pro", Monaco, Consolas, "Lucida Console", monospace;
-  background: #333;
-  color: #e9e4e5;
-}
-  pre.prettyprint {
-    white-space: pre-wrap;
-  }
-
-  pre.prettyprint a, code.prettyprint a {
-    text-decoration:none;
-  }
-
-  .linenums li {
-    color: #A5A5A5;
-  }
-
-  .linenums li.current{
-    background: rgba(255, 100, 100, .07);
-    padding-top: 4px;
-    padding-left: 1px;
-  }
-    .linenums li.current.active {
-      background: rgba(255, 100, 100, .17);
-    }
-
-#plain-exception {
-	display: none;
-}
-
-#copy-button {
-	display: none;
-	float: right;
-	cursor: pointer;	
-	border: 0;
-}
-
-.clipboard {
-	width:            29px;
-	height:           28px;
-	background-image: url('data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAB0AAAAcCAYAAACdz7SqAAAABmJLR0QA/wD/AP+gvaeTAAAACXBIWXMAAAsTAAALEwEAmpwYAAAAB3RJTUUH3gUUByMD0ZSoGQAAAB1pVFh0Q29tbWVudAAAAAAAQ3JlYXRlZCB3aXRoIEdJTVBkLmUHAAACAklEQVRIx72Wv0sbYRjHP29y1VoXxR9UskjpXTaHoBUcpGgKkS5OZ1Ec/QeKOIhalEghoOCqQsGhFAWbISKYyaFDS1BKKW0TCYrQSdElXSReh9bkksu9iZdLbnrvvee9z/N83+d9nldo2gvjzd5Hxp4246W6J5tJszsxwvxPIbXzwBQDLgABvM1P6JsAwzCkdopl5vqIuWev2K4QpH/4QjjQci/nPCVny3iaNzMcrVUsC1sChFMpwtTu8dTqx7J9dR3a2BngUb0j7Xr+jtjasBR8f+jpNqqqoqoqmqblxjOJq/8GTfhCK8TWhmmykdhRpEIIhBCWMcD51wQXN3KwY3nvYGYgQPbXOMHJKOlMA77QCvsbugXsOFLZ+5+jGULBtyQuFB4PzlrAVSWSGWaptpdbjAcniaZv6RhcIL6VByvVZqsQouBMdutJkrrVrr1/gdjqN4Ze/3DvyBwcnnF9I7N4gC8YYdqNSHP7uD5G/7pdJRrl/ecIva1t9IRcgpolLk6qQic8eB+6GOkdrDjSf/OiTD91CS4r+jXrMqWkrgvUtuDbeVNTKGzw6SRDto5QBc5Yehlg0WbTc8mwHCeld1u+yZSySySlspTHFmZUeIkrgBYvtvPcyBdXkqWKq5OLmbk/luqVYjPOd3lxLXf/J/P7mJ0oCL/fX1Yfs4RO5CxW8C97dLBw2Q3fUwAAAABJRU5ErkJggg==');
-	background-repeat: no-repeat;
-}
-
-.help button {
-	cursor: help;
-	height:   28px;
-	float: right;
-	margin-left: 10px;
-}
-
-.help button:hover + #help-overlay {
-	display: block;
-}
-
-#help-overlay {
-	display: none;
-	position: absolute;
-	top: 0;
-	left: 0;
-	width: 100%;
-	height: 100%;
-	background-color: rgba(54, 54, 54, 0.5);
-}
-
-#help-overlay div {
-	width: 200px;
-	padding: 5px;
-	color: #463c54;
-	background-color: white;
-	border-radius: 10px;
-}
-
-#help-clipboard {
-	position: absolute;
-	right: 30px;
-	top: 90px;
-}
-
-#help-framestack {
-	position: absolute;
-	left: 200px;
-	top: 50px;
-}
-
-#help-exc-message {
-	position: absolute;
-	left: 65%;
-	top: 10px;
-}
-
-#help-code {
-	position: absolute;
-	right: 30px;
-	top: 250px;
-}
-
-#help-request {
-	position: absolute;
-	right: 30px;
-	top: 480px;
-}
-
-#help-appinfo {
-	position: absolute;
-	right: 30px;
-	top: 550px;
-}
-
-/* inspired by githubs kbd styles */
-kbd {
-    -moz-border-bottom-colors: none;
-    -moz-border-left-colors: none;
-    -moz-border-right-colors: none;
-    -moz-border-top-colors: none;
-    background-color: #fcfcfc;
-    border-color: #ccc #ccc #bbb;
-    border-image: none;
-    border-radius: 3px;
-    border-style: solid;
-    border-width: 1px;
-    box-shadow: 0 -1px 0 #bbb inset;
-    color: #555;
-    display: inline-block;
-    font-size: 11px;
-    line-height: 10px;
-    padding: 3px 5px;
-    vertical-align: middle;
-}
\ No newline at end of file

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Resources/js/whoops.base.js
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Resources/js/whoops.base.js b/vendor/filp/whoops/src/Whoops/Resources/js/whoops.base.js
deleted file mode 100644
index e148707..0000000
--- a/vendor/filp/whoops/src/Whoops/Resources/js/whoops.base.js
+++ /dev/null
@@ -1,79 +0,0 @@
-Zepto(function($) {
-  prettyPrint();
-
-  var $frameContainer = $('.frames-container');
-  var $container      = $('.details-container');
-  var $activeLine     = $frameContainer.find('.frame.active');
-  var $activeFrame    = $container.find('.frame-code.active');
-  var headerHeight    = $('header').height();
-
-  var highlightCurrentLine = function() {
-    // Highlight the active and neighboring lines for this frame:
-    var activeLineNumber = +($activeLine.find('.frame-line').text());
-    var $lines           = $activeFrame.find('.linenums li');
-    var firstLine        = +($lines.first().val());
-
-    $($lines[activeLineNumber - firstLine - 1]).addClass('current');
-    $($lines[activeLineNumber - firstLine]).addClass('current active');
-    $($lines[activeLineNumber - firstLine + 1]).addClass('current');
-  }
-
-  // Highlight the active for the first frame:
-  highlightCurrentLine();
-
-  $frameContainer.on('click', '.frame', function() {
-    var $this  = $(this);
-    var id     = /frame\-line\-([\d]*)/.exec($this.attr('id'))[1];
-    var $codeFrame = $('#frame-code-' + id);
-
-    if ($codeFrame) {
-      $activeLine.removeClass('active');
-      $activeFrame.removeClass('active');
-
-      $this.addClass('active');
-      $codeFrame.addClass('active');
-
-      $activeLine  = $this;
-      $activeFrame = $codeFrame;
-
-      highlightCurrentLine();
-
-      $container.scrollTop(headerHeight);
-    }
-  });
-  
-  if (typeof ZeroClipboard !== "undefined") {
-	  ZeroClipboard.config({
-		  moviePath: '//ajax.cdnjs.com/ajax/libs/zeroclipboard/1.3.5/ZeroClipboard.swf',
-	  });
-
-	  var clipEl = document.getElementById("copy-button");
-	  var clip = new ZeroClipboard( clipEl );
-	  var $clipEl = $(clipEl);
-
-	  // show the button, when swf could be loaded successfully from CDN
-	  clip.on("load", function() {
-		  $clipEl.show();
-	  });
-  }
-  
-  $(document).on('keydown', function(e) {
-	  if(e.ctrlKey) {
-		  // CTRL+Arrow-UP/Arrow-Down support:
-		  // 1) select the next/prev element 
-		  // 2) make sure the newly selected element is within the view-scope
-		  // 3) focus the (right) container, so arrow-up/down (without ctrl) scroll the details
-		  if (e.which === 38 /* arrow up */) {
-			  $activeLine.prev('.frame').click();
-			  $activeLine[0].scrollIntoView();
-			  $container.focus();
-			  e.preventDefault();
-		  } else if (e.which === 40 /* arrow down */) {
-			  $activeLine.next('.frame').click();
-			  $activeLine[0].scrollIntoView();
-			  $container.focus();
-			  e.preventDefault();
-		  }
-	  } 
-  });
-});

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Resources/js/zepto.min.js
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Resources/js/zepto.min.js b/vendor/filp/whoops/src/Whoops/Resources/js/zepto.min.js
deleted file mode 100644
index 0b2f97a..0000000
--- a/vendor/filp/whoops/src/Whoops/Resources/js/zepto.min.js
+++ /dev/null
@@ -1,2 +0,0 @@
-/* Zepto v1.1.3 - zepto event ajax form ie - zeptojs.com/license */
-var Zepto=function(){function L(t){return null==t?String(t):j[T.call(t)]||"object"}function Z(t){return"function"==L(t)}function $(t){return null!=t&&t==t.window}function _(t){return null!=t&&t.nodeType==t.DOCUMENT_NODE}function D(t){return"object"==L(t)}function R(t){return D(t)&&!$(t)&&Object.getPrototypeOf(t)==Object.prototype}function M(t){return"number"==typeof t.length}function k(t){return s.call(t,function(t){return null!=t})}function z(t){return t.length>0?n.fn.concat.apply([],t):t}function F(t){return t.replace(/::/g,"/").replace(/([A-Z]+)([A-Z][a-z])/g,"$1_$2").replace(/([a-z\d])([A-Z])/g,"$1_$2").replace(/_/g,"-").toLowerCase()}function q(t){return t in f?f[t]:f[t]=new RegExp("(^|\\s)"+t+"(\\s|$)")}function H(t,e){return"number"!=typeof e||c[F(t)]?e:e+"px"}function I(t){var e,n;return u[t]||(e=a.createElement(t),a.body.appendChild(e),n=getComputedStyle(e,"").getPropertyValue("display"),e.parentNode.removeChild(e),"none"==n&&(n="block"),u[t]=n),u[t]}function V(t){return"ch
 ildren"in t?o.call(t.children):n.map(t.childNodes,function(t){return 1==t.nodeType?t:void 0})}function U(n,i,r){for(e in i)r&&(R(i[e])||A(i[e]))?(R(i[e])&&!R(n[e])&&(n[e]={}),A(i[e])&&!A(n[e])&&(n[e]=[]),U(n[e],i[e],r)):i[e]!==t&&(n[e]=i[e])}function B(t,e){return null==e?n(t):n(t).filter(e)}function J(t,e,n,i){return Z(e)?e.call(t,n,i):e}function X(t,e,n){null==n?t.removeAttribute(e):t.setAttribute(e,n)}function W(e,n){var i=e.className,r=i&&i.baseVal!==t;return n===t?r?i.baseVal:i:void(r?i.baseVal=n:e.className=n)}function Y(t){var e;try{return t?"true"==t||("false"==t?!1:"null"==t?null:/^0/.test(t)||isNaN(e=Number(t))?/^[\[\{]/.test(t)?n.parseJSON(t):t:e):t}catch(i){return t}}function G(t,e){e(t);for(var n in t.childNodes)G(t.childNodes[n],e)}var t,e,n,i,C,N,r=[],o=r.slice,s=r.filter,a=window.document,u={},f={},c={"column-count":1,columns:1,"font-weight":1,"line-height":1,opacity:1,"z-index":1,zoom:1},l=/^\s*<(\w+|!)[^>]*>/,h=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,p=/<(?!area|br|col|embed|
 hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,d=/^(?:body|html)$/i,m=/([A-Z])/g,g=["val","css","html","text","data","width","height","offset"],v=["after","prepend","before","append"],y=a.createElement("table"),x=a.createElement("tr"),b={tr:a.createElement("tbody"),tbody:y,thead:y,tfoot:y,td:x,th:x,"*":a.createElement("div")},w=/complete|loaded|interactive/,E=/^[\w-]*$/,j={},T=j.toString,S={},O=a.createElement("div"),P={tabindex:"tabIndex",readonly:"readOnly","for":"htmlFor","class":"className",maxlength:"maxLength",cellspacing:"cellSpacing",cellpadding:"cellPadding",rowspan:"rowSpan",colspan:"colSpan",usemap:"useMap",frameborder:"frameBorder",contenteditable:"contentEditable"},A=Array.isArray||function(t){return t instanceof Array};return S.matches=function(t,e){if(!e||!t||1!==t.nodeType)return!1;var n=t.webkitMatchesSelector||t.mozMatchesSelector||t.oMatchesSelector||t.matchesSelector;if(n)return n.call(t,e);var i,r=t.parentNode,o=!r;return o&&(r=O).appendChild(t),i=~S.qsa(r,e
 ).indexOf(t),o&&O.removeChild(t),i},C=function(t){return t.replace(/-+(.)?/g,function(t,e){return e?e.toUpperCase():""})},N=function(t){return s.call(t,function(e,n){return t.indexOf(e)==n})},S.fragment=function(e,i,r){var s,u,f;return h.test(e)&&(s=n(a.createElement(RegExp.$1))),s||(e.replace&&(e=e.replace(p,"<$1></$2>")),i===t&&(i=l.test(e)&&RegExp.$1),i in b||(i="*"),f=b[i],f.innerHTML=""+e,s=n.each(o.call(f.childNodes),function(){f.removeChild(this)})),R(r)&&(u=n(s),n.each(r,function(t,e){g.indexOf(t)>-1?u[t](e):u.attr(t,e)})),s},S.Z=function(t,e){return t=t||[],t.__proto__=n.fn,t.selector=e||"",t},S.isZ=function(t){return t instanceof S.Z},S.init=function(e,i){var r;if(!e)return S.Z();if("string"==typeof e)if(e=e.trim(),"<"==e[0]&&l.test(e))r=S.fragment(e,RegExp.$1,i),e=null;else{if(i!==t)return n(i).find(e);r=S.qsa(a,e)}else{if(Z(e))return n(a).ready(e);if(S.isZ(e))return e;if(A(e))r=k(e);else if(D(e))r=[e],e=null;else if(l.test(e))r=S.fragment(e.trim(),RegExp.$1,i),e=null;els
 e{if(i!==t)return n(i).find(e);r=S.qsa(a,e)}}return S.Z(r,e)},n=function(t,e){return S.init(t,e)},n.extend=function(t){var e,n=o.call(arguments,1);return"boolean"==typeof t&&(e=t,t=n.shift()),n.forEach(function(n){U(t,n,e)}),t},S.qsa=function(t,e){var n,i="#"==e[0],r=!i&&"."==e[0],s=i||r?e.slice(1):e,a=E.test(s);return _(t)&&a&&i?(n=t.getElementById(s))?[n]:[]:1!==t.nodeType&&9!==t.nodeType?[]:o.call(a&&!i?r?t.getElementsByClassName(s):t.getElementsByTagName(e):t.querySelectorAll(e))},n.contains=function(t,e){return t!==e&&t.contains(e)},n.type=L,n.isFunction=Z,n.isWindow=$,n.isArray=A,n.isPlainObject=R,n.isEmptyObject=function(t){var e;for(e in t)return!1;return!0},n.inArray=function(t,e,n){return r.indexOf.call(e,t,n)},n.camelCase=C,n.trim=function(t){return null==t?"":String.prototype.trim.call(t)},n.uuid=0,n.support={},n.expr={},n.map=function(t,e){var n,r,o,i=[];if(M(t))for(r=0;r<t.length;r++)n=e(t[r],r),null!=n&&i.push(n);else for(o in t)n=e(t[o],o),null!=n&&i.push(n);return z
 (i)},n.each=function(t,e){var n,i;if(M(t)){for(n=0;n<t.length;n++)if(e.call(t[n],n,t[n])===!1)return t}else for(i in t)if(e.call(t[i],i,t[i])===!1)return t;return t},n.grep=function(t,e){return s.call(t,e)},window.JSON&&(n.parseJSON=JSON.parse),n.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(t,e){j["[object "+e+"]"]=e.toLowerCase()}),n.fn={forEach:r.forEach,reduce:r.reduce,push:r.push,sort:r.sort,indexOf:r.indexOf,concat:r.concat,map:function(t){return n(n.map(this,function(e,n){return t.call(e,n,e)}))},slice:function(){return n(o.apply(this,arguments))},ready:function(t){return w.test(a.readyState)&&a.body?t(n):a.addEventListener("DOMContentLoaded",function(){t(n)},!1),this},get:function(e){return e===t?o.call(this):this[e>=0?e:e+this.length]},toArray:function(){return this.get()},size:function(){return this.length},remove:function(){return this.each(function(){null!=this.parentNode&&this.parentNode.removeChild(this)})},each:function(t){re
 turn r.every.call(this,function(e,n){return t.call(e,n,e)!==!1}),this},filter:function(t){return Z(t)?this.not(this.not(t)):n(s.call(this,function(e){return S.matches(e,t)}))},add:function(t,e){return n(N(this.concat(n(t,e))))},is:function(t){return this.length>0&&S.matches(this[0],t)},not:function(e){var i=[];if(Z(e)&&e.call!==t)this.each(function(t){e.call(this,t)||i.push(this)});else{var r="string"==typeof e?this.filter(e):M(e)&&Z(e.item)?o.call(e):n(e);this.forEach(function(t){r.indexOf(t)<0&&i.push(t)})}return n(i)},has:function(t){return this.filter(function(){return D(t)?n.contains(this,t):n(this).find(t).size()})},eq:function(t){return-1===t?this.slice(t):this.slice(t,+t+1)},first:function(){var t=this[0];return t&&!D(t)?t:n(t)},last:function(){var t=this[this.length-1];return t&&!D(t)?t:n(t)},find:function(t){var e,i=this;return e="object"==typeof t?n(t).filter(function(){var t=this;return r.some.call(i,function(e){return n.contains(e,t)})}):1==this.length?n(S.qsa(this[0],t
 )):this.map(function(){return S.qsa(this,t)})},closest:function(t,e){var i=this[0],r=!1;for("object"==typeof t&&(r=n(t));i&&!(r?r.indexOf(i)>=0:S.matches(i,t));)i=i!==e&&!_(i)&&i.parentNode;return n(i)},parents:function(t){for(var e=[],i=this;i.length>0;)i=n.map(i,function(t){return(t=t.parentNode)&&!_(t)&&e.indexOf(t)<0?(e.push(t),t):void 0});return B(e,t)},parent:function(t){return B(N(this.pluck("parentNode")),t)},children:function(t){return B(this.map(function(){return V(this)}),t)},contents:function(){return this.map(function(){return o.call(this.childNodes)})},siblings:function(t){return B(this.map(function(t,e){return s.call(V(e.parentNode),function(t){return t!==e})}),t)},empty:function(){return this.each(function(){this.innerHTML=""})},pluck:function(t){return n.map(this,function(e){return e[t]})},show:function(){return this.each(function(){"none"==this.style.display&&(this.style.display=""),"none"==getComputedStyle(this,"").getPropertyValue("display")&&(this.style.display=
 I(this.nodeName))})},replaceWith:function(t){return this.before(t).remove()},wrap:function(t){var e=Z(t);if(this[0]&&!e)var i=n(t).get(0),r=i.parentNode||this.length>1;return this.each(function(o){n(this).wrapAll(e?t.call(this,o):r?i.cloneNode(!0):i)})},wrapAll:function(t){if(this[0]){n(this[0]).before(t=n(t));for(var e;(e=t.children()).length;)t=e.first();n(t).append(this)}return this},wrapInner:function(t){var e=Z(t);return this.each(function(i){var r=n(this),o=r.contents(),s=e?t.call(this,i):t;o.length?o.wrapAll(s):r.append(s)})},unwrap:function(){return this.parent().each(function(){n(this).replaceWith(n(this).children())}),this},clone:function(){return this.map(function(){return this.cloneNode(!0)})},hide:function(){return this.css("display","none")},toggle:function(e){return this.each(function(){var i=n(this);(e===t?"none"==i.css("display"):e)?i.show():i.hide()})},prev:function(t){return n(this.pluck("previousElementSibling")).filter(t||"*")},next:function(t){return n(this.plu
 ck("nextElementSibling")).filter(t||"*")},html:function(t){return 0===arguments.length?this.length>0?this[0].innerHTML:null:this.each(function(e){var i=this.innerHTML;n(this).empty().append(J(this,t,e,i))})},text:function(e){return 0===arguments.length?this.length>0?this[0].textContent:null:this.each(function(){this.textContent=e===t?"":""+e})},attr:function(n,i){var r;return"string"==typeof n&&i===t?0==this.length||1!==this[0].nodeType?t:"value"==n&&"INPUT"==this[0].nodeName?this.val():!(r=this[0].getAttribute(n))&&n in this[0]?this[0][n]:r:this.each(function(t){if(1===this.nodeType)if(D(n))for(e in n)X(this,e,n[e]);else X(this,n,J(this,i,t,this.getAttribute(n)))})},removeAttr:function(t){return this.each(function(){1===this.nodeType&&X(this,t)})},prop:function(e,n){return e=P[e]||e,n===t?this[0]&&this[0][e]:this.each(function(t){this[e]=J(this,n,t,this[e])})},data:function(e,n){var i=this.attr("data-"+e.replace(m,"-$1").toLowerCase(),n);return null!==i?Y(i):t},val:function(t){retu
 rn 0===arguments.length?this[0]&&(this[0].multiple?n(this[0]).find("option").filter(function(){return this.selected}).pluck("value"):this[0].value):this.each(function(e){this.value=J(this,t,e,this.value)})},offset:function(t){if(t)return this.each(function(e){var i=n(this),r=J(this,t,e,i.offset()),o=i.offsetParent().offset(),s={top:r.top-o.top,left:r.left-o.left};"static"==i.css("position")&&(s.position="relative"),i.css(s)});if(0==this.length)return null;var e=this[0].getBoundingClientRect();return{left:e.left+window.pageXOffset,top:e.top+window.pageYOffset,width:Math.round(e.width),height:Math.round(e.height)}},css:function(t,i){if(arguments.length<2){var r=this[0],o=getComputedStyle(r,"");if(!r)return;if("string"==typeof t)return r.style[C(t)]||o.getPropertyValue(t);if(A(t)){var s={};return n.each(A(t)?t:[t],function(t,e){s[e]=r.style[C(e)]||o.getPropertyValue(e)}),s}}var a="";if("string"==L(t))i||0===i?a=F(t)+":"+H(t,i):this.each(function(){this.style.removeProperty(F(t))});else
  for(e in t)t[e]||0===t[e]?a+=F(e)+":"+H(e,t[e])+";":this.each(function(){this.style.removeProperty(F(e))});return this.each(function(){this.style.cssText+=";"+a})},index:function(t){return t?this.indexOf(n(t)[0]):this.parent().children().indexOf(this[0])},hasClass:function(t){return t?r.some.call(this,function(t){return this.test(W(t))},q(t)):!1},addClass:function(t){return t?this.each(function(e){i=[];var r=W(this),o=J(this,t,e,r);o.split(/\s+/g).forEach(function(t){n(this).hasClass(t)||i.push(t)},this),i.length&&W(this,r+(r?" ":"")+i.join(" "))}):this},removeClass:function(e){return this.each(function(n){return e===t?W(this,""):(i=W(this),J(this,e,n,i).split(/\s+/g).forEach(function(t){i=i.replace(q(t)," ")}),void W(this,i.trim()))})},toggleClass:function(e,i){return e?this.each(function(r){var o=n(this),s=J(this,e,r,W(this));s.split(/\s+/g).forEach(function(e){(i===t?!o.hasClass(e):i)?o.addClass(e):o.removeClass(e)})}):this},scrollTop:function(e){if(this.length){var n="scrollTop
 "in this[0];return e===t?n?this[0].scrollTop:this[0].pageYOffset:this.each(n?function(){this.scrollTop=e}:function(){this.scrollTo(this.scrollX,e)})}},scrollLeft:function(e){if(this.length){var n="scrollLeft"in this[0];return e===t?n?this[0].scrollLeft:this[0].pageXOffset:this.each(n?function(){this.scrollLeft=e}:function(){this.scrollTo(e,this.scrollY)})}},position:function(){if(this.length){var t=this[0],e=this.offsetParent(),i=this.offset(),r=d.test(e[0].nodeName)?{top:0,left:0}:e.offset();return i.top-=parseFloat(n(t).css("margin-top"))||0,i.left-=parseFloat(n(t).css("margin-left"))||0,r.top+=parseFloat(n(e[0]).css("border-top-width"))||0,r.left+=parseFloat(n(e[0]).css("border-left-width"))||0,{top:i.top-r.top,left:i.left-r.left}}},offsetParent:function(){return this.map(function(){for(var t=this.offsetParent||a.body;t&&!d.test(t.nodeName)&&"static"==n(t).css("position");)t=t.offsetParent;return t})}},n.fn.detach=n.fn.remove,["width","height"].forEach(function(e){var i=e.replace
 (/./,function(t){return t[0].toUpperCase()});n.fn[e]=function(r){var o,s=this[0];return r===t?$(s)?s["inner"+i]:_(s)?s.documentElement["scroll"+i]:(o=this.offset())&&o[e]:this.each(function(t){s=n(this),s.css(e,J(this,r,t,s[e]()))})}}),v.forEach(function(t,e){var i=e%2;n.fn[t]=function(){var t,o,r=n.map(arguments,function(e){return t=L(e),"object"==t||"array"==t||null==e?e:S.fragment(e)}),s=this.length>1;return r.length<1?this:this.each(function(t,a){o=i?a:a.parentNode,a=0==e?a.nextSibling:1==e?a.firstChild:2==e?a:null,r.forEach(function(t){if(s)t=t.cloneNode(!0);else if(!o)return n(t).remove();G(o.insertBefore(t,a),function(t){null==t.nodeName||"SCRIPT"!==t.nodeName.toUpperCase()||t.type&&"text/javascript"!==t.type||t.src||window.eval.call(window,t.innerHTML)})})})},n.fn[i?t+"To":"insert"+(e?"Before":"After")]=function(e){return n(e)[t](this),this}}),S.Z.prototype=n.fn,S.uniq=N,S.deserializeValue=Y,n.zepto=S,n}();window.Zepto=Zepto,void 0===window.$&&(window.$=Zepto),function(t){fu
 nction l(t){return t._zid||(t._zid=e++)}function h(t,e,n,i){if(e=p(e),e.ns)var r=d(e.ns);return(s[l(t)]||[]).filter(function(t){return!(!t||e.e&&t.e!=e.e||e.ns&&!r.test(t.ns)||n&&l(t.fn)!==l(n)||i&&t.sel!=i)})}function p(t){var e=(""+t).split(".");return{e:e[0],ns:e.slice(1).sort().join(" ")}}function d(t){return new RegExp("(?:^| )"+t.replace(" "," .* ?")+"(?: |$)")}function m(t,e){return t.del&&!u&&t.e in f||!!e}function g(t){return c[t]||u&&f[t]||t}function v(e,i,r,o,a,u,f){var h=l(e),d=s[h]||(s[h]=[]);i.split(/\s/).forEach(function(i){if("ready"==i)return t(document).ready(r);var s=p(i);s.fn=r,s.sel=a,s.e in c&&(r=function(e){var n=e.relatedTarget;return!n||n!==this&&!t.contains(this,n)?s.fn.apply(this,arguments):void 0}),s.del=u;var l=u||r;s.proxy=function(t){if(t=j(t),!t.isImmediatePropagationStopped()){t.data=o;var i=l.apply(e,t._args==n?[t]:[t].concat(t._args));return i===!1&&(t.preventDefault(),t.stopPropagation()),i}},s.i=d.length,d.push(s),"addEventListener"in e&&e.addEve
 ntListener(g(s.e),s.proxy,m(s,f))})}function y(t,e,n,i,r){var o=l(t);(e||"").split(/\s/).forEach(function(e){h(t,e,n,i).forEach(function(e){delete s[o][e.i],"removeEventListener"in t&&t.removeEventListener(g(e.e),e.proxy,m(e,r))})})}function j(e,i){return(i||!e.isDefaultPrevented)&&(i||(i=e),t.each(E,function(t,n){var r=i[t];e[t]=function(){return this[n]=x,r&&r.apply(i,arguments)},e[n]=b}),(i.defaultPrevented!==n?i.defaultPrevented:"returnValue"in i?i.returnValue===!1:i.getPreventDefault&&i.getPreventDefault())&&(e.isDefaultPrevented=x)),e}function T(t){var e,i={originalEvent:t};for(e in t)w.test(e)||t[e]===n||(i[e]=t[e]);return j(i,t)}var n,e=1,i=Array.prototype.slice,r=t.isFunction,o=function(t){return"string"==typeof t},s={},a={},u="onfocusin"in window,f={focus:"focusin",blur:"focusout"},c={mouseenter:"mouseover",mouseleave:"mouseout"};a.click=a.mousedown=a.mouseup=a.mousemove="MouseEvents",t.event={add:v,remove:y},t.proxy=function(e,n){if(r(e)){var i=function(){return e.apply(n
 ,arguments)};return i._zid=l(e),i}if(o(n))return t.proxy(e[n],e);throw new TypeError("expected function")},t.fn.bind=function(t,e,n){return this.on(t,e,n)},t.fn.unbind=function(t,e){return this.off(t,e)},t.fn.one=function(t,e,n,i){return this.on(t,e,n,i,1)};var x=function(){return!0},b=function(){return!1},w=/^([A-Z]|returnValue$|layer[XY]$)/,E={preventDefault:"isDefaultPrevented",stopImmediatePropagation:"isImmediatePropagationStopped",stopPropagation:"isPropagationStopped"};t.fn.delegate=function(t,e,n){return this.on(e,t,n)},t.fn.undelegate=function(t,e,n){return this.off(e,t,n)},t.fn.live=function(e,n){return t(document.body).delegate(this.selector,e,n),this},t.fn.die=function(e,n){return t(document.body).undelegate(this.selector,e,n),this},t.fn.on=function(e,s,a,u,f){var c,l,h=this;return e&&!o(e)?(t.each(e,function(t,e){h.on(t,s,a,e,f)}),h):(o(s)||r(u)||u===!1||(u=a,a=s,s=n),(r(a)||a===!1)&&(u=a,a=n),u===!1&&(u=b),h.each(function(n,r){f&&(c=function(t){return y(r,t.type,u),u.a
 pply(this,arguments)}),s&&(l=function(e){var n,o=t(e.target).closest(s,r).get(0);return o&&o!==r?(n=t.extend(T(e),{currentTarget:o,liveFired:r}),(c||u).apply(o,[n].concat(i.call(arguments,1)))):void 0}),v(r,e,u,a,s,l||c)}))},t.fn.off=function(e,i,s){var a=this;return e&&!o(e)?(t.each(e,function(t,e){a.off(t,i,e)}),a):(o(i)||r(s)||s===!1||(s=i,i=n),s===!1&&(s=b),a.each(function(){y(this,e,s,i)}))},t.fn.trigger=function(e,n){return e=o(e)||t.isPlainObject(e)?t.Event(e):j(e),e._args=n,this.each(function(){"dispatchEvent"in this?this.dispatchEvent(e):t(this).triggerHandler(e,n)})},t.fn.triggerHandler=function(e,n){var i,r;return this.each(function(s,a){i=T(o(e)?t.Event(e):e),i._args=n,i.target=a,t.each(h(a,e.type||e),function(t,e){return r=e.proxy(i),i.isImmediatePropagationStopped()?!1:void 0})}),r},"focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select keydown keypress keyup error".split(" ").forEac
 h(function(e){t.fn[e]=function(t){return t?this.bind(e,t):this.trigger(e)}}),["focus","blur"].forEach(function(e){t.fn[e]=function(t){return t?this.bind(e,t):this.each(function(){try{this[e]()}catch(t){}}),this}}),t.Event=function(t,e){o(t)||(e=t,t=e.type);var n=document.createEvent(a[t]||"Events"),i=!0;if(e)for(var r in e)"bubbles"==r?i=!!e[r]:n[r]=e[r];return n.initEvent(t,i,!0),j(n)}}(Zepto),function(t){function l(e,n,i){var r=t.Event(n);return t(e).trigger(r,i),!r.isDefaultPrevented()}function h(t,e,i,r){return t.global?l(e||n,i,r):void 0}function p(e){e.global&&0===t.active++&&h(e,null,"ajaxStart")}function d(e){e.global&&!--t.active&&h(e,null,"ajaxStop")}function m(t,e){var n=e.context;return e.beforeSend.call(n,t,e)===!1||h(e,n,"ajaxBeforeSend",[t,e])===!1?!1:void h(e,n,"ajaxSend",[t,e])}function g(t,e,n,i){var r=n.context,o="success";n.success.call(r,t,o,e),i&&i.resolveWith(r,[t,o,e]),h(n,r,"ajaxSuccess",[e,n,t]),y(o,e,n)}function v(t,e,n,i,r){var o=i.context;i.error.call(o,
 n,e,t),r&&r.rejectWith(o,[n,e,t]),h(i,o,"ajaxError",[n,i,t||e]),y(e,n,i)}function y(t,e,n){var i=n.context;n.complete.call(i,e,t),h(n,i,"ajaxComplete",[e,n]),d(n)}function x(){}function b(t){return t&&(t=t.split(";",2)[0]),t&&(t==f?"html":t==u?"json":s.test(t)?"script":a.test(t)&&"xml")||"text"}function w(t,e){return""==e?t:(t+"&"+e).replace(/[&?]{1,2}/,"?")}function E(e){e.processData&&e.data&&"string"!=t.type(e.data)&&(e.data=t.param(e.data,e.traditional)),!e.data||e.type&&"GET"!=e.type.toUpperCase()||(e.url=w(e.url,e.data),e.data=void 0)}function j(e,n,i,r){return t.isFunction(n)&&(r=i,i=n,n=void 0),t.isFunction(i)||(r=i,i=void 0),{url:e,data:n,success:i,dataType:r}}function S(e,n,i,r){var o,s=t.isArray(n),a=t.isPlainObject(n);t.each(n,function(n,u){o=t.type(u),r&&(n=i?r:r+"["+(a||"object"==o||"array"==o?n:"")+"]"),!r&&s?e.add(u.name,u.value):"array"==o||!i&&"object"==o?S(e,u,i,n):e.add(n,u)})}var i,r,e=0,n=window.document,o=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,s
 =/^(?:text|application)\/javascript/i,a=/^(?:text|application)\/xml/i,u="application/json",f="text/html",c=/^\s*$/;t.active=0,t.ajaxJSONP=function(i,r){if(!("type"in i))return t.ajax(i);var f,h,o=i.jsonpCallback,s=(t.isFunction(o)?o():o)||"jsonp"+ ++e,a=n.createElement("script"),u=window[s],c=function(e){t(a).triggerHandler("error",e||"abort")},l={abort:c};return r&&r.promise(l),t(a).on("load error",function(e,n){clearTimeout(h),t(a).off().remove(),"error"!=e.type&&f?g(f[0],l,i,r):v(null,n||"error",l,i,r),window[s]=u,f&&t.isFunction(u)&&u(f[0]),u=f=void 0}),m(l,i)===!1?(c("abort"),l):(window[s]=function(){f=arguments},a.src=i.url.replace(/\?(.+)=\?/,"?$1="+s),n.head.appendChild(a),i.timeout>0&&(h=setTimeout(function(){c("timeout")},i.timeout)),l)},t.ajaxSettings={type:"GET",beforeSend:x,success:x,error:x,complete:x,context:null,global:!0,xhr:function(){return new window.XMLHttpRequest},accepts:{script:"text/javascript, application/javascript, application/x-javascript",json:u,xml:"ap
 plication/xml, text/xml",html:f,text:"text/plain"},crossDomain:!1,timeout:0,processData:!0,cache:!0},t.ajax=function(e){var n=t.extend({},e||{}),o=t.Deferred&&t.Deferred();for(i in t.ajaxSettings)void 0===n[i]&&(n[i]=t.ajaxSettings[i]);p(n),n.crossDomain||(n.crossDomain=/^([\w-]+:)?\/\/([^\/]+)/.test(n.url)&&RegExp.$2!=window.location.host),n.url||(n.url=window.location.toString()),E(n),n.cache===!1&&(n.url=w(n.url,"_="+Date.now()));var s=n.dataType,a=/\?.+=\?/.test(n.url);if("jsonp"==s||a)return a||(n.url=w(n.url,n.jsonp?n.jsonp+"=?":n.jsonp===!1?"":"callback=?")),t.ajaxJSONP(n,o);var j,u=n.accepts[s],f={},l=function(t,e){f[t.toLowerCase()]=[t,e]},h=/^([\w-]+:)\/\//.test(n.url)?RegExp.$1:window.location.protocol,d=n.xhr(),y=d.setRequestHeader;if(o&&o.promise(d),n.crossDomain||l("X-Requested-With","XMLHttpRequest"),l("Accept",u||"*/*"),(u=n.mimeType||u)&&(u.indexOf(",")>-1&&(u=u.split(",",2)[0]),d.overrideMimeType&&d.overrideMimeType(u)),(n.contentType||n.contentType!==!1&&n.data&&"
 GET"!=n.type.toUpperCase())&&l("Content-Type",n.contentType||"application/x-www-form-urlencoded"),n.headers)for(r in n.headers)l(r,n.headers[r]);if(d.setRequestHeader=l,d.onreadystatechange=function(){if(4==d.readyState){d.onreadystatechange=x,clearTimeout(j);var e,i=!1;if(d.status>=200&&d.status<300||304==d.status||0==d.status&&"file:"==h){s=s||b(n.mimeType||d.getResponseHeader("content-type")),e=d.responseText;try{"script"==s?(1,eval)(e):"xml"==s?e=d.responseXML:"json"==s&&(e=c.test(e)?null:t.parseJSON(e))}catch(r){i=r}i?v(i,"parsererror",d,n,o):g(e,d,n,o)}else v(d.statusText||null,d.status?"error":"abort",d,n,o)}},m(d,n)===!1)return d.abort(),v(null,"abort",d,n,o),d;if(n.xhrFields)for(r in n.xhrFields)d[r]=n.xhrFields[r];var T="async"in n?n.async:!0;d.open(n.type,n.url,T,n.username,n.password);for(r in f)y.apply(d,f[r]);return n.timeout>0&&(j=setTimeout(function(){d.onreadystatechange=x,d.abort(),v(null,"timeout",d,n,o)},n.timeout)),d.send(n.data?n.data:null),d},t.get=function(){
 return t.ajax(j.apply(null,arguments))},t.post=function(){var e=j.apply(null,arguments);return e.type="POST",t.ajax(e)},t.getJSON=function(){var e=j.apply(null,arguments);return e.dataType="json",t.ajax(e)},t.fn.load=function(e,n,i){if(!this.length)return this;var a,r=this,s=e.split(/\s/),u=j(e,n,i),f=u.success;return s.length>1&&(u.url=s[0],a=s[1]),u.success=function(e){r.html(a?t("<div>").html(e.replace(o,"")).find(a):e),f&&f.apply(r,arguments)},t.ajax(u),this};var T=encodeURIComponent;t.param=function(t,e){var n=[];return n.add=function(t,e){this.push(T(t)+"="+T(e))},S(n,t,e),n.join("&").replace(/%20/g,"+")}}(Zepto),function(t){t.fn.serializeArray=function(){var n,e=[];return t([].slice.call(this.get(0).elements)).each(function(){n=t(this);var i=n.attr("type");"fieldset"!=this.nodeName.toLowerCase()&&!this.disabled&&"submit"!=i&&"reset"!=i&&"button"!=i&&("radio"!=i&&"checkbox"!=i||this.checked)&&e.push({name:n.attr("name"),value:n.val()})}),e},t.fn.serialize=function(){var t=[];r
 eturn this.serializeArray().forEach(function(e){t.push(encodeURIComponent(e.name)+"="+encodeURIComponent(e.value))}),t.join("&")},t.fn.submit=function(e){if(e)this.bind("submit",e);else if(this.length){var n=t.Event("submit");this.eq(0).trigger(n),n.isDefaultPrevented()||this.get(0).submit()}return this}}(Zepto),function(t){"__proto__"in{}||t.extend(t.zepto,{Z:function(e,n){return e=e||[],t.extend(e,t.fn),e.selector=n||"",e.__Z=!0,e},isZ:function(e){return"array"===t.type(e)&&"__Z"in e}});try{getComputedStyle(void 0)}catch(e){var n=getComputedStyle;window.getComputedStyle=function(t){try{return n(t)}catch(e){return null}}}}(Zepto);

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Resources/views/env_details.html.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Resources/views/env_details.html.php b/vendor/filp/whoops/src/Whoops/Resources/views/env_details.html.php
deleted file mode 100644
index a3e0a57..0000000
--- a/vendor/filp/whoops/src/Whoops/Resources/views/env_details.html.php
+++ /dev/null
@@ -1,39 +0,0 @@
-<?php /* List data-table values, i.e: $_SERVER, $_GET, .... */ ?>
-<div class="details">
-  <div class="data-table-container" id="data-tables">
-    <?php foreach ($tables as $label => $data): ?>
-      <div class="data-table" id="sg-<?php echo $tpl->escape($tpl->slug($label)) ?>">
-        <label><?php echo $tpl->escape($label) ?></label>
-        <?php if (!empty($data)): ?>
-            <table class="data-table">
-              <thead>
-                <tr>
-                  <td class="data-table-k">Key</td>
-                  <td class="data-table-v">Value</td>
-                </tr>
-              </thead>
-            <?php foreach ($data as $k => $value): ?>
-              <tr>
-                <td><?php echo $tpl->escape($k) ?></td>
-                <td><?php echo $tpl->escape(print_r($value, true)) ?></td>
-              </tr>
-            <?php endforeach ?>
-            </table>
-        <?php else: ?>
-          <span class="empty">empty</span>
-        <?php endif ?>
-      </div>
-    <?php endforeach ?>
-  </div>
-
-  <?php /* List registered handlers, in order of first to last registered */ ?>
-  <div class="data-table-container" id="handlers">
-    <label>Registered Handlers</label>
-    <?php foreach ($handlers as $i => $handler): ?>
-      <div class="handler <?php echo ($handler === $handler) ? 'active' : ''?>">
-        <?php echo $i ?>. <?php echo $tpl->escape(get_class($handler)) ?>
-      </div>
-    <?php endforeach ?>
-  </div>
-
-</div>

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Resources/views/frame_code.html.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Resources/views/frame_code.html.php b/vendor/filp/whoops/src/Whoops/Resources/views/frame_code.html.php
deleted file mode 100644
index 4ca28a6..0000000
--- a/vendor/filp/whoops/src/Whoops/Resources/views/frame_code.html.php
+++ /dev/null
@@ -1,52 +0,0 @@
-<?php /* Display a code block for all frames in the stack.
-       * @todo: This should PROBABLY be done on-demand, lest
-       * we get 200 frames to process. */ ?>
-<div class="frame-code-container <?php echo (!$has_frames ? 'empty' : '') ?>">
-  <?php foreach ($frames as $i => $frame): ?>
-    <?php $line = $frame->getLine(); ?>
-      <div class="frame-code <?php echo ($i == 0 ) ? 'active' : '' ?>" id="frame-code-<?php echo $i ?>">
-        <div class="frame-file">
-          <?php $filePath = $frame->getFile(); ?>
-          <?php if ($filePath && $editorHref = $handler->getEditorHref($filePath, (int) $line)): ?>
-            Open:
-            <a href="<?php echo $editorHref ?>" class="editor-link">
-              <strong><?php echo $tpl->escape($filePath ?: '<#unknown>') ?></strong>
-            </a>
-          <?php else: ?>
-            <strong><?php echo $tpl->escape($filePath ?: '<#unknown>') ?></strong>
-          <?php endif ?>
-        </div>
-        <?php
-          // Do nothing if there's no line to work off
-          if ($line !== null):
-
-          // the $line is 1-indexed, we nab -1 where needed to account for this
-          $range = $frame->getFileLines($line - 8, 10);
-
-          // getFileLines can return null if there is no source code
-          if ($range):
-            $range = array_map(function ($line) { return empty($line) ? ' ' : $line;}, $range);
-            $start = key($range) + 1;
-            $code  = join("\n", $range);
-        ?>
-            <pre class="code-block prettyprint linenums:<?php echo $start ?>"><?php echo $tpl->escape($code) ?></pre>
-          <?php endif ?>
-        <?php endif ?>
-
-        <?php
-          // Append comments for this frame
-          $comments = $frame->getComments();
-        ?>
-        <div class="frame-comments <?php echo empty($comments) ? 'empty' : '' ?>">
-          <?php foreach ($comments as $commentNo => $comment): ?>
-            <?php extract($comment) ?>
-            <div class="frame-comment" id="comment-<?php echo $i . '-' . $commentNo ?>">
-              <span class="frame-comment-context"><?php echo $tpl->escape($context) ?></span>
-              <?php echo $tpl->escapeButPreserveUris($comment) ?>
-            </div>
-          <?php endforeach ?>
-        </div>
-
-      </div>
-  <?php endforeach ?>
-</div>

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Resources/views/frame_list.html.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Resources/views/frame_list.html.php b/vendor/filp/whoops/src/Whoops/Resources/views/frame_list.html.php
deleted file mode 100644
index fd9cf7b..0000000
--- a/vendor/filp/whoops/src/Whoops/Resources/views/frame_list.html.php
+++ /dev/null
@@ -1,17 +0,0 @@
-<?php /* List file names & line numbers for all stack frames;
-         clicking these links/buttons will display the code view
-         for that particular frame */ ?>
-<?php foreach ($frames as $i => $frame): ?>
-  <div class="frame <?php echo ($i == 0 ? 'active' : '') ?>" id="frame-line-<?php echo $i ?>">
-      <div class="frame-method-info">
-        <span class="frame-index"><?php echo (count($frames) - $i - 1) ?>.</span>
-        <span class="frame-class"><?php echo $tpl->escape($frame->getClass() ?: '') ?></span>
-        <span class="frame-function"><?php echo $tpl->escape($frame->getFunction() ?: '') ?></span>
-      </div>
-
-    <span class="frame-file">
-      <?php echo ($frame->getFile(true) ?: '<#unknown>') ?><!--
-   --><span class="frame-line"><?php echo (int) $frame->getLine() ?></span>
-    </span>
-  </div>
-<?php endforeach ?>

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Resources/views/header.html.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Resources/views/header.html.php b/vendor/filp/whoops/src/Whoops/Resources/views/header.html.php
deleted file mode 100644
index 05c6668..0000000
--- a/vendor/filp/whoops/src/Whoops/Resources/views/header.html.php
+++ /dev/null
@@ -1,34 +0,0 @@
-<div class="exception">
-  <h3 class="exc-title">
-    <?php foreach ($name as $i => $nameSection): ?>
-      <?php if ($i == count($name) - 1): ?>
-        <span class="exc-title-primary"><?php echo $tpl->escape($nameSection) ?></span>
-      <?php else: ?>
-        <?php echo $tpl->escape($nameSection) . ' \\' ?>
-      <?php endif ?>
-    <?php endforeach ?>
-    <?php if ($code): ?>
-      <span title="Exception Code">(<?php echo $tpl->escape($code) ?>)</span>
-    <?php endif ?>
-  </h3>
-
-  <div class="help">
-    <button title="show help">HELP</button>
-
-    <div id="help-overlay">
-      <div id="help-framestack">Callstack information; navigate with mouse or keyboard using <kbd>Ctrl+&uparrow;</kbd> or <kbd>Ctrl+&downarrow;</kbd></div>
-      <div id="help-clipboard">Copy-to-clipboard button</div>
-      <div id="help-exc-message">Exception message and its type</div>
-      <div id="help-code">Code snippet where the error was thrown</div>
-      <div id="help-request">Server state information</div>
-      <div id="help-appinfo">Application provided context information</div>
-    </div>
-  </div>
-
-  <button id="copy-button" class="clipboard" data-clipboard-target="plain-exception" title="copy exception into clipboard"></button>
-  <span id="plain-exception"><?php echo $tpl->escape($plain_exception) ?></span>
-
-  <p class="exc-message">
-    <?php echo $tpl->escape($message) ?>
-  </p>
-</div>

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Resources/views/layout.html.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Resources/views/layout.html.php b/vendor/filp/whoops/src/Whoops/Resources/views/layout.html.php
deleted file mode 100644
index 0f7d324..0000000
--- a/vendor/filp/whoops/src/Whoops/Resources/views/layout.html.php
+++ /dev/null
@@ -1,37 +0,0 @@
-<?php
-/**
-* Layout template file for Whoops's pretty error output.
-*/
-?>
-<!DOCTYPE html>
-<html>
-  <head>
-    <meta charset="utf-8">
-    <title><?php echo $tpl->escape($page_title) ?></title>
-
-    <style><?php echo $stylesheet ?></style>
-  </head>
-  <body>
-
-    <div class="Whoops container">
-
-      <div class="stack-container">
-        <div class="frames-container cf <?php echo (!$has_frames ? 'empty' : '') ?>">
-          <?php $tpl->render($frame_list) ?>
-        </div>
-        <div class="details-container cf">
-          <header>
-            <?php $tpl->render($header) ?>
-          </header>
-          <?php $tpl->render($frame_code) ?>
-          <?php $tpl->render($env_details) ?>
-        </div>
-      </div>
-    </div>
-
-    <script src="//cdnjs.cloudflare.com/ajax/libs/zeroclipboard/1.3.5/ZeroClipboard.min.js"></script>
-    <script src="//cdnjs.cloudflare.com/ajax/libs/prettify/r224/prettify.js"></script>
-    <script><?php echo $zepto ?></script>
-    <script><?php echo $javascript ?></script>
-  </body>
-</html>

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Run.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Run.php b/vendor/filp/whoops/src/Whoops/Run.php
deleted file mode 100644
index e23d606..0000000
--- a/vendor/filp/whoops/src/Whoops/Run.php
+++ /dev/null
@@ -1,408 +0,0 @@
-<?php
-/**
- * Whoops - php errors for cool kids
- * @author Filipe Dobreira <http://github.com/filp>
- */
-
-namespace Whoops;
-
-use Exception;
-use InvalidArgumentException;
-use Whoops\Exception\ErrorException;
-use Whoops\Exception\Inspector;
-use Whoops\Handler\CallbackHandler;
-use Whoops\Handler\Handler;
-use Whoops\Handler\HandlerInterface;
-
-class Run
-{
-    const EXCEPTION_HANDLER = "handleException";
-    const ERROR_HANDLER     = "handleError";
-    const SHUTDOWN_HANDLER  = "handleShutdown";
-
-    protected $isRegistered;
-    protected $allowQuit       = true;
-    protected $sendOutput      = true;
-
-    /**
-     * @var integer|false
-     */
-    protected $sendHttpCode    = 500;
-
-    /**
-     * @var HandlerInterface[]
-     */
-    protected $handlerStack = array();
-
-    protected $silencedPatterns = array();
-
-    /**
-     * Pushes a handler to the end of the stack
-     *
-     * @throws InvalidArgumentException  If argument is not callable or instance of HandlerInterface
-     * @param  Callable|HandlerInterface $handler
-     * @return Run
-     */
-    public function pushHandler($handler)
-    {
-        if (is_callable($handler)) {
-            $handler = new CallbackHandler($handler);
-        }
-
-        if (!$handler instanceof HandlerInterface) {
-            throw new InvalidArgumentException(
-                  "Argument to " . __METHOD__ . " must be a callable, or instance of"
-                . "Whoops\\Handler\\HandlerInterface"
-            );
-        }
-
-        $this->handlerStack[] = $handler;
-        return $this;
-    }
-
-    /**
-     * Removes the last handler in the stack and returns it.
-     * Returns null if there"s nothing else to pop.
-     * @return null|HandlerInterface
-     */
-    public function popHandler()
-    {
-        return array_pop($this->handlerStack);
-    }
-
-    /**
-     * Returns an array with all handlers, in the
-     * order they were added to the stack.
-     * @return array
-     */
-    public function getHandlers()
-    {
-        return $this->handlerStack;
-    }
-
-    /**
-     * Clears all handlers in the handlerStack, including
-     * the default PrettyPage handler.
-     * @return Run
-     */
-    public function clearHandlers()
-    {
-        $this->handlerStack = array();
-        return $this;
-    }
-
-    /**
-     * @param  Exception $exception
-     * @return Inspector
-     */
-    protected function getInspector(Exception $exception)
-    {
-        return new Inspector($exception);
-    }
-
-    /**
-     * Registers this instance as an error handler.
-     * @return Run
-     */
-    public function register()
-    {
-        if (!$this->isRegistered) {
-            // Workaround PHP bug 42098
-            // https://bugs.php.net/bug.php?id=42098
-            class_exists("\\Whoops\\Exception\\ErrorException");
-            class_exists("\\Whoops\\Exception\\FrameCollection");
-            class_exists("\\Whoops\\Exception\\Frame");
-            class_exists("\\Whoops\\Exception\\Inspector");
-
-            set_error_handler(array($this, self::ERROR_HANDLER));
-            set_exception_handler(array($this, self::EXCEPTION_HANDLER));
-            register_shutdown_function(array($this, self::SHUTDOWN_HANDLER));
-
-            $this->isRegistered = true;
-        }
-
-        return $this;
-    }
-
-    /**
-     * Unregisters all handlers registered by this Whoops\Run instance
-     * @return Run
-     */
-    public function unregister()
-    {
-        if ($this->isRegistered) {
-            restore_exception_handler();
-            restore_error_handler();
-
-            $this->isRegistered = false;
-        }
-
-        return $this;
-    }
-
-    /**
-     * Should Whoops allow Handlers to force the script to quit?
-     * @param  bool|int $exit
-     * @return bool
-     */
-    public function allowQuit($exit = null)
-    {
-        if (func_num_args() == 0) {
-            return $this->allowQuit;
-        }
-
-        return $this->allowQuit = (bool) $exit;
-    }
-
-    /**
-     * Silence particular errors in particular files
-     * @param  array|string $patterns List or a single regex pattern to match
-     * @param  int          $levels   Defaults to E_STRICT | E_DEPRECATED
-     * @return \Whoops\Run
-     */
-    public function silenceErrorsInPaths($patterns, $levels = 10240)
-    {
-        $this->silencedPatterns = array_merge(
-            $this->silencedPatterns,
-            array_map(
-                function ($pattern) use ($levels) {
-                    return array(
-                        "pattern" => $pattern,
-                        "levels" => $levels,
-                    );
-                },
-                (array) $patterns
-            )
-        );
-        return $this;
-    }
-
-    /*
-     * Should Whoops send HTTP error code to the browser if possible?
-     * Whoops will by default send HTTP code 500, but you may wish to
-     * use 502, 503, or another 5xx family code.
-     *
-     * @param bool|int $code
-     * @return int|false
-     */
-    public function sendHttpCode($code = null)
-    {
-        if (func_num_args() == 0) {
-            return $this->sendHttpCode;
-        }
-
-        if (!$code) {
-            return $this->sendHttpCode = false;
-        }
-
-        if ($code === true) {
-            $code = 500;
-        }
-
-        if ($code < 400 || 600 <= $code) {
-            throw new InvalidArgumentException(
-                 "Invalid status code '$code', must be 4xx or 5xx"
-            );
-        }
-
-        return $this->sendHttpCode = $code;
-    }
-
-    /**
-     * Should Whoops push output directly to the client?
-     * If this is false, output will be returned by handleException
-     * @param  bool|int $send
-     * @return bool
-     */
-    public function writeToOutput($send = null)
-    {
-        if (func_num_args() == 0) {
-            return $this->sendOutput;
-        }
-
-        return $this->sendOutput = (bool) $send;
-    }
-
-    /**
-     * Handles an exception, ultimately generating a Whoops error
-     * page.
-     *
-     * @param  Exception $exception
-     * @return string    Output generated by handlers
-     */
-    public function handleException(Exception $exception)
-    {
-        // Walk the registered handlers in the reverse order
-        // they were registered, and pass off the exception
-        $inspector = $this->getInspector($exception);
-
-        // Capture output produced while handling the exception,
-        // we might want to send it straight away to the client,
-        // or return it silently.
-        ob_start();
-
-        // Just in case there are no handlers:
-        $handlerResponse = null;
-
-        foreach (array_reverse($this->handlerStack) as $handler) {
-            $handler->setRun($this);
-            $handler->setInspector($inspector);
-            $handler->setException($exception);
-
-            // The HandlerInterface does not require an Exception passed to handle()
-            // and neither of our bundled handlers use it.
-            // However, 3rd party handlers may have already relied on this parameter,
-            // and removing it would be possibly breaking for users.
-            $handlerResponse = $handler->handle($exception);
-
-            if (in_array($handlerResponse, array(Handler::LAST_HANDLER, Handler::QUIT))) {
-                // The Handler has handled the exception in some way, and
-                // wishes to quit execution (Handler::QUIT), or skip any
-                // other handlers (Handler::LAST_HANDLER). If $this->allowQuit
-                // is false, Handler::QUIT behaves like Handler::LAST_HANDLER
-                break;
-            }
-        }
-
-        $willQuit = $handlerResponse == Handler::QUIT && $this->allowQuit();
-
-        $output = ob_get_clean();
-
-        // If we're allowed to, send output generated by handlers directly
-        // to the output, otherwise, and if the script doesn't quit, return
-        // it so that it may be used by the caller
-        if ($this->writeToOutput()) {
-            // @todo Might be able to clean this up a bit better
-            // If we're going to quit execution, cleanup all other output
-            // buffers before sending our own output:
-            if ($willQuit) {
-                while (ob_get_level() > 0) {
-                    ob_end_clean();
-                }
-            }
-
-            $this->writeToOutputNow($output);
-        }
-
-        if ($willQuit) {
-            flush(); // HHVM fix for https://github.com/facebook/hhvm/issues/4055
-            exit(1);
-        }
-
-        return $output;
-    }
-
-    /**
-     * Converts generic PHP errors to \ErrorException
-     * instances, before passing them off to be handled.
-     *
-     * This method MUST be compatible with set_error_handler.
-     *
-     * @param int    $level
-     * @param string $message
-     * @param string $file
-     * @param int    $line
-     *
-     * @return bool
-     * @throws ErrorException
-     */
-    public function handleError($level, $message, $file = null, $line = null)
-    {
-        if ($level & error_reporting()) {
-            foreach ($this->silencedPatterns as $entry) {
-                $pathMatches = (bool) preg_match($entry["pattern"], $file);
-                $levelMatches = $level & $entry["levels"];
-                if ($pathMatches && $levelMatches) {
-                    // Ignore the error, abort handling
-                    return true;
-                }
-            }
-
-            // XXX we pass $level for the "code" param only for BC reasons.
-            // see https://github.com/filp/whoops/issues/267
-            $exception = new ErrorException($message, /*code*/ $level, /*severity*/ $level, $file, $line);
-            if ($this->canThrowExceptions) {
-                throw $exception;
-            } else {
-                $this->handleException($exception);
-            }
-            // Do not propagate errors which were already handled by Whoops.
-            return true;
-        }
-
-        // Propagate error to the next handler, allows error_get_last() to
-        // work on silenced errors.
-        return false;
-    }
-
-    /**
-     * Special case to deal with Fatal errors and the like.
-     */
-    public function handleShutdown()
-    {
-        // If we reached this step, we are in shutdown handler.
-        // An exception thrown in a shutdown handler will not be propagated
-        // to the exception handler. Pass that information along.
-        $this->canThrowExceptions = false;
-
-        $error = error_get_last();
-        if ($error && $this->isLevelFatal($error['type'])) {
-            // If there was a fatal error,
-            // it was not handled in handleError yet.
-            $this->handleError(
-                $error['type'],
-                $error['message'],
-                $error['file'],
-                $error['line']
-            );
-        }
-    }
-
-    /**
-     * In certain scenarios, like in shutdown handler, we can not throw exceptions
-     * @var bool
-     */
-    private $canThrowExceptions = true;
-
-    /**
-     * Echo something to the browser
-     * @param  string $output
-     * @return $this
-     */
-    private function writeToOutputNow($output)
-    {
-        if ($this->sendHttpCode() && \Whoops\Util\Misc::canSendHeaders()) {
-            $httpCode   = $this->sendHttpCode();
-
-            if (function_exists('http_response_code')) {
-                http_response_code($httpCode);
-            } else {
-                // http_response_code is added in 5.4.
-                // For compatibility with 5.3 we use the third argument in header call
-                // First argument must be a real header.
-                // If it is empty, PHP will ignore the third argument.
-                // If it is invalid, such as a single space, Apache will handle it well,
-                // but the PHP development server will hang.
-                // Setting a full status line would require us to hardcode
-                // string values for all different status code, and detect the protocol.
-                // which is an extra error-prone complexity.
-                header('X-Ignore-This: 1', true, $httpCode);
-            }
-        }
-
-        echo $output;
-
-        return $this;
-    }
-
-    private static function isLevelFatal($level)
-    {
-        $errors = E_ERROR;
-        $errors |= E_PARSE;
-        $errors |= E_CORE_ERROR;
-        $errors |= E_CORE_WARNING;
-        $errors |= E_COMPILE_ERROR;
-        $errors |= E_COMPILE_WARNING;
-        return ($level & $errors) > 0;
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Util/Misc.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Util/Misc.php b/vendor/filp/whoops/src/Whoops/Util/Misc.php
deleted file mode 100644
index d38dbbf..0000000
--- a/vendor/filp/whoops/src/Whoops/Util/Misc.php
+++ /dev/null
@@ -1,44 +0,0 @@
-<?php
-/**
- * Whoops - php errors for cool kids
- * @author Filipe Dobreira <http://github.com/filp>
- */
-
-namespace Whoops\Util;
-
-class Misc
-{
-    /**
-	 * Can we at this point in time send HTTP headers?
-	 *
-	 * Currently this checks if we are even serving an HTTP request,
-	 * as opposed to running from a command line.
-	 *
-	 * If we are serving an HTTP request, we check if it's not too late.
-	 *
-	 * @return bool
-	 */
-    public static function canSendHeaders()
-    {
-        return isset($_SERVER["REQUEST_URI"]) && !headers_sent();
-    }
-
-    /**
-	 * Translate ErrorException code into the represented constant.
-	 *
-	 * @param int $error_code
-	 * @return string
-	 */
-    public static function translateErrorCode($error_code)
-    {
-        $constants = get_defined_constants(true);
-        if (array_key_exists('Core' , $constants)) {
-            foreach ($constants['Core'] as $constant => $value) {
-                if (substr($constant, 0, 2) == 'E_' && $value == $error_code) {
-                    return $constant;
-                }
-            }
-        }
-        return "E_UNKNOWN";
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/Whoops/Util/TemplateHelper.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/Whoops/Util/TemplateHelper.php b/vendor/filp/whoops/src/Whoops/Util/TemplateHelper.php
deleted file mode 100644
index 71690de..0000000
--- a/vendor/filp/whoops/src/Whoops/Util/TemplateHelper.php
+++ /dev/null
@@ -1,154 +0,0 @@
-<?php
-/**
- * Whoops - php errors for cool kids
- * @author Filipe Dobreira <http://github.com/filp>
- */
-
-namespace Whoops\Util;
-
-/**
- * Exposes useful tools for working with/in templates
- */
-class TemplateHelper
-{
-    /**
-     * An array of variables to be passed to all templates
-     * @var array
-     */
-    private $variables = array();
-
-    /**
-     * Escapes a string for output in an HTML document
-     *
-     * @param  string $raw
-     * @return string
-     */
-    public function escape($raw)
-    {
-        $flags = ENT_QUOTES;
-
-        // HHVM has all constants defined, but only ENT_IGNORE
-        // works at the moment
-        if (defined("ENT_SUBSTITUTE") && !defined("HHVM_VERSION")) {
-            $flags |= ENT_SUBSTITUTE;
-        } else {
-            // This is for 5.3.
-            // The documentation warns of a potential security issue,
-            // but it seems it does not apply in our case, because
-            // we do not blacklist anything anywhere.
-            $flags |= ENT_IGNORE;
-        }
-
-        return htmlspecialchars($raw, $flags, "UTF-8");
-    }
-
-    /**
-     * Escapes a string for output in an HTML document, but preserves
-     * URIs within it, and converts them to clickable anchor elements.
-     *
-     * @param  string $raw
-     * @return string
-     */
-    public function escapeButPreserveUris($raw)
-    {
-        $escaped = $this->escape($raw);
-        return preg_replace(
-            "@([A-z]+?://([-\w\.]+[-\w])+(:\d+)?(/([\w/_\.#-]*(\?\S+)?[^\.\s])?)?)@",
-            "<a href=\"$1\" target=\"_blank\">$1</a>", $escaped
-        );
-    }
-
-    /**
-     * Convert a string to a slug version of itself
-     *
-     * @param  string $original
-     * @return string
-     */
-    public function slug($original)
-    {
-        $slug = str_replace(" ", "-", $original);
-        $slug = preg_replace('/[^\w\d\-\_]/i', '', $slug);
-        return strtolower($slug);
-    }
-
-    /**
-     * Given a template path, render it within its own scope. This
-     * method also accepts an array of additional variables to be
-     * passed to the template.
-     *
-     * @param string $template
-     * @param array  $additionalVariables
-     */
-    public function render($template, array $additionalVariables = null)
-    {
-        $variables = $this->getVariables();
-
-        // Pass the helper to the template:
-        $variables["tpl"] = $this;
-
-        if ($additionalVariables !== null) {
-            $variables = array_replace($variables, $additionalVariables);
-        }
-
-        call_user_func(function () {
-            extract(func_get_arg(1));
-            require func_get_arg(0);
-        }, $template, $variables);
-    }
-
-    /**
-     * Sets the variables to be passed to all templates rendered
-     * by this template helper.
-     *
-     * @param array $variables
-     */
-    public function setVariables(array $variables)
-    {
-        $this->variables = $variables;
-    }
-
-    /**
-     * Sets a single template variable, by its name:
-     *
-     * @param string $variableName
-     * @param mixd   $variableValue
-     */
-    public function setVariable($variableName, $variableValue)
-    {
-        $this->variables[$variableName] = $variableValue;
-    }
-
-    /**
-     * Gets a single template variable, by its name, or
-     * $defaultValue if the variable does not exist
-     *
-     * @param  string $variableName
-     * @param  mixed  $defaultValue
-     * @return mixed
-     */
-    public function getVariable($variableName, $defaultValue = null)
-    {
-        return isset($this->variables[$variableName]) ?
-            $this->variables[$variableName] : $defaultValue;
-    }
-
-    /**
-     * Unsets a single template variable, by its name
-     *
-     * @param string $variableName
-     */
-    public function delVariable($variableName)
-    {
-        unset($this->variables[$variableName]);
-    }
-
-    /**
-     * Returns all variables for this helper
-     *
-     * @return array
-     */
-    public function getVariables()
-    {
-        return $this->variables;
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/deprecated/Zend/ExceptionStrategy.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/deprecated/Zend/ExceptionStrategy.php b/vendor/filp/whoops/src/deprecated/Zend/ExceptionStrategy.php
deleted file mode 100644
index 58c72f0..0000000
--- a/vendor/filp/whoops/src/deprecated/Zend/ExceptionStrategy.php
+++ /dev/null
@@ -1,63 +0,0 @@
-<?php
-/**
- * ZF2 Integration for Whoops
- * @author Balázs Németh <zs...@zsilbi.hu>
- */
-
-namespace Whoops\Provider\Zend;
-
-use Whoops\Run;
-use Zend\Http\Response;
-use Zend\Mvc\Application;
-use Zend\Mvc\MvcEvent;
-use Zend\Mvc\View\Http\ExceptionStrategy as BaseExceptionStrategy;
-
-/**
- * @deprecated Use https://github.com/ghislainf/zf2-whoops
- */
-class ExceptionStrategy extends BaseExceptionStrategy
-{
-    protected $run;
-
-    public function __construct(Run $run)
-    {
-        $this->run = $run;
-        return $this;
-    }
-
-    public function prepareExceptionViewModel(MvcEvent $event)
-    {
-        // Do nothing if no error in the event
-        $error = $event->getError();
-        if (empty($error)) {
-            return;
-        }
-
-        // Do nothing if the result is a response object
-        $result = $event->getResult();
-        if ($result instanceof Response) {
-            return;
-        }
-
-        switch ($error) {
-            case Application::ERROR_CONTROLLER_NOT_FOUND:
-            case Application::ERROR_CONTROLLER_INVALID:
-            case Application::ERROR_ROUTER_NO_MATCH:
-                // Specifically not handling these
-                return;
-
-            case Application::ERROR_EXCEPTION:
-            default:
-                $exception = $event->getParam('exception');
-                if ($exception) {
-                    $response = $event->getResponse();
-                    if (!$response || $response->getStatusCode() === 200) {
-                        header('HTTP/1.0 500 Internal Server Error', true, 500);
-                    }
-                    ob_clean();
-                    $this->run->handleException($event->getParam('exception'));
-                }
-                break;
-        }
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/deprecated/Zend/Module.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/deprecated/Zend/Module.php b/vendor/filp/whoops/src/deprecated/Zend/Module.php
deleted file mode 100644
index 545f8a5..0000000
--- a/vendor/filp/whoops/src/deprecated/Zend/Module.php
+++ /dev/null
@@ -1,107 +0,0 @@
-<?php
-/**
- * ZF2 Integration for Whoops
- * @author Balázs Németh <zs...@zsilbi.hu>
- *
- * The Whoops directory should be added as a module to ZF2 (/vendor/Whoops)
- *
- * Whoops must be added as the first module
- * For example:
- *   'modules' => array(
- *       'Whoops',
- *       'Application',
- *   ),
- *
- * This file should be moved next to Whoops/Run.php (/vendor/Whoops/Module.php)
- *
- */
-
-namespace Whoops;
-
-use Whoops\Handler\JsonResponseHandler;
-use Whoops\Handler\PrettyPageHandler;
-use Whoops\Provider\Zend\ExceptionStrategy;
-use Whoops\Provider\Zend\RouteNotFoundStrategy;
-use Zend\Console\Request as ConsoleRequest;
-use Zend\EventManager\EventInterface;
-
-/**
- * @deprecated Use https://github.com/ghislainf/zf2-whoops
- */
-class Module
-{
-    protected $run;
-
-    public function onBootstrap(EventInterface $event)
-    {
-        $prettyPageHandler = new PrettyPageHandler();
-
-        // Set editor
-        $config = $event->getApplication()->getServiceManager()->get('Config');
-        if (isset($config['view_manager']['editor'])) {
-            $prettyPageHandler->setEditor($config['view_manager']['editor']);
-        }
-
-        $this->run = new Run();
-        $this->run->register();
-        $this->run->pushHandler($prettyPageHandler);
-
-        $this->attachListeners($event);
-    }
-
-    public function getAutoloaderConfig()
-    {
-        return array(
-            'Zend\Loader\StandardAutoloader' => array(
-                'namespaces' => array(
-                    __NAMESPACE__ => __DIR__ . '/src/' . __NAMESPACE__,
-                ),
-            ),
-        );
-    }
-
-    private function attachListeners(EventInterface $event)
-    {
-        $request = $event->getRequest();
-        $application = $event->getApplication();
-        $services = $application->getServiceManager();
-        $events = $application->getEventManager();
-        $config = $services->get('Config');
-
-        //Display exceptions based on configuration and console mode
-        if ($request instanceof ConsoleRequest || empty($config['view_manager']['display_exceptions'])) {
-            return;
-        }
-
-        $jsonHandler = new JsonResponseHandler();
-
-        if (!empty($config['view_manager']['json_exceptions']['show_trace'])) {
-            //Add trace to the JSON output
-            $jsonHandler->addTraceToOutput(true);
-        }
-
-        if (!empty($config['view_manager']['json_exceptions']['ajax_only'])) {
-            //Only return JSON response for AJAX requests
-            $jsonHandler->onlyForAjaxRequests(true);
-        }
-
-        if (!empty($config['view_manager']['json_exceptions']['display'])) {
-            //Turn on JSON handler
-            $this->run->pushHandler($jsonHandler);
-        }
-
-        //Attach the Whoops ExceptionStrategy
-        $exceptionStrategy = new ExceptionStrategy($this->run);
-        $exceptionStrategy->attach($events);
-
-        //Attach the Whoops RouteNotFoundStrategy
-        $routeNotFoundStrategy = new RouteNotFoundStrategy($this->run);
-        $routeNotFoundStrategy->attach($events);
-
-        //Detach default ExceptionStrategy
-        $services->get('Zend\Mvc\View\Http\ExceptionStrategy')->detach($events);
-
-        //Detach default RouteNotFoundStrategy
-        $services->get('Zend\Mvc\View\Http\RouteNotFoundStrategy')->detach($events);
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/deprecated/Zend/RouteNotFoundStrategy.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/deprecated/Zend/RouteNotFoundStrategy.php b/vendor/filp/whoops/src/deprecated/Zend/RouteNotFoundStrategy.php
deleted file mode 100644
index f1eb7ea..0000000
--- a/vendor/filp/whoops/src/deprecated/Zend/RouteNotFoundStrategy.php
+++ /dev/null
@@ -1,67 +0,0 @@
-<?php
-/**
- * ZF2 Integration for Whoops
- * @author Balázs Németh <zs...@zsilbi.hu>
- */
-
-namespace Whoops\Provider\Zend;
-
-use Whoops\Run;
-use Zend\Mvc\MvcEvent;
-use Zend\Mvc\View\Http\RouteNotFoundStrategy as BaseRouteNotFoundStrategy;
-use Zend\Stdlib\ResponseInterface as Response;
-use Zend\View\Model\ViewModel;
-
-/**
- * @deprecated Use https://github.com/ghislainf/zf2-whoops
- */
-class RouteNotFoundStrategy extends BaseRouteNotFoundStrategy
-{
-    protected $run;
-
-    public function __construct(Run $run)
-    {
-        $this->run = $run;
-    }
-
-    public function prepareNotFoundViewModel(MvcEvent $e)
-    {
-        $vars = $e->getResult();
-        if ($vars instanceof Response) {
-            // Already have a response as the result
-            return;
-        }
-
-        $response = $e->getResponse();
-        if ($response->getStatusCode() != 404) {
-            // Only handle 404 responses
-            return;
-        }
-
-        if (!$vars instanceof ViewModel) {
-            $model = new ViewModel();
-            if (is_string($vars)) {
-                $model->setVariable('message', $vars);
-            } else {
-                $model->setVariable('message', 'Page not found.');
-            }
-        } else {
-            $model = $vars;
-            if ($model->getVariable('message') === null) {
-                $model->setVariable('message', 'Page not found.');
-            }
-        }
-        // If displaying reasons, inject the reason
-        $this->injectNotFoundReason($model, $e);
-
-        // If displaying exceptions, inject
-        $this->injectException($model, $e);
-
-        // Inject controller if we're displaying either the reason or the exception
-        $this->injectController($model, $e);
-
-        ob_clean();
-
-        throw new \Exception($model->getVariable('message') . ' ' . $model->getVariable('reason'));
-    }
-}

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/filp/whoops/src/deprecated/Zend/module.config.example.php
----------------------------------------------------------------------
diff --git a/vendor/filp/whoops/src/deprecated/Zend/module.config.example.php b/vendor/filp/whoops/src/deprecated/Zend/module.config.example.php
deleted file mode 100644
index 42be30d..0000000
--- a/vendor/filp/whoops/src/deprecated/Zend/module.config.example.php
+++ /dev/null
@@ -1,20 +0,0 @@
-<?php
-/**
- * ZF2 Integration for Whoops
- * @author Balázs Németh <zs...@zsilbi.hu>
- *
- * Example controller configuration
- */
-
-return array(
-    'view_manager' => array(
-        'editor' => 'sublime',
-        'display_not_found_reason' => true,
-        'display_exceptions' => true,
-        'json_exceptions' => array(
-            'display' => true,
-            'ajax_only' => true,
-            'show_trace' => true,
-        ),
-    ),
-);

http://git-wip-us.apache.org/repos/asf/airavata-php-gateway/blob/80fd786e/vendor/ircmaxell/password-compat/LICENSE.md
----------------------------------------------------------------------
diff --git a/vendor/ircmaxell/password-compat/LICENSE.md b/vendor/ircmaxell/password-compat/LICENSE.md
deleted file mode 100644
index 1efc565..0000000
--- a/vendor/ircmaxell/password-compat/LICENSE.md
+++ /dev/null
@@ -1,7 +0,0 @@
-Copyright (c) 2012 Anthony Ferrara
-
-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.
\ No newline at end of file